diff --git a/.fvm/fvm_config.json b/.fvm/fvm_config.json
deleted file mode 100644
index d42a42f..0000000
--- a/.fvm/fvm_config.json
+++ /dev/null
@@ -1,4 +0,0 @@
-{
- "flutterSdkVersion": "3.19.5",
- "flavors": {}
-}
\ No newline at end of file
diff --git a/.fvmrc b/.fvmrc
new file mode 100644
index 0000000..0c75e23
--- /dev/null
+++ b/.fvmrc
@@ -0,0 +1,4 @@
+{
+ "flutter": "3.29.0",
+ "flavors": {}
+}
\ No newline at end of file
diff --git a/.github/workflows/tests.yml b/.github/workflows/tests.yml
index 52fcfe4..716ba3f 100644
--- a/.github/workflows/tests.yml
+++ b/.github/workflows/tests.yml
@@ -9,7 +9,7 @@ jobs:
runs-on: ubuntu-latest
env:
- FLUTTER_VERSION: '3.19.5' # Update with your desired default version
+ FLUTTER_VERSION: '3.29.0' # Update with your desired default version
steps:
- uses: actions/checkout@v4
@@ -23,4 +23,6 @@ jobs:
run: flutter pub get
- name: Run tests
- run: flutter test
+ run: |
+ flutter test
+ cd packages/adblocker_core && flutter test
diff --git a/.gitignore b/.gitignore
index 33c8e17..c292d99 100644
--- a/.gitignore
+++ b/.gitignore
@@ -16,8 +16,10 @@ migrate_working_dir/
*.iws
.idea/
+#vscode related
+.vscode/
+
#fvm related
-.fvm/flutter_sdk
# The .vscode folder contains launch configuration and tasks you configure in
# VS Code which you may wish to be included in version control, so this line
@@ -33,3 +35,6 @@ migrate_working_dir/
build/
.flutter-plugins
.flutter-plugins-dependencies
+
+# FVM Version Cache
+.fvm/
\ No newline at end of file
diff --git a/CHANGELOG.md b/CHANGELOG.md
index 853a697..104c681 100644
--- a/CHANGELOG.md
+++ b/CHANGELOG.md
@@ -1,5 +1,11 @@
-## 1.2.0
-* Added support for HTML string loading
+## 2.0.0-beta
+* Added support for easylist and adguard filters
+* Added support for resource rules parsing
+* Removed third party package dependency and using official webview_flutter package
+
+**Breaking Changes**
+* Minimum Supported flutter version is 3.27.1
+* Minimum Supported dart version is 3.7.0
## 1.1.2
* Removed redundant isolate uses
diff --git a/LICENSE b/LICENSE
index 5046f8f..ffb3cd1 100644
--- a/LICENSE
+++ b/LICENSE
@@ -1,6 +1,6 @@
BSD 3-Clause License
-Copyright (c) 2023, Md Didarul Islam
+Copyright (c) 2025, Md Didarul Islam
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are met:
diff --git a/README.md b/README.md
index 83e27c9..cc6e974 100644
--- a/README.md
+++ b/README.md
@@ -1,78 +1,255 @@
[](https://pub.dev/packages/very_good_analysis)
-- A webview implementation of in Flutter that blocks most of the ads that appear inside of the webpages
-- Current implementation is based on official `flutter_inappwebview` packages. So, the features and limitation of that package
- is included
+# AdBlocker WebView Flutter
->On iOS the WebView widget is backed by a [WKWebView](https://developer.apple.com/documentation/webkit/wkwebview).
-On Android the WebView widget is backed by a [WebView](https://developer.android.com/reference/android/webkit/WebView).
+A Flutter WebView implementation that blocks ads and trackers using EasyList and AdGuard filter lists.
-| | Android | iOS |
-|-------------|----------------|-------|
-| **Support** | SDK 19+ or 20+ | 11.0+ |
+## Features
-## Getting started
-Add `adblocker_webview` as a [dependency](https://pub.dev/packages/adblocker_webview/install) in your pubspec.yaml file.
+- 🚫 Basic ad and tracker blocking using EasyList and AdGuard filters
+- 🌐 Supports both URL and HTML content loading
+- 🔄 Navigation control (back, forward, refresh)
+- 📱 User agent strings for Android and iOS
+- ⚡ Early resource blocking for better performance
+- 🎯 Domain-based filtering and element hiding
+- 🔍 Detailed logging of blocked resources
+- 💉 Custom JavaScript injection support
-## Usage
-1. Acquire an instance of [AdBlockerWebviewController](https://pub.dev/documentation/adblocker_webview/latest/adblocker_webview/AdBlockerWebviewController-class.html)
-```dart
- final _adBlockerWebviewController = AdBlockerWebviewController.instance;
+## Getting Started
+
+### Installation
+
+Add this to your `pubspec.yaml`:
+
+```yaml
+dependencies:
+ adblocker_webview: ^1.0.0
```
-It's better to warm up the controller before displaying the webview. It's possible to do that by
+
+### Basic Usage
+
```dart
+import 'package:adblocker_webview/adblocker_webview.dart';
+
+// Initialize the controller (preferably in main())
+void main() async {
+ await AdBlockerWebviewController.instance.initialize();
+ runApp(MyApp());
+}
+
+// Use in your widget
+class MyWebView extends StatelessWidget {
@override
- void initState() {
- super.initState();
- _adBlockerWebviewController.initialize();
- /// ... Other code here.
+ Widget build(BuildContext context) {
+ return AdBlockerWebview(
+ url: Uri.parse('https://example.com'),
+ shouldBlockAds: true,
+ adBlockerWebviewController: AdBlockerWebviewController.instance,
+ onLoadStart: (url) => print('Started loading: $url'),
+ onLoadFinished: (url) => print('Finished loading: $url'),
+ onLoadError: (url, code) => print('Error: $code'),
+ onProgress: (progress) => print('Progress: $progress%'),
+ );
}
+}
+```
+
+### Loading HTML Content
+
+```dart
+AdBlockerWebview(
+ initialHtmlData: '
Hello World!',
+ shouldBlockAds: true,
+ adBlockerWebviewController: AdBlockerWebviewController.instance,
+)
```
-2. Add the [AdBlockerWebview](https://pub.dev/documentation/adblocker_webview/latest/adblocker_webview/AdBlockerWebview-class.html) in widget tree
+### Navigation Control
+
```dart
- AdBlockerWebview(
- url: "Valid url Here",
- adBlockerWebviewController: widget.controller,
- onProgress: (progress) {
- setState(() {
- _progress = progress;
- });
- },
- shouldBlockAds: true,
- /// Other params if required
- );
+final controller = AdBlockerWebviewController.instance;
+
+// Check if can go back
+if (await controller.canGoBack()) {
+ controller.goBack();
+}
+
+// Reload page
+controller.reload();
+
+// Execute JavaScript
+controller.runJavaScript('console.log("Hello from Flutter!")');
```
- Supported params of [AdBlockerWebview](https://pub.dev/documentation/adblocker_webview/latest/adblocker_webview/AdBlockerWebview-class.html]) are:
- ```dart
- const AdBlockerWebview({
- required this.adBlockerWebviewController,
- required this.shouldBlockAds,
- this.url,
- this.initialHtmlData,
- this.onLoadStart,
- this.onLoadFinished,
- this.onProgress,
- this.onLoadError,
- this.onTitleChanged,
- this.options,
- this.additionalHostsToBlock = const [],
- super.key,
- }) : assert(
- (url == null && initialHtmlData != null) ||
- (url != null && initialHtmlData == null),
- 'Both url and initialHtmlData can not be non null');
+
+## Configuration
+
+The WebView can be configured with various options:
+
+```dart
+AdBlockerWebview(
+ url: Uri.parse('https://example.com'),
+ shouldBlockAds: true, // Enable/disable ad blocking
+ adBlockerWebviewController: AdBlockerWebviewController.instance,
+ onLoadStart: (url) {
+ // Page started loading
+ },
+ onLoadFinished: (url) {
+ // Page finished loading
+ },
+ onProgress: (progress) {
+ // Loading progress (0-100)
+ },
+ onLoadError: (url, code) {
+ // Handle loading errors
+ },
+ onUrlChanged: (url) {
+ // URL changed
+ },
+);
```
-#### Caching
-- API response for Ad hosts is cached automatically and no config is required!
-
-### Contribution
-Contributions are welcome 😄. Please file an issue [here](https://github.com/islamdidarmd/flutter_adblocker_webview/issues) if you want to include additional feature or found a bug!
-#### Guide
-1. Create an issue first to make sure your request is not a duplicate one
-2. Create a fork of the repository (If it's your first contribution)
-3. Make a branch from `develop`
-4. Branch name should indicate the contribution type
- - `feature/**` for new feature
- - `bugfix/**` for a bug fix
-5. Raise a PR against the `develop` branch
\ No newline at end of file
+
+## Features in Detail
+
+### Ad Blocking
+- Basic support for EasyList and AdGuard filter lists
+- Blocks common ad resources before they load
+- Hides ad elements using CSS rules
+- Supports exception rules for whitelisting
+
+### Resource Blocking
+- Blocks common trackers and unwanted resources
+- Early blocking for better performance
+- Basic domain-based filtering
+- Exception handling for whitelisted domains
+
+### Element Hiding
+- Hides common ad containers and placeholders
+- CSS-based element hiding
+- Basic domain-specific rules support
+- Batch processing for better performance
+
+## Migration Guide
+
+### Migrating from 1.2.0 to 2.0.0-beta
+
+#### Breaking Changes
+
+1. **Controller Initialization**
+ ```dart
+ // Old (1.2.0)
+ final controller = AdBlockerWebviewController();
+ await controller.initialize();
+
+ // New (2.0.0-beta)
+ await AdBlockerWebviewController.instance.initialize(
+ FilterConfig(
+ filterTypes: [FilterType.easyList, FilterType.adGuard],
+ ),
+ );
+ ```
+
+2. **URL Parameter Type**
+ ```dart
+ // Old (1.2.0)
+ AdBlockerWebview(
+ url: "https://example.com",
+ // ...
+ )
+
+ // New (2.0.0-beta)
+ AdBlockerWebview(
+ url: Uri.parse("https://example.com"),
+ // ...
+ )
+ ```
+
+3. **Filter Configuration**
+ ```dart
+ // Old (1.2.0)
+ AdBlockerWebview(
+ //.. other params
+ additionalHostsToBlock: ['ads.example.com'],
+ );
+
+ // New (2.0.0-beta)
+ // Use FilterConfig for configuration
+ await AdBlockerWebviewController.instance.initialize(
+ FilterConfig(
+ filterTypes: [FilterType.easyList, FilterType.adGuard],
+ ),
+ );
+ ```
+
+4. **Event Handlers**
+ ```dart
+ // Old (1.2.0)
+ onTitleChanged: (title) { ... }
+
+ // New (2.0.0-beta)
+ // Use onUrlChanged instead
+ onUrlChanged: (url) { ... }
+ ```
+
+#### Deprecated Features
+- `additionalHostsToBlock` parameter is removed
+- Individual controller instances are replaced with singleton
+- `onTitleChanged` callback is replaced with `onUrlChanged`
+
+#### New Features
+- Singleton controller pattern for better resource management
+- Structured filter configuration using `FilterConfig`
+- Improved type safety with `Uri` for URLs
+- Enhanced filter list parsing and management
+- Better performance through early resource blocking
+
+#### Steps to Migrate
+1. Update the package version in `pubspec.yaml`:
+ ```yaml
+ dependencies:
+ adblocker_webview: ^2.0.0-beta
+ ```
+
+2. Replace controller initialization with singleton pattern
+3. Update URL parameters to use `Uri` instead of `String`
+4. Replace deprecated callbacks with new ones
+5. Update filter configuration to use `FilterConfig`
+6. Test the application thoroughly after migration
+
+## Contributing
+
+We welcome contributions to improve the ad-blocking capabilities! Here's how you can help:
+
+### Getting Started
+1. Fork the repository
+2. Create a new branch from `main` for your feature/fix
+ - Use `feature/` prefix for new features
+ - Use `fix/` prefix for bug fixes
+ - Use `docs/` prefix for documentation changes
+3. Make your changes
+4. Write/update tests if needed
+5. Update documentation if needed
+6. Run tests and ensure they pass
+7. Submit a pull request
+
+### Before Submitting
+- Check that your code follows our style guide (see analysis badge)
+- Write clear commit messages
+- Include tests for new features
+- Update documentation if needed
+- Verify all tests pass
+
+### Pull Request Process
+1. Create an issue first to discuss major changes
+2. Update the README.md if needed
+3. Update the CHANGELOG.md following semantic versioning
+4. The PR will be reviewed by maintainers
+5. Once approved, it will be merged
+
+### Code Style
+- Follow [Effective Dart](https://dart.dev/guides/language/effective-dart) guidelines
+- Use the provided analysis options
+- Run `dart format` before committing
+
+## License
+
+This project is licensed under the BSD-3-Clause License - see the LICENSE file for details.
diff --git a/assets/raw/block_ad_resource_loading.js b/assets/raw/block_ad_resource_loading.js
new file mode 100644
index 0000000..6a95ac5
--- /dev/null
+++ b/assets/raw/block_ad_resource_loading.js
@@ -0,0 +1,98 @@
+(function () {
+ const rules = window.adBlockerRules || [];
+
+ function domainMatches(rule, target) {
+ return rule === target || target.includes(rule);
+ }
+
+ function isBlocked(url, originType) {
+ // First check exception rules
+ const isException = rules.some(rule => {
+ return rule.isException && domainMatches(rule.url, url);
+ });
+
+ if (isException) {
+ console.log(`[EXCEPTION][${originType}] ${url}`, {
+ domain: url,
+ currentDomain: window.location.hostname
+ });
+ return false;
+ }
+
+ // Then check blocking rules
+ const blockedRule = rules.find(rule => {
+ return !rule.isException && domainMatches(rule.url, url);
+ });
+
+ if (blockedRule) {
+ console.log(`[BLOCKED][${originType}] ${url}`, {
+ domain: url,
+ rule: blockedRule.url,
+ currentDomain: window.location.hostname
+ });
+ return true;
+ }
+ return false;
+ }
+
+ // Override XMLHttpRequest
+ const originalXHROpen = XMLHttpRequest.prototype.open;
+ XMLHttpRequest.prototype.open = function (method, url) {
+ if (isBlocked(url, 'XHR')) {
+ return new Proxy(new XMLHttpRequest(), {
+ get: function(target, prop) {
+ if (prop === 'send') return function() {};
+ return target[prop];
+ }
+ });
+ }
+ return originalXHROpen.apply(this, arguments);
+ };
+
+ // Override Fetch API
+ const originalFetch = window.fetch;
+ window.fetch = function (resource, init) {
+ const url = resource instanceof Request ? resource.url : resource;
+ if (isBlocked(url, 'Fetch')) {
+ return Promise.resolve(new Response('', {
+ status: 200,
+ statusText: 'OK'
+ }));
+ }
+ return originalFetch.apply(this, arguments);
+ };
+
+ // Block dynamic script loading
+ const originalCreateElement = document.createElement;
+ document.createElement = function (tagName) {
+ const element = originalCreateElement.apply(document, arguments);
+
+ if (tagName.toLowerCase() === 'script') {
+ const originalSetAttribute = element.setAttribute;
+ element.setAttribute = function(name, value) {
+ if (name === 'src' && isBlocked(value, 'Script')) {
+ return;
+ }
+ return originalSetAttribute.call(this, name, value);
+ };
+ }
+
+ return element;
+ };
+
+ // Block image loading
+ const originalImageSrc = Object.getOwnPropertyDescriptor(Image.prototype, 'src');
+ Object.defineProperty(Image.prototype, 'src', {
+ get: function() {
+ return originalImageSrc.get.call(this);
+ },
+ set: function(value) {
+ if (isBlocked(value, 'Image')) {
+ return;
+ }
+ originalImageSrc.set.call(this, value);
+ }
+ });
+
+ console.log('[AdBlocker] Resource blocking initialized with', rules.length, 'rules');
+})();
diff --git a/assets/raw/element_hiding_script.js b/assets/raw/element_hiding_script.js
new file mode 100644
index 0000000..c34bf66
--- /dev/null
+++ b/assets/raw/element_hiding_script.js
@@ -0,0 +1,43 @@
+(function () {
+ const selectors = window.adBlockerSelectors || [];
+ const BATCH_SIZE = 1000;
+
+ async function hideElements() {
+ if (!Array.isArray(selectors) || !selectors.length) {
+ console.log('[AdBlocker] No selectors to process');
+ return;
+ }
+
+ try {
+ const batchCount = Math.ceil(selectors.length / BATCH_SIZE);
+ for (let i = 0; i < batchCount; i++) {
+ const start = i * BATCH_SIZE;
+ const end = Math.min(start + BATCH_SIZE, selectors.length);
+ const batchSelectors = selectors.slice(start, end);
+
+ document.querySelectorAll(batchSelectors.join(',')).forEach((el) => {
+ console.log('Removing element: ', el.id);
+ return el.remove();
+ });
+ await new Promise(resolve => setTimeout(resolve, 300));
+ }
+ console.info('[AdBlocker] Elements hide rules applied: ', selectors.length);
+ } catch (error) {
+ console.error('[AdBlocker] Error:', error);
+ }
+ }
+
+ // Create a MutationObserver instance
+ const observer = new MutationObserver(() => hideElements());
+
+ // Start observing
+ try {
+ observer.observe(document.body, {
+ childList: true,
+ subtree: true
+ });
+ hideElements();
+ } catch (error) {
+ console.error('[AdBlocker] Observer error:', error);
+ }
+})();
diff --git a/assets/raw/observer_script.js b/assets/raw/observer_script.js
new file mode 100644
index 0000000..042e668
--- /dev/null
+++ b/assets/raw/observer_script.js
@@ -0,0 +1,51 @@
+(function () {
+ // Listening for the appearance of the body element to execute the script as soon as possible before the `interactive` event.
+ const config = { attributes: false, childList: true, subtree: true };
+ const callback = function (mutationsList, observer) {
+ for (const mutation of mutationsList) {
+ if (mutation.type === 'childList') {
+ if (document.getElementsByTagName('body')[0]) {
+ console.log('body element has appeared');
+ // Execute the script when the body element appears.
+ script();
+ // Mission accomplished, no more to observe.
+ observer.disconnect();
+ }
+ break;
+ }
+ }
+ };
+ const observer = new MutationObserver(callback);
+ observer.observe(document, config);
+
+ const onReadystatechange = function () {
+ if (document.readyState == 'interactive') {
+ script();
+ }
+ }
+ // The script is mainly executed by MutationObserver, and the following listeners are only used as fallbacks.
+ const addListeners = function () {
+ // here don't use document.onreadystatechange, which won't fire sometimes
+ document.addEventListener('readystatechange', onReadystatechange);
+
+ document.addEventListener('DOMContentLoaded', script, false);
+
+ window.addEventListener('load', script);
+ }
+ const removeListeners = function () {
+ document.removeEventListener('readystatechange', onReadystatechange);
+
+ document.removeEventListener('DOMContentLoaded', script, false);
+
+ window.removeEventListener('load', script);
+ }
+ const script = function () {
+ {{CONTENT}}
+ removeListeners();
+ }
+ if (document.readyState == 'interactive' || document.readyState == 'complete') {
+ script();
+ } else {
+ addListeners();
+ }
+})();
diff --git a/example/.gitignore b/example/.gitignore
index 24476c5..6c31954 100644
--- a/example/.gitignore
+++ b/example/.gitignore
@@ -5,9 +5,11 @@
*.swp
.DS_Store
.atom/
+.build/
.buildlog/
.history
.svn/
+.swiftpm/
migrate_working_dir/
# IntelliJ related
diff --git a/example/analysis_options.yaml b/example/analysis_options.yaml
index 61b6c4d..ee7f0c9 100644
--- a/example/analysis_options.yaml
+++ b/example/analysis_options.yaml
@@ -22,6 +22,7 @@ linter:
# `// ignore_for_file: name_of_lint` syntax on the line or in the file
# producing the lint.
rules:
+ use_build_context_synchronously: false
# avoid_print: false # Uncomment to disable the `avoid_print` rule
# prefer_single_quotes: true # Uncomment to enable the `prefer_single_quotes` rule
diff --git a/example/android/.gitignore b/example/android/.gitignore
index 8fa38fa..c9e8004 100644
--- a/example/android/.gitignore
+++ b/example/android/.gitignore
@@ -8,9 +8,13 @@ GeneratedPluginRegistrant.java
build/
.idea/
+.android/app/.cxx/
# Remember to never publicly share your keystore.
# See https://flutter.dev/docs/deployment/android#reference-the-keystore-from-the-app
key.properties
**/*.keystore
**/*.jks
+
+# NDK build directory
+.cxx/
diff --git a/example/android/app/build.gradle b/example/android/app/build.gradle
index c15fae9..0749ac4 100644
--- a/example/android/app/build.gradle
+++ b/example/android/app/build.gradle
@@ -1,3 +1,9 @@
+plugins {
+ id "com.android.application"
+ id "kotlin-android"
+ id "dev.flutter.flutter-gradle-plugin"
+}
+
def localProperties = new Properties()
def localPropertiesFile = rootProject.file('local.properties')
if (localPropertiesFile.exists()) {
@@ -21,21 +27,17 @@ if (flutterVersionName == null) {
flutterVersionName = '1.0'
}
-apply plugin: 'com.android.application'
-apply plugin: 'kotlin-android'
-apply from: "$flutterRoot/packages/flutter_tools/gradle/flutter.gradle"
-
android {
- compileSdkVersion flutter.compileSdkVersion
- ndkVersion flutter.ndkVersion
-
+ compileSdkVersion 35
+ ndkVersion = "27.0.12077973"
+ namespace 'com.islamdidarmd.example.adblockerwebview.flutter.example'
compileOptions {
- sourceCompatibility JavaVersion.VERSION_1_8
- targetCompatibility JavaVersion.VERSION_1_8
+ sourceCompatibility JavaVersion.VERSION_17
+ targetCompatibility JavaVersion.VERSION_17
}
kotlinOptions {
- jvmTarget = '1.8'
+ jvmTarget = '17'
}
sourceSets {
@@ -43,20 +45,15 @@ android {
}
defaultConfig {
- // TODO: Specify your own unique Application ID (https://developer.android.com/studio/build/application-id.html).
applicationId "com.islamdidarmd.example.adblockerwebview.flutter.example"
- // You can update the following values to match your application needs.
- // For more information, see: https://docs.flutter.dev/deployment/android#reviewing-the-gradle-build-configuration.
- minSdkVersion flutter.minSdkVersion
- targetSdkVersion flutter.targetSdkVersion
+ minSdkVersion 21
+ targetSdkVersion 35
versionCode flutterVersionCode.toInteger()
versionName flutterVersionName
}
buildTypes {
release {
- // TODO: Add your own signing config for the release build.
- // Signing with the debug keys for now, so `flutter run --release` works.
signingConfig signingConfigs.debug
}
}
@@ -66,6 +63,3 @@ flutter {
source '../..'
}
-dependencies {
- implementation "org.jetbrains.kotlin:kotlin-stdlib-jdk7:$kotlin_version"
-}
diff --git a/example/android/app/src/main/AndroidManifest.xml b/example/android/app/src/main/AndroidManifest.xml
index b2c67a6..8691c0a 100644
--- a/example/android/app/src/main/AndroidManifest.xml
+++ b/example/android/app/src/main/AndroidManifest.xml
@@ -31,5 +31,8 @@
+
diff --git a/example/android/build.gradle b/example/android/build.gradle
index 713d7f6..bc157bd 100644
--- a/example/android/build.gradle
+++ b/example/android/build.gradle
@@ -1,16 +1,3 @@
-buildscript {
- ext.kotlin_version = '1.7.10'
- repositories {
- google()
- mavenCentral()
- }
-
- dependencies {
- classpath 'com.android.tools.build:gradle:7.2.0'
- classpath "org.jetbrains.kotlin:kotlin-gradle-plugin:$kotlin_version"
- }
-}
-
allprojects {
repositories {
google()
diff --git a/example/android/gradle/wrapper/gradle-wrapper.properties b/example/android/gradle/wrapper/gradle-wrapper.properties
index 3c472b9..a545497 100644
--- a/example/android/gradle/wrapper/gradle-wrapper.properties
+++ b/example/android/gradle/wrapper/gradle-wrapper.properties
@@ -1,5 +1,6 @@
+#Sat Dec 14 18:17:24 MYT 2024
distributionBase=GRADLE_USER_HOME
distributionPath=wrapper/dists
+distributionUrl=https\://services.gradle.org/distributions/gradle-8.10-bin.zip
zipStoreBase=GRADLE_USER_HOME
zipStorePath=wrapper/dists
-distributionUrl=https\://services.gradle.org/distributions/gradle-7.5-all.zip
diff --git a/example/android/settings.gradle b/example/android/settings.gradle
index 44e62bc..e261ebf 100644
--- a/example/android/settings.gradle
+++ b/example/android/settings.gradle
@@ -1,11 +1,25 @@
-include ':app'
+pluginManagement {
+ def flutterSdkPath = {
+ def properties = new Properties()
+ file("local.properties").withInputStream { properties.load(it) }
+ def flutterSdkPath = properties.getProperty("flutter.sdk")
+ assert flutterSdkPath != null, "flutter.sdk not set in local.properties"
+ return flutterSdkPath
+ }()
-def localPropertiesFile = new File(rootProject.projectDir, "local.properties")
-def properties = new Properties()
+ includeBuild("$flutterSdkPath/packages/flutter_tools/gradle")
-assert localPropertiesFile.exists()
-localPropertiesFile.withReader("UTF-8") { reader -> properties.load(reader) }
+ repositories {
+ google()
+ mavenCentral()
+ gradlePluginPortal()
+ }
+}
-def flutterSdkPath = properties.getProperty("flutter.sdk")
-assert flutterSdkPath != null, "flutter.sdk not set in local.properties"
-apply from: "$flutterSdkPath/packages/flutter_tools/gradle/app_plugin_loader.gradle"
+plugins {
+ id "dev.flutter.flutter-plugin-loader" version "1.0.0"
+ id "com.android.application" version "8.7.0" apply false
+ id "org.jetbrains.kotlin.android" version "1.9.0" apply false
+}
+
+include ":app"
diff --git a/example/ios/Podfile.lock b/example/ios/Podfile.lock
index b45d3c0..7cb50dc 100644
--- a/example/ios/Podfile.lock
+++ b/example/ios/Podfile.lock
@@ -1,32 +1,36 @@
PODS:
- Flutter (1.0.0)
- - flutter_inappwebview (0.0.1):
+ - path_provider_foundation (0.0.1):
- Flutter
- - flutter_inappwebview/Core (= 0.0.1)
- - OrderedSet (~> 5.0)
- - flutter_inappwebview/Core (0.0.1):
+ - FlutterMacOS
+ - sqflite_darwin (0.0.4):
- Flutter
- - OrderedSet (~> 5.0)
- - OrderedSet (5.0.0)
+ - FlutterMacOS
+ - webview_flutter_wkwebview (0.0.1):
+ - Flutter
+ - FlutterMacOS
DEPENDENCIES:
- Flutter (from `Flutter`)
- - flutter_inappwebview (from `.symlinks/plugins/flutter_inappwebview/ios`)
-
-SPEC REPOS:
- trunk:
- - OrderedSet
+ - path_provider_foundation (from `.symlinks/plugins/path_provider_foundation/darwin`)
+ - sqflite_darwin (from `.symlinks/plugins/sqflite_darwin/darwin`)
+ - webview_flutter_wkwebview (from `.symlinks/plugins/webview_flutter_wkwebview/darwin`)
EXTERNAL SOURCES:
Flutter:
:path: Flutter
- flutter_inappwebview:
- :path: ".symlinks/plugins/flutter_inappwebview/ios"
+ path_provider_foundation:
+ :path: ".symlinks/plugins/path_provider_foundation/darwin"
+ sqflite_darwin:
+ :path: ".symlinks/plugins/sqflite_darwin/darwin"
+ webview_flutter_wkwebview:
+ :path: ".symlinks/plugins/webview_flutter_wkwebview/darwin"
SPEC CHECKSUMS:
Flutter: e0871f40cf51350855a761d2e70bf5af5b9b5de7
- flutter_inappwebview: 3d32228f1304635e7c028b0d4252937730bbc6cf
- OrderedSet: aaeb196f7fef5a9edf55d89760da9176ad40b93c
+ path_provider_foundation: 2b6b4c569c0fb62ec74538f866245ac84301af46
+ sqflite_darwin: 5a7236e3b501866c1c9befc6771dfd73ffb8702d
+ webview_flutter_wkwebview: 0982481e3d9c78fd5c6f62a002fcd24fc791f1e4
PODFILE CHECKSUM: c4c93c5f6502fe2754f48404d3594bf779584011
diff --git a/example/ios/Runner.xcodeproj/project.pbxproj b/example/ios/Runner.xcodeproj/project.pbxproj
index 1dd79cb..429eb58 100644
--- a/example/ios/Runner.xcodeproj/project.pbxproj
+++ b/example/ios/Runner.xcodeproj/project.pbxproj
@@ -68,7 +68,6 @@
690E6D5C3DFEC1D835732A27 /* Pods-Runner.release.xcconfig */,
D5C18CB672469640DCB5A3C0 /* Pods-Runner.profile.xcconfig */,
);
- name = Pods;
path = Pods;
sourceTree = "";
};
@@ -358,8 +357,10 @@
buildSettings = {
ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon;
CLANG_ENABLE_MODULES = YES;
+ CODE_SIGN_IDENTITY = "Apple Development";
+ CODE_SIGN_STYLE = Automatic;
CURRENT_PROJECT_VERSION = "$(FLUTTER_BUILD_NUMBER)";
- DEVELOPMENT_TEAM = 3JH9L9U9Y4;
+ DEVELOPMENT_TEAM = 8F7KFNGML2;
ENABLE_BITCODE = NO;
INFOPLIST_FILE = Runner/Info.plist;
LD_RUNPATH_SEARCH_PATHS = (
@@ -368,6 +369,7 @@
);
PRODUCT_BUNDLE_IDENTIFIER = com.islamdidarmd.example.adblockerwebview.flutter.example;
PRODUCT_NAME = "$(TARGET_NAME)";
+ PROVISIONING_PROFILE_SPECIFIER = "";
SWIFT_OBJC_BRIDGING_HEADER = "Runner/Runner-Bridging-Header.h";
SWIFT_VERSION = 5.0;
VERSIONING_SYSTEM = "apple-generic";
@@ -487,8 +489,10 @@
buildSettings = {
ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon;
CLANG_ENABLE_MODULES = YES;
+ CODE_SIGN_IDENTITY = "Apple Development";
+ CODE_SIGN_STYLE = Automatic;
CURRENT_PROJECT_VERSION = "$(FLUTTER_BUILD_NUMBER)";
- DEVELOPMENT_TEAM = 3JH9L9U9Y4;
+ DEVELOPMENT_TEAM = 8F7KFNGML2;
ENABLE_BITCODE = NO;
INFOPLIST_FILE = Runner/Info.plist;
LD_RUNPATH_SEARCH_PATHS = (
@@ -497,6 +501,7 @@
);
PRODUCT_BUNDLE_IDENTIFIER = com.islamdidarmd.example.adblockerwebview.flutter.example;
PRODUCT_NAME = "$(TARGET_NAME)";
+ PROVISIONING_PROFILE_SPECIFIER = "";
SWIFT_OBJC_BRIDGING_HEADER = "Runner/Runner-Bridging-Header.h";
SWIFT_OPTIMIZATION_LEVEL = "-Onone";
SWIFT_VERSION = 5.0;
@@ -510,8 +515,10 @@
buildSettings = {
ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon;
CLANG_ENABLE_MODULES = YES;
+ CODE_SIGN_IDENTITY = "Apple Development";
+ CODE_SIGN_STYLE = Automatic;
CURRENT_PROJECT_VERSION = "$(FLUTTER_BUILD_NUMBER)";
- DEVELOPMENT_TEAM = 3JH9L9U9Y4;
+ DEVELOPMENT_TEAM = 8F7KFNGML2;
ENABLE_BITCODE = NO;
INFOPLIST_FILE = Runner/Info.plist;
LD_RUNPATH_SEARCH_PATHS = (
@@ -520,6 +527,7 @@
);
PRODUCT_BUNDLE_IDENTIFIER = com.islamdidarmd.example.adblockerwebview.flutter.example;
PRODUCT_NAME = "$(TARGET_NAME)";
+ PROVISIONING_PROFILE_SPECIFIER = "";
SWIFT_OBJC_BRIDGING_HEADER = "Runner/Runner-Bridging-Header.h";
SWIFT_VERSION = 5.0;
VERSIONING_SYSTEM = "apple-generic";
diff --git a/example/ios/Runner.xcodeproj/xcshareddata/xcschemes/Runner.xcscheme b/example/ios/Runner.xcodeproj/xcshareddata/xcschemes/Runner.xcscheme
index 5e31d3d..c53e2b3 100644
--- a/example/ios/Runner.xcodeproj/xcshareddata/xcschemes/Runner.xcscheme
+++ b/example/ios/Runner.xcodeproj/xcshareddata/xcschemes/Runner.xcscheme
@@ -48,6 +48,7 @@
ignoresPersistentStateOnLaunch = "NO"
debugDocumentVersioning = "YES"
debugServiceExtension = "internal"
+ enableGPUValidationMode = "1"
allowLocationSimulation = "YES">
diff --git a/example/ios/Runner/AppDelegate.swift b/example/ios/Runner/AppDelegate.swift
index 70693e4..b636303 100644
--- a/example/ios/Runner/AppDelegate.swift
+++ b/example/ios/Runner/AppDelegate.swift
@@ -1,7 +1,7 @@
import UIKit
import Flutter
-@UIApplicationMain
+@main
@objc class AppDelegate: FlutterAppDelegate {
override func application(
_ application: UIApplication,
diff --git a/example/lib/browser.dart b/example/lib/browser.dart
index 48a82d7..f8eb95e 100644
--- a/example/lib/browser.dart
+++ b/example/lib/browser.dart
@@ -36,7 +36,6 @@ class _BrowserState extends State {
});
},
shouldBlockAds: widget.shouldBlockAds,
- additionalHostsToBlock: const [],
),
),
Row(
diff --git a/example/lib/browser_screen.dart b/example/lib/browser_screen.dart
new file mode 100644
index 0000000..e16a0da
--- /dev/null
+++ b/example/lib/browser_screen.dart
@@ -0,0 +1,118 @@
+import 'package:adblocker_webview/adblocker_webview.dart';
+import 'package:flutter/material.dart';
+
+class BrowserScreen extends StatefulWidget {
+ const BrowserScreen({
+ required this.url,
+ required this.shouldBlockAds,
+ super.key,
+ });
+
+ final Uri url;
+ final bool shouldBlockAds;
+
+ @override
+ State createState() => _BrowserScreenState();
+}
+
+class _BrowserScreenState extends State {
+ final _controller = AdBlockerWebviewController.instance;
+ bool _canGoBack = false;
+ String _appbarUrl = "";
+
+ @override
+ void initState() {
+ super.initState();
+ _appbarUrl = widget.url.host;
+ }
+
+ @override
+ Widget build(BuildContext context) {
+ return PopScope(
+ canPop: !_canGoBack,
+ onPopInvokedWithResult: (didPop, result) async {
+ if (didPop) return;
+
+ if (await _controller.canGoBack()) {
+ _controller.goBack();
+ } else {
+ if (mounted) {
+ Navigator.of(context).pop();
+ }
+ }
+ },
+ child: Scaffold(
+ appBar: AppBar(
+ title: Text(_appbarUrl),
+ leading: IconButton(
+ icon: const Icon(Icons.arrow_back),
+ onPressed: () async {
+ if (await _controller.canGoBack()) {
+ _controller.goBack();
+ } else {
+ if (mounted) {
+ Navigator.of(context).pop();
+ }
+ }
+ },
+ ),
+ actions: [
+ IconButton(
+ icon: const Icon(Icons.arrow_back_ios),
+ onPressed: _canGoBack
+ ? () {
+ _controller.goBack();
+ }
+ : null,
+ ),
+ IconButton(
+ icon: const Icon(Icons.refresh),
+ onPressed: () {
+ _controller.reload();
+ },
+ ),
+ ],
+ ),
+ body: AdBlockerWebview(
+ url: widget.url,
+ shouldBlockAds: widget.shouldBlockAds,
+ adBlockerWebviewController: _controller,
+ onLoadStart: (url) {
+ debugPrint('Started loading: $url');
+ },
+ onLoadFinished: (url) {
+ debugPrint('Finished loading: $url');
+ _updateNavigationState(url);
+ },
+ onLoadError: (url, code) {
+ debugPrint('Error loading: $url (code: $code)');
+ ScaffoldMessenger.of(context).showSnackBar(
+ SnackBar(
+ content: Text('Error loading page: $code'),
+ backgroundColor: Colors.red,
+ ),
+ );
+ },
+ onProgress: (progress) {
+ debugPrint('Loading progress: $progress%');
+ },
+ onUrlChanged: (url) {
+ _updateNavigationState(url);
+ },
+ ),
+ ),
+ );
+ }
+
+ Future _updateNavigationState(String? url) async {
+ if (!mounted) return;
+
+ final canGoBack = await _controller.canGoBack();
+ if (canGoBack != _canGoBack) {
+ setState(() {
+ _canGoBack = canGoBack;
+ _appbarUrl = Uri.tryParse(url ?? "")?.host ?? "";
+ });
+ }
+ }
+}
diff --git a/example/lib/main.dart b/example/lib/main.dart
index 901ba1e..ffdd4ac 100644
--- a/example/lib/main.dart
+++ b/example/lib/main.dart
@@ -1,83 +1,98 @@
import 'package:adblocker_webview/adblocker_webview.dart';
-import 'package:example/browser.dart';
-import 'package:example/url_input.dart';
import 'package:flutter/material.dart';
-void main() {
- runApp(const MyApp());
+import 'browser_screen.dart';
+import 'url_input_section.dart';
+
+void main() async {
+ await AdBlockerWebviewController.instance.initialize(
+ FilterConfig(
+ filterTypes: [FilterType.easyList, FilterType.adGuard],
+ ),
+ [],
+ );
+ runApp(const ExampleApp());
}
-class MyApp extends StatelessWidget {
- const MyApp({super.key});
+class ExampleApp extends StatelessWidget {
+ const ExampleApp({super.key});
- // This widget is the root of your application.
@override
Widget build(BuildContext context) {
return MaterialApp(
- title: 'Flutter Demo',
+ title: 'AdBlocker WebView Example',
theme: ThemeData(
- primarySwatch: Colors.blue,
+ colorScheme: ColorScheme.fromSeed(seedColor: Colors.blue),
+ useMaterial3: true,
),
- home: const MyHomePage(title: 'Flutter Demo Home Page'),
+ home: const HomePage(),
);
}
}
-class MyHomePage extends StatefulWidget {
- const MyHomePage({super.key, required this.title});
-
- final String title;
+class HomePage extends StatefulWidget {
+ const HomePage({super.key});
@override
- State createState() => _MyHomePageState();
+ State createState() => _HomePageState();
}
-class _MyHomePageState extends State {
- final _adBlockerWebviewController = AdBlockerWebviewController.instance;
- bool _showBrowser = false;
- bool _shouldBlockAds = false;
- String _url = "";
-
- @override
- void initState() {
- super.initState();
- _adBlockerWebviewController.initialize();
- }
+class _HomePageState extends State {
+ bool _shouldBlockAds = true;
@override
Widget build(BuildContext context) {
return Scaffold(
- appBar: AppBar(title: Text(widget.title)),
- floatingActionButton: _showBrowser
- ? FloatingActionButton(
- child: const Icon(Icons.edit),
- onPressed: () {
- setState(() {
- _showBrowser = false;
- });
- },
- )
- : null,
- body: _showBrowser
- ? Browser(
- url: _url,
- controller: _adBlockerWebviewController,
- shouldBlockAds: _shouldBlockAds,
- )
- : UrlInput(
- onSubmit: (url) {
- setState(() {
- _url = url;
- _showBrowser = true;
- });
- },
- onBlockAdsStatusChange: (shouldBlockAds) {
- setState(() {
- _shouldBlockAds = shouldBlockAds;
- });
- },
- shouldBlockAds: _shouldBlockAds,
+ appBar: AppBar(
+ title: const Text('AdBlocker WebView Example'),
+ actions: [
+ Row(
+ children: [
+ const Text('Block Ads'),
+ Switch(
+ value: _shouldBlockAds,
+ onChanged: (value) {
+ setState(() {
+ _shouldBlockAds = value;
+ });
+ },
+ ),
+ ],
+ ),
+ ],
+ ),
+ body: SafeArea(
+ child: SingleChildScrollView(
+ child: Padding(
+ padding: const EdgeInsets.all(16),
+ child: Column(
+ crossAxisAlignment: CrossAxisAlignment.stretch,
+ children: [
+ const Text(
+ 'Enter a URL to test ad blocking',
+ style: TextStyle(
+ fontSize: 20,
+ fontWeight: FontWeight.bold,
+ ),
+ ),
+ const SizedBox(height: 16),
+ UrlInputSection(
+ onUrlSubmitted: (url) {
+ Navigator.of(context).push(
+ MaterialPageRoute(
+ builder: (context) => BrowserScreen(
+ url: url,
+ shouldBlockAds: _shouldBlockAds,
+ ),
+ ),
+ );
+ },
+ ),
+ ],
),
+ ),
+ ),
+ ),
);
}
}
diff --git a/example/lib/url_input_section.dart b/example/lib/url_input_section.dart
new file mode 100644
index 0000000..c1db39a
--- /dev/null
+++ b/example/lib/url_input_section.dart
@@ -0,0 +1,158 @@
+import 'package:flutter/material.dart';
+
+class UrlInputSection extends StatefulWidget {
+ const UrlInputSection({
+ required this.onUrlSubmitted,
+ super.key,
+ });
+
+ final void Function(Uri url) onUrlSubmitted;
+
+ @override
+ State createState() => _UrlInputSectionState();
+}
+
+class _UrlInputSectionState extends State {
+ final _urlController = TextEditingController();
+ final _formKey = GlobalKey();
+
+ static const _predefinedUrls = [
+ 'https://www.theguardian.com',
+ 'https://www.nytimes.com',
+ 'https://www.cnn.com',
+ 'https://www.reddit.com',
+ 'https://www.youtube.com',
+ ];
+
+ final List _recentUrls = [];
+
+ @override
+ void dispose() {
+ _urlController.dispose();
+ super.dispose();
+ }
+
+ void _submitUrl() {
+ if (_formKey.currentState?.validate() ?? false) {
+ final url = _normalizeUrl(_urlController.text);
+ _addToRecent(url.toString());
+ widget.onUrlSubmitted(url);
+ }
+ }
+
+ Uri _normalizeUrl(String input) {
+ var url = input.trim().toLowerCase();
+ if (!url.startsWith('http://') && !url.startsWith('https://')) {
+ url = 'https://$url';
+ }
+ return Uri.parse(url);
+ }
+
+ void _addToRecent(String url) {
+ setState(() {
+ _recentUrls
+ ..remove(url)
+ ..insert(0, url);
+ if (_recentUrls.length > 5) {
+ _recentUrls.removeLast();
+ }
+ });
+ }
+
+ @override
+ Widget build(BuildContext context) {
+ return Padding(
+ padding: const EdgeInsets.all(16),
+ child: Column(
+ crossAxisAlignment: CrossAxisAlignment.stretch,
+ children: [
+ Form(
+ key: _formKey,
+ child: TextFormField(
+ controller: _urlController,
+ decoration: InputDecoration(
+ labelText: 'Enter URL',
+ hintText: 'https://example.com',
+ prefixIcon: const Icon(Icons.link),
+ suffixIcon: IconButton(
+ icon: const Icon(Icons.send),
+ onPressed: _submitUrl,
+ ),
+ border: const OutlineInputBorder(),
+ ),
+ keyboardType: TextInputType.url,
+ textInputAction: TextInputAction.go,
+ onFieldSubmitted: (_) => _submitUrl(),
+ validator: (value) {
+ if (value == null || value.isEmpty) {
+ return 'Please enter a URL';
+ }
+ try {
+ final url = _normalizeUrl(value);
+ if (!url.hasScheme || !url.hasAuthority) {
+ return 'Please enter a valid URL';
+ }
+ } catch (e) {
+ return 'Invalid URL format';
+ }
+ return null;
+ },
+ ),
+ ),
+ const SizedBox(height: 16),
+ const Text(
+ 'Test URLs:',
+ style: TextStyle(
+ fontSize: 16,
+ fontWeight: FontWeight.bold,
+ ),
+ ),
+ const SizedBox(height: 8),
+ Wrap(
+ spacing: 8,
+ children: [
+ for (final url in _predefinedUrls)
+ ActionChip(
+ label: Text(Uri.parse(url).host),
+ onPressed: () {
+ _urlController.text = url;
+ _submitUrl();
+ },
+ ),
+ ],
+ ),
+ if (_recentUrls.isNotEmpty) ...[
+ const SizedBox(height: 16),
+ const Text(
+ 'Recent URLs:',
+ style: TextStyle(
+ fontSize: 16,
+ fontWeight: FontWeight.bold,
+ ),
+ ),
+ const SizedBox(height: 8),
+ Wrap(
+ spacing: 8,
+ children: [
+ for (final url in _recentUrls)
+ InputChip(
+ label: Text(Uri.parse(url).host),
+ onPressed: () {
+ _urlController.text = url;
+ _submitUrl();
+ },
+ deleteIcon: const Icon(Icons.close, size: 18),
+ onDeleted: () {
+ setState(() {
+ _recentUrls.remove(url);
+ });
+ },
+ ),
+ ],
+ ),
+ ],
+ ],
+ ),
+ );
+ }
+}
diff --git a/example/pubspec.lock b/example/pubspec.lock
new file mode 100644
index 0000000..f066e6f
--- /dev/null
+++ b/example/pubspec.lock
@@ -0,0 +1,276 @@
+# Generated by pub
+# See https://dart.dev/tools/pub/glossary#lockfile
+packages:
+ adblocker_core:
+ dependency: transitive
+ description:
+ name: adblocker_core
+ sha256: "21ffe452054160fe5df2d2bef2c2f9a6aa4c7184650527a099da8979a104308f"
+ url: "https://pub.dev"
+ source: hosted
+ version: "0.1.0"
+ adblocker_manager:
+ dependency: transitive
+ description:
+ name: adblocker_manager
+ sha256: e9a6afe9f4be07f1ba6b07094a46d9f1c9de0572b302601f3ddd1c698be25ebf
+ url: "https://pub.dev"
+ source: hosted
+ version: "1.0.0"
+ adblocker_webview:
+ dependency: "direct main"
+ description:
+ path: ".."
+ relative: true
+ source: path
+ version: "2.0.0"
+ async:
+ dependency: transitive
+ description:
+ name: async
+ sha256: d2872f9c19731c2e5f10444b14686eb7cc85c76274bd6c16e1816bff9a3bab63
+ url: "https://pub.dev"
+ source: hosted
+ version: "2.12.0"
+ boolean_selector:
+ dependency: transitive
+ description:
+ name: boolean_selector
+ sha256: "8aab1771e1243a5063b8b0ff68042d67334e3feab9e95b9490f9a6ebf73b42ea"
+ url: "https://pub.dev"
+ source: hosted
+ version: "2.1.2"
+ characters:
+ dependency: transitive
+ description:
+ name: characters
+ sha256: f71061c654a3380576a52b451dd5532377954cf9dbd272a78fc8479606670803
+ url: "https://pub.dev"
+ source: hosted
+ version: "1.4.0"
+ clock:
+ dependency: transitive
+ description:
+ name: clock
+ sha256: fddb70d9b5277016c77a80201021d40a2247104d9f4aa7bab7157b7e3f05b84b
+ url: "https://pub.dev"
+ source: hosted
+ version: "1.1.2"
+ collection:
+ dependency: transitive
+ description:
+ name: collection
+ sha256: "2f5709ae4d3d59dd8f7cd309b4e023046b57d8a6c82130785d2b0e5868084e76"
+ url: "https://pub.dev"
+ source: hosted
+ version: "1.19.1"
+ cupertino_icons:
+ dependency: "direct main"
+ description:
+ name: cupertino_icons
+ sha256: ba631d1c7f7bef6b729a622b7b752645a2d076dba9976925b8f25725a30e1ee6
+ url: "https://pub.dev"
+ source: hosted
+ version: "1.0.8"
+ fake_async:
+ dependency: transitive
+ description:
+ name: fake_async
+ sha256: "6a95e56b2449df2273fd8c45a662d6947ce1ebb7aafe80e550a3f68297f3cacc"
+ url: "https://pub.dev"
+ source: hosted
+ version: "1.3.2"
+ flutter:
+ dependency: "direct main"
+ description: flutter
+ source: sdk
+ version: "0.0.0"
+ flutter_lints:
+ dependency: "direct dev"
+ description:
+ name: flutter_lints
+ sha256: a25a15ebbdfc33ab1cd26c63a6ee519df92338a9c10f122adda92938253bef04
+ url: "https://pub.dev"
+ source: hosted
+ version: "2.0.3"
+ flutter_test:
+ dependency: "direct dev"
+ description: flutter
+ source: sdk
+ version: "0.0.0"
+ leak_tracker:
+ dependency: transitive
+ description:
+ name: leak_tracker
+ sha256: c35baad643ba394b40aac41080300150a4f08fd0fd6a10378f8f7c6bc161acec
+ url: "https://pub.dev"
+ source: hosted
+ version: "10.0.8"
+ leak_tracker_flutter_testing:
+ dependency: transitive
+ description:
+ name: leak_tracker_flutter_testing
+ sha256: f8b613e7e6a13ec79cfdc0e97638fddb3ab848452eff057653abd3edba760573
+ url: "https://pub.dev"
+ source: hosted
+ version: "3.0.9"
+ leak_tracker_testing:
+ dependency: transitive
+ description:
+ name: leak_tracker_testing
+ sha256: "6ba465d5d76e67ddf503e1161d1f4a6bc42306f9d66ca1e8f079a47290fb06d3"
+ url: "https://pub.dev"
+ source: hosted
+ version: "3.0.1"
+ lints:
+ dependency: transitive
+ description:
+ name: lints
+ sha256: "0a217c6c989d21039f1498c3ed9f3ed71b354e69873f13a8dfc3c9fe76f1b452"
+ url: "https://pub.dev"
+ source: hosted
+ version: "2.1.1"
+ matcher:
+ dependency: transitive
+ description:
+ name: matcher
+ sha256: dc58c723c3c24bf8d3e2d3ad3f2f9d7bd9cf43ec6feaa64181775e60190153f2
+ url: "https://pub.dev"
+ source: hosted
+ version: "0.12.17"
+ material_color_utilities:
+ dependency: transitive
+ description:
+ name: material_color_utilities
+ sha256: f7142bb1154231d7ea5f96bc7bde4bda2a0945d2806bb11670e30b850d56bdec
+ url: "https://pub.dev"
+ source: hosted
+ version: "0.11.1"
+ meta:
+ dependency: transitive
+ description:
+ name: meta
+ sha256: e3641ec5d63ebf0d9b41bd43201a66e3fc79a65db5f61fc181f04cd27aab950c
+ url: "https://pub.dev"
+ source: hosted
+ version: "1.16.0"
+ path:
+ dependency: transitive
+ description:
+ name: path
+ sha256: "75cca69d1490965be98c73ceaea117e8a04dd21217b37b292c9ddbec0d955bc5"
+ url: "https://pub.dev"
+ source: hosted
+ version: "1.9.1"
+ plugin_platform_interface:
+ dependency: transitive
+ description:
+ name: plugin_platform_interface
+ sha256: "4820fbfdb9478b1ebae27888254d445073732dae3d6ea81f0b7e06d5dedc3f02"
+ url: "https://pub.dev"
+ source: hosted
+ version: "2.1.8"
+ sky_engine:
+ dependency: transitive
+ description: flutter
+ source: sdk
+ version: "0.0.0"
+ source_span:
+ dependency: transitive
+ description:
+ name: source_span
+ sha256: "254ee5351d6cb365c859e20ee823c3bb479bf4a293c22d17a9f1bf144ce86f7c"
+ url: "https://pub.dev"
+ source: hosted
+ version: "1.10.1"
+ stack_trace:
+ dependency: transitive
+ description:
+ name: stack_trace
+ sha256: "8b27215b45d22309b5cddda1aa2b19bdfec9df0e765f2de506401c071d38d1b1"
+ url: "https://pub.dev"
+ source: hosted
+ version: "1.12.1"
+ stream_channel:
+ dependency: transitive
+ description:
+ name: stream_channel
+ sha256: "969e04c80b8bcdf826f8f16579c7b14d780458bd97f56d107d3950fdbeef059d"
+ url: "https://pub.dev"
+ source: hosted
+ version: "2.1.4"
+ string_scanner:
+ dependency: transitive
+ description:
+ name: string_scanner
+ sha256: "921cd31725b72fe181906c6a94d987c78e3b98c2e205b397ea399d4054872b43"
+ url: "https://pub.dev"
+ source: hosted
+ version: "1.4.1"
+ term_glyph:
+ dependency: transitive
+ description:
+ name: term_glyph
+ sha256: "7f554798625ea768a7518313e58f83891c7f5024f88e46e7182a4558850a4b8e"
+ url: "https://pub.dev"
+ source: hosted
+ version: "1.2.2"
+ test_api:
+ dependency: transitive
+ description:
+ name: test_api
+ sha256: fb31f383e2ee25fbbfe06b40fe21e1e458d14080e3c67e7ba0acfde4df4e0bbd
+ url: "https://pub.dev"
+ source: hosted
+ version: "0.7.4"
+ vector_math:
+ dependency: transitive
+ description:
+ name: vector_math
+ sha256: "80b3257d1492ce4d091729e3a67a60407d227c27241d6927be0130c98e741803"
+ url: "https://pub.dev"
+ source: hosted
+ version: "2.1.4"
+ vm_service:
+ dependency: transitive
+ description:
+ name: vm_service
+ sha256: "0968250880a6c5fe7edc067ed0a13d4bae1577fe2771dcf3010d52c4a9d3ca14"
+ url: "https://pub.dev"
+ source: hosted
+ version: "14.3.1"
+ webview_flutter:
+ dependency: transitive
+ description:
+ name: webview_flutter
+ sha256: "889a0a678e7c793c308c68739996227c9661590605e70b1f6cf6b9a6634f7aec"
+ url: "https://pub.dev"
+ source: hosted
+ version: "4.10.0"
+ webview_flutter_android:
+ dependency: transitive
+ description:
+ name: webview_flutter_android
+ sha256: "3d535126f7244871542b2f0b0fcf94629c9a14883250461f9abe1a6644c1c379"
+ url: "https://pub.dev"
+ source: hosted
+ version: "4.2.0"
+ webview_flutter_platform_interface:
+ dependency: transitive
+ description:
+ name: webview_flutter_platform_interface
+ sha256: d937581d6e558908d7ae3dc1989c4f87b786891ab47bb9df7de548a151779d8d
+ url: "https://pub.dev"
+ source: hosted
+ version: "2.10.0"
+ webview_flutter_wkwebview:
+ dependency: transitive
+ description:
+ name: webview_flutter_wkwebview
+ sha256: b7e92f129482460951d96ef9a46b49db34bd2e1621685de26e9eaafd9674e7eb
+ url: "https://pub.dev"
+ source: hosted
+ version: "3.16.3"
+sdks:
+ dart: ">=3.7.0 <4.0.0"
+ flutter: ">=3.29.0"
diff --git a/example/pubspec.yaml b/example/pubspec.yaml
index cfe3e5b..257d1bf 100644
--- a/example/pubspec.yaml
+++ b/example/pubspec.yaml
@@ -4,8 +4,7 @@ publish_to: 'none'
version: 1.0.0+1
environment:
- sdk: '>=3.0.0 <4.0.0'
- flutter: '>=3.19.5'
+ sdk: ^3.6.0
dependencies:
flutter:
diff --git a/example/test/widget_test.dart b/example/test/widget_test.dart
deleted file mode 100644
index 092d222..0000000
--- a/example/test/widget_test.dart
+++ /dev/null
@@ -1,30 +0,0 @@
-// This is a basic Flutter widget test.
-//
-// To perform an interaction with a widget in your test, use the WidgetTester
-// utility in the flutter_test package. For example, you can send tap and scroll
-// gestures. You can also use WidgetTester to find child widgets in the widget
-// tree, read text, and verify that the values of widget properties are correct.
-
-import 'package:flutter/material.dart';
-import 'package:flutter_test/flutter_test.dart';
-
-import 'package:example/main.dart';
-
-void main() {
- testWidgets('Counter increments smoke test', (WidgetTester tester) async {
- // Build our app and trigger a frame.
- await tester.pumpWidget(const MyApp());
-
- // Verify that our counter starts at 0.
- expect(find.text('0'), findsOneWidget);
- expect(find.text('1'), findsNothing);
-
- // Tap the '+' icon and trigger a frame.
- await tester.tap(find.byIcon(Icons.add));
- await tester.pump();
-
- // Verify that our counter has incremented.
- expect(find.text('0'), findsNothing);
- expect(find.text('1'), findsOneWidget);
- });
-}
diff --git a/lib/adblocker_webview.dart b/lib/adblocker_webview.dart
index c2cc359..a5f1161 100644
--- a/lib/adblocker_webview.dart
+++ b/lib/adblocker_webview.dart
@@ -1,3 +1,4 @@
+export 'package:adblocker_manager/adblocker_manager.dart';
export 'src/adblocker_webview.dart';
export 'src/adblocker_webview_controller.dart';
-export 'src/domain/entity/host.dart';
+export 'src/adblocker_webview_controller_impl.dart';
diff --git a/lib/src/adblocker_webview.dart b/lib/src/adblocker_webview.dart
index 03307af..7e6ec96 100644
--- a/lib/src/adblocker_webview.dart
+++ b/lib/src/adblocker_webview.dart
@@ -1,8 +1,13 @@
+import 'dart:async';
+import 'dart:io';
+
+import 'package:adblocker_manager/adblocker_manager.dart';
import 'package:adblocker_webview/src/adblocker_webview_controller.dart';
-import 'package:adblocker_webview/src/domain/entity/host.dart';
-import 'package:adblocker_webview/src/domain/mapper/host_mapper.dart';
+import 'package:adblocker_webview/src/block_resource_loading.dart';
+import 'package:adblocker_webview/src/elem_hide.dart';
+import 'package:adblocker_webview/src/logger.dart';
import 'package:flutter/material.dart';
-import 'package:flutter_inappwebview/flutter_inappwebview.dart';
+import 'package:webview_flutter/webview_flutter.dart';
/// A webview implementation of in Flutter that blocks most of the ads that
/// appear inside of the webpages.
@@ -16,18 +21,23 @@ class AdBlockerWebview extends StatefulWidget {
this.onLoadFinished,
this.onProgress,
this.onLoadError,
- this.onTitleChanged,
- this.options,
- this.additionalHostsToBlock = const [],
+ this.onUrlChanged,
super.key,
}) : assert(
- (url == null && initialHtmlData != null) ||
- (url != null && initialHtmlData == null),
- 'Both url and initialHtmlData can not be non null');
-
- /// Required: The initial [Uri] url that will be displayed in webview.
+ url != null || initialHtmlData != null,
+ 'Either url or initialHtmlData must be provided',
+ ),
+ assert(
+ !(url != null && initialHtmlData != null),
+ 'Cannot provide both url and initialHtmlData',
+ );
+
+ /// The initial [Uri] url that will be displayed in webview.
+ /// Either this or [initialHtmlData] must be provided, but not both.
final Uri? url;
+ /// The initial HTML content to load in the webview.
+ /// Either this or [url] must be provided, but not both.
final String? initialHtmlData;
/// Required: The controller for [AdBlockerWebview].
@@ -38,31 +48,19 @@ class AdBlockerWebview extends StatefulWidget {
final bool shouldBlockAds;
/// Invoked when a page has started loading.
- final void Function(InAppWebViewController controller, Uri? uri)? onLoadStart;
+ final void Function(String? url)? onLoadStart;
/// Invoked when a page has finished loading.
- final void Function(InAppWebViewController controller, Uri? uri)?
- onLoadFinished;
+ final void Function(String? url)? onLoadFinished;
/// Invoked when a page is loading to report the progress.
final void Function(int progress)? onProgress;
/// Invoked when the page title is changed.
- final void Function(InAppWebViewController controller, String? title)?
- onTitleChanged;
-
- final List additionalHostsToBlock;
+ final void Function(String? url)? onUrlChanged;
/// Invoked when a loading error occurred.
- final void Function(
- InAppWebViewController controller,
- Uri? url,
- int code,
- String message,
- )? onLoadError;
-
- /// Options for InAppWebView.
- final InAppWebViewGroupOptions? options;
+ final void Function(String? url, int code)? onLoadError;
@override
State createState() => _AdBlockerWebviewState();
@@ -70,55 +68,131 @@ class AdBlockerWebview extends StatefulWidget {
class _AdBlockerWebviewState extends State {
final _webViewKey = GlobalKey();
- InAppWebViewGroupOptions? _inAppWebViewOptions;
+ late final WebViewController _webViewController;
+
+ late Future _depsFuture;
+ final List _urlsToBlock = [];
@override
void initState() {
super.initState();
- _inAppWebViewOptions = widget.options ??
- InAppWebViewGroupOptions(
- crossPlatform: InAppWebViewOptions(),
- );
+ _depsFuture = _init();
+ }
- if (widget.shouldBlockAds) {
- _setContentBlockers();
+ Future _init() async {
+ _urlsToBlock
+ ..clear()
+ ..addAll(widget.adBlockerWebviewController.bannedResourceRules);
+
+ _webViewController = WebViewController();
+ await Future.wait([
+ _webViewController.setOnConsoleMessage((message) {
+ debugLog('[FLUTTER_WEBVIEW_LOG]: ${message.message}');
+ }),
+ _webViewController.setUserAgent(_getUserAgent()),
+ _webViewController.setJavaScriptMode(JavaScriptMode.unrestricted),
+ ]);
+
+ _setNavigationDelegate();
+ widget.adBlockerWebviewController.setInternalController(_webViewController);
+
+ // Load either URL or HTML content
+ if (widget.url != null) {
+ unawaited(_webViewController.loadRequest(widget.url!));
+ } else if (widget.initialHtmlData != null) {
+ unawaited(_webViewController.loadHtmlString(widget.initialHtmlData!));
}
}
- Future _setContentBlockers() async {
- final contentBlockerList =
- mapHostToContentBlocker(widget.adBlockerWebviewController.bannedHost)
- ..addAll(mapHostToContentBlocker(widget.additionalHostsToBlock));
- _inAppWebViewOptions?.crossPlatform.contentBlockers = contentBlockerList;
+ @override
+ Widget build(BuildContext context) {
+ return FutureBuilder(
+ future: _depsFuture,
+ builder: (_, state) {
+ if (state.hasError) {
+ return Text('Error: ${state.error}');
+ } else if (state.connectionState == ConnectionState.done) {
+ return WebViewWidget(
+ key: _webViewKey,
+ controller: _webViewController,
+ );
+ } else if (state.connectionState == ConnectionState.waiting) {
+ return const SizedBox(
+ height: 45,
+ child: Center(child: CircularProgressIndicator()),
+ );
+ }
+ return const SizedBox();
+ },
+ );
}
- void _clearContentBlockers() =>
- _inAppWebViewOptions?.crossPlatform.contentBlockers = [];
+ void _setNavigationDelegate() {
+ _webViewController.setNavigationDelegate(
+ NavigationDelegate(
+ onNavigationRequest: (request) {
+ final shouldBlock = widget.adBlockerWebviewController
+ .shouldBlockResource(request.url);
+ if (shouldBlock) {
+ debugLog('Blocking resource: ${request.url}');
+ return NavigationDecision.prevent;
+ }
+ return NavigationDecision.navigate;
+ },
+ onPageStarted: (url) async {
+ if (widget.shouldBlockAds) {
+ // Inject resource blocking script as early as possible
+ unawaited(
+ _webViewController.runJavaScript(
+ getResourceLoadingBlockerScript(_urlsToBlock),
+ ),
+ );
+ }
+ widget.onLoadStart?.call(url);
+ },
+ onPageFinished: (url) {
+ if (widget.shouldBlockAds) {
+ // Apply element hiding after page load
+ final cssRules =
+ widget.adBlockerWebviewController.getCssRulesForWebsite(url);
+ unawaited(
+ _webViewController.runJavaScript(generateHidingScript(cssRules)),
+ );
+ }
+
+ widget.onLoadFinished?.call(url);
+ },
+ onProgress: (progress) => widget.onProgress?.call(progress),
+ onHttpError:
+ (error) => widget.onLoadError?.call(
+ error.request?.uri.toString(),
+ error.response?.statusCode ?? -1,
+ ),
+ onUrlChange: (change) => widget.onUrlChanged?.call(change.url),
+ ),
+ );
+ }
- @override
- void didUpdateWidget(AdBlockerWebview oldWidget) {
- super.didUpdateWidget(oldWidget);
- if (widget.shouldBlockAds) {
- _setContentBlockers();
+ String _getUserAgent() {
+ final osVersion = Platform.operatingSystemVersion;
+
+ if (Platform.isAndroid) {
+ // Chrome 120 is the latest stable version as of now
+ return 'Mozilla/5.0 (Linux; Android $osVersion) '
+ 'AppleWebKit/537.36 (KHTML, like Gecko) '
+ 'Chrome/120.0.0.0 Mobile Safari/537.36';
+ } else if (Platform.isIOS) {
+ // Convert iOS version format from 13.0.0 to 13_0_0
+ final iosVersion = osVersion.replaceAll('.', '_');
+ // iOS 17 with Safari 17 is the latest stable version
+ return 'Mozilla/5.0 (iPhone; CPU iPhone OS $iosVersion like Mac OS X) '
+ 'AppleWebKit/605.1.15 (KHTML, like Gecko) '
+ 'Version/17.0 Mobile/15E148 Safari/604.1';
} else {
- _clearContentBlockers();
+ // Default to latest Chrome for other platforms
+ return 'Mozilla/5.0 ($osVersion) '
+ 'AppleWebKit/537.36 (KHTML, like Gecko) '
+ 'Chrome/120.0.0.0 Safari/537.36';
}
}
-
- @override
- Widget build(BuildContext context) {
- return InAppWebView(
- key: _webViewKey,
- onWebViewCreated: widget.adBlockerWebviewController.setInternalController,
- initialUrlRequest: URLRequest(url: widget.url),
- initialOptions: _inAppWebViewOptions,
- onLoadStart: widget.onLoadStart,
- onLoadStop: widget.onLoadFinished,
- onLoadError: widget.onLoadError,
- onTitleChanged: widget.onTitleChanged,
- initialData: widget.initialHtmlData == null
- ? null
- : InAppWebViewInitialData(data: widget.initialHtmlData!),
- );
- }
}
diff --git a/lib/src/adblocker_webview_controller.dart b/lib/src/adblocker_webview_controller.dart
index c1012b5..d868bb3 100644
--- a/lib/src/adblocker_webview_controller.dart
+++ b/lib/src/adblocker_webview_controller.dart
@@ -1,7 +1,6 @@
import 'dart:collection';
import 'package:adblocker_webview/adblocker_webview.dart';
-import 'package:adblocker_webview/src/adblocker_webview_controller_impl.dart';
import 'package:adblocker_webview/src/internal_adblocker_webview_controller.dart';
/// The controller for [AdBlockerWebview].
@@ -15,7 +14,7 @@ import 'package:adblocker_webview/src/internal_adblocker_webview_controller.dart
/// @override
/// void initState() {
/// super.initState();
-/// _adBlockerWebviewController.initialize();
+/// _adBlockerWebviewController.initialize(config, []);
/// /// ... Other code here.
/// }
/// ```
@@ -24,7 +23,8 @@ import 'package:adblocker_webview/src/internal_adblocker_webview_controller.dart
///ignore_for_file: avoid-late-keyword
///ignore_for_file: avoid-non-null-assertion
-abstract class AdBlockerWebviewController implements InternalWebviewController {
+abstract interface class AdBlockerWebviewController
+ implements InternalWebviewController {
static AdBlockerWebviewController? _instance;
/// Returns an implementation of this class
@@ -33,12 +33,11 @@ abstract class AdBlockerWebviewController implements InternalWebviewController {
return _instance!;
}
- /// Returns the banned host list.
- /// This list items are populated after calling the [initialize] method
- UnmodifiableListView get bannedHost;
-
/// Initializes the controller
- Future initialize();
+ Future initialize(
+ FilterConfig filterConfig,
+ List additionalResourceRules,
+ );
/// Returns decision of if the webview can go back
Future canGoBack();
@@ -49,17 +48,20 @@ abstract class AdBlockerWebviewController implements InternalWebviewController {
// Clears the cache of webview
Future clearCache();
+ /// Returns the banned resource rules list.
+ /// This list items are populated after calling the [initialize] method
+ UnmodifiableListView get bannedResourceRules;
+
// Returns the title of currently loaded webpage
Future getTitle();
// Loads the given url
Future loadUrl(String url);
- Future loadData(
- String data, {
- String mimeType = 'text/html',
- String encoding = 'utf8',
- });
+ Future loadData(String data, {String? baseUrl});
+
+ /// Returns the css rules for the given url
+ List getCssRulesForWebsite(String url);
/// Navigates webview to previous page
Future goBack();
@@ -67,6 +69,12 @@ abstract class AdBlockerWebviewController implements InternalWebviewController {
/// Navigates the webview to forward page
Future goForward();
+ /// Returns decision of if the resource should be blocked
+ bool shouldBlockResource(String url);
+
/// Reloads the current page
Future reload();
+
+ /// Runs the given script
+ Future runScript(String script);
}
diff --git a/lib/src/adblocker_webview_controller_impl.dart b/lib/src/adblocker_webview_controller_impl.dart
index 5494824..4fd4e08 100644
--- a/lib/src/adblocker_webview_controller_impl.dart
+++ b/lib/src/adblocker_webview_controller_impl.dart
@@ -1,124 +1,131 @@
import 'dart:collection';
-import 'package:adblocker_webview/src/adblocker_webview_controller.dart';
-import 'package:adblocker_webview/src/data/repository/adblocker_repository_impl.dart';
-import 'package:adblocker_webview/src/domain/entity/host.dart';
-import 'package:adblocker_webview/src/domain/repository/adblocker_repository.dart';
-import 'package:flutter_inappwebview/flutter_inappwebview.dart';
+import 'package:adblocker_webview/adblocker_webview.dart';
+import 'package:webview_flutter/webview_flutter.dart';
///Implementation for [AdBlockerWebviewController]
class AdBlockerWebviewControllerImpl implements AdBlockerWebviewController {
- AdBlockerWebviewControllerImpl({AdBlockerRepository? repository})
- : _repository = repository ?? AdBlockerRepositoryImpl();
- final AdBlockerRepository _repository;
+ AdBlockerWebviewControllerImpl();
- InAppWebViewController? _inAppWebViewController;
-
- final _bannedHost = [];
-
- @override
- UnmodifiableListView get bannedHost =>
- UnmodifiableListView(_bannedHost);
+ WebViewController? _webViewController;
+ final AdblockFilterManager _adBlockManager = AdblockFilterManager();
+ final _bannedResourceRules = [];
@override
- Future initialize() async {
- final hosts = await _repository.fetchBannedHostList();
- _bannedHost
+ Future initialize(
+ FilterConfig filterConfig,
+ List additionalResourceRules,
+ ) async {
+ await _adBlockManager.init(filterConfig);
+ _bannedResourceRules
..clear()
- ..addAll(hosts);
+ ..addAll(_adBlockManager.getAllResourceRules())
+ ..addAll(additionalResourceRules);
}
@override
- void setInternalController(InAppWebViewController controller) {
- _inAppWebViewController = controller;
+ UnmodifiableListView get bannedResourceRules =>
+ UnmodifiableListView(_bannedResourceRules);
+
+ @override
+ void setInternalController(WebViewController controller) {
+ _webViewController = controller;
}
@override
Future canGoBack() async {
- if (_inAppWebViewController == null) {
+ if (_webViewController == null) {
return false;
}
- return _inAppWebViewController!.canGoBack();
+ return _webViewController!.canGoBack();
}
@override
Future canGoForward() async {
- if (_inAppWebViewController == null) {
+ if (_webViewController == null) {
return false;
}
- return _inAppWebViewController!.canGoForward();
+ return _webViewController!.canGoForward();
}
@override
Future clearCache() async {
- if (_inAppWebViewController == null) {
+ if (_webViewController == null) {
return;
}
- return _inAppWebViewController!.clearCache();
+ return _webViewController!.clearCache();
}
+ @override
+ List getCssRulesForWebsite(String url) =>
+ _adBlockManager.getCSSRulesForWebsite(url);
+
@override
Future getTitle() async {
- if (_inAppWebViewController == null) {
+ if (_webViewController == null) {
return null;
}
- return _inAppWebViewController!.getTitle();
+ return _webViewController!.getTitle();
}
@override
Future goBack() async {
- if (_inAppWebViewController == null) {
+ if (_webViewController == null) {
return;
}
- return _inAppWebViewController!.goBack();
+ return _webViewController!.goBack();
}
@override
Future goForward() async {
- if (_inAppWebViewController == null) {
+ if (_webViewController == null) {
return;
}
- return _inAppWebViewController!.goForward();
+ return _webViewController!.goForward();
}
@override
Future loadUrl(String url) async {
- if (_inAppWebViewController == null) {
+ if (_webViewController == null) {
return;
}
- return _inAppWebViewController!
- .loadUrl(urlRequest: URLRequest(url: Uri.parse(url)));
+ return _webViewController!.loadRequest(Uri.parse(url));
}
@override
- Future loadData(
- String data, {
- String mimeType = 'text/html',
- String encoding = 'utf8',
- }) async {
- if (_inAppWebViewController == null) {
+ Future loadData(String data, {String? baseUrl}) async {
+ if (_webViewController == null) {
return;
}
- return _inAppWebViewController!.loadData(
- data: data,
- mimeType: mimeType,
- encoding: encoding,
- );
+ return _webViewController!.loadHtmlString(data, baseUrl: baseUrl);
}
+ @override
+ bool shouldBlockResource(String url) =>
+ _adBlockManager.shouldBlockResource(url);
+
@override
Future reload() async {
- if (_inAppWebViewController == null) {
+ if (_webViewController == null) {
+ return;
+ }
+
+ return _webViewController!.reload();
+ }
+
+ @override
+ Future runScript(String script) async {
+ if (_webViewController == null) {
return;
}
- return _inAppWebViewController!.reload();
+ return _webViewController!.runJavaScript(script);
}
}
diff --git a/lib/src/block_resource_loading.dart b/lib/src/block_resource_loading.dart
new file mode 100644
index 0000000..23a8743
--- /dev/null
+++ b/lib/src/block_resource_loading.dart
@@ -0,0 +1,169 @@
+import 'package:adblocker_manager/adblocker_manager.dart';
+
+String getResourceLoadingBlockerScript(List rules) {
+ // Convert ResourceRules to JavaScript objects
+ final jsRules = rules.map((rule) => '''
+ {
+ url: '${rule.url}',
+ isException: ${rule.isException}
+ }
+ ''',).join(',\n');
+
+ final content = '''
+ window.adBlockerRules = [$jsRules];
+
+ function setupResourceBlocking() {
+ const rules = window.adBlockerRules || [];
+
+ function domainMatches(rule, target) {
+ return rule === target || target.includes(rule);
+ }
+
+ function isBlocked(url, originType) {
+ // First check exception rules
+ const isException = rules.some(rule => {
+ return rule.isException && domainMatches(rule.url, url);
+ });
+
+ if (isException) {
+ console.log(`[EXCEPTION][\${originType}] \${url}`, {
+ domain: url,
+ currentDomain: window.location.hostname
+ });
+ return false;
+ }
+
+ // Then check blocking rules
+ const blockedRule = rules.find(rule => {
+ return !rule.isException && domainMatches(rule.url, url);
+ });
+
+ if (blockedRule) {
+ console.log(`[BLOCKED][\${originType}] \${url}`, {
+ domain: url,
+ rule: blockedRule.url,
+ currentDomain: window.location.hostname
+ });
+ return true;
+ }
+ return false;
+ }
+
+ // Override XMLHttpRequest
+ const originalXHROpen = XMLHttpRequest.prototype.open;
+ XMLHttpRequest.prototype.open = function (method, url) {
+ if (isBlocked(url, 'XHR')) {
+ return new Proxy(new XMLHttpRequest(), {
+ get: function(target, prop) {
+ if (prop === 'send') return function() {};
+ return target[prop];
+ }
+ });
+ }
+ return originalXHROpen.apply(this, arguments);
+ };
+
+ // Override Fetch API
+ const originalFetch = window.fetch;
+ window.fetch = function (resource, init) {
+ const url = resource instanceof Request ? resource.url : resource;
+ if (isBlocked(url, 'Fetch')) {
+ return Promise.resolve(new Response('', {
+ status: 200,
+ statusText: 'OK'
+ }));
+ }
+ return originalFetch.apply(this, arguments);
+ };
+
+ // Block dynamic script loading
+ const originalCreateElement = document.createElement;
+ document.createElement = function (tagName) {
+ const element = originalCreateElement.apply(document, arguments);
+
+ if (tagName.toLowerCase() === 'script') {
+ const originalSetAttribute = element.setAttribute;
+ element.setAttribute = function(name, value) {
+ if (name === 'src' && isBlocked(value, 'Script')) {
+ return;
+ }
+ return originalSetAttribute.call(this, name, value);
+ };
+ }
+
+ return element;
+ };
+
+ // Block image loading
+ const originalImageSrc = Object.getOwnPropertyDescriptor(Image.prototype, 'src');
+ Object.defineProperty(Image.prototype, 'src', {
+ get: function() {
+ return originalImageSrc.get.call(this);
+ },
+ set: function(value) {
+ if (isBlocked(value, 'Image')) {
+ return;
+ }
+ originalImageSrc.set.call(this, value);
+ }
+ });
+
+ console.log('[AdBlocker] Resource blocking initialized with', rules.length, 'rules');
+ }
+ ''';
+
+ return '''
+ (function () {
+ // Listening for the appearance of the body element to execute the script as early as possible
+ const config = { attributes: false, childList: true, subtree: true };
+ const callback = function (mutationsList, observer) {
+ for (const mutation of mutationsList) {
+ if (mutation.type === 'childList') {
+ if (document.getElementsByTagName('body')[0]) {
+ console.log('[AdBlocker] Body element detected, initializing blocking');
+ script();
+ observer.disconnect();
+ }
+ break;
+ }
+ }
+ };
+ const observer = new MutationObserver(callback);
+ observer.observe(document, config);
+
+ const onReadystatechange = function () {
+ if (document.readyState == 'interactive') {
+ script();
+ }
+ }
+
+ const addListeners = function () {
+ document.addEventListener('readystatechange', onReadystatechange);
+ document.addEventListener('DOMContentLoaded', script, false);
+ window.addEventListener('load', script);
+ }
+
+ const removeListeners = function () {
+ document.removeEventListener('readystatechange', onReadystatechange);
+ document.removeEventListener('DOMContentLoaded', script, false);
+ window.removeEventListener('load', script);
+ }
+
+ const script = function () {
+ try {
+ $content
+ setupResourceBlocking();
+ } catch (error) {
+ console.error('[AdBlocker] Setup error:', error);
+ }
+ removeListeners();
+ }
+
+ if (document.readyState == 'interactive' || document.readyState == 'complete') {
+ script();
+ } else {
+ addListeners();
+ }
+ })();
+ ''';
+}
diff --git a/lib/src/data/repository/adblocker_repository_impl.dart b/lib/src/data/repository/adblocker_repository_impl.dart
deleted file mode 100644
index c5f6519..0000000
--- a/lib/src/data/repository/adblocker_repository_impl.dart
+++ /dev/null
@@ -1,34 +0,0 @@
-import 'dart:convert';
-
-import 'package:adblocker_webview/src/domain/entity/host.dart';
-import 'package:adblocker_webview/src/domain/repository/adblocker_repository.dart';
-import 'package:flutter/foundation.dart';
-import 'package:flutter_cache_manager/flutter_cache_manager.dart';
-
-class AdBlockerRepositoryImpl implements AdBlockerRepository {
- final _url =
- 'https://pgl.yoyo.org/as/serverlist.php?hostformat=nohtml&showintro=0';
-
- @override
- Future> fetchBannedHostList() async {
- try {
- final response = await _getDataWithCache(_url);
-
- return LineSplitter.split(response)
- .map((e) => Host(authority: e))
- .toList();
- } catch (e) {
- if (kDebugMode) {
- print(e);
- }
-
- return [];
- }
- }
-
- Future _getDataWithCache(String url) async {
- final cacheManager = DefaultCacheManager();
- final file = await cacheManager.getSingleFile(url);
- return file.readAsString();
- }
-}
diff --git a/lib/src/domain/entity/host.dart b/lib/src/domain/entity/host.dart
deleted file mode 100644
index 0922358..0000000
--- a/lib/src/domain/entity/host.dart
+++ /dev/null
@@ -1,9 +0,0 @@
-class Host {
- const Host({
- required this.authority,
- });
-
- // This is the domain name that identifies the internet host
- // (e.g., www.google.com, example.com)
- final String authority;
-}
diff --git a/lib/src/domain/mapper/host_mapper.dart b/lib/src/domain/mapper/host_mapper.dart
deleted file mode 100644
index cf0b08b..0000000
--- a/lib/src/domain/mapper/host_mapper.dart
+++ /dev/null
@@ -1,19 +0,0 @@
-import 'package:adblocker_webview/src/domain/entity/host.dart';
-import 'package:flutter_inappwebview/flutter_inappwebview.dart';
-
-List mapHostToContentBlocker(List hostList) {
- return hostList
- .map(
- (e) => ContentBlocker(
- trigger: ContentBlockerTrigger(
- urlFilter: _createUrlFilterFromAuthority(e.authority),
- ),
- action: ContentBlockerAction(
- type: ContentBlockerActionType.BLOCK,
- ),
- ),
- )
- .toList();
-}
-
-String _createUrlFilterFromAuthority(String authority) => '.*.$authority/.*';
diff --git a/lib/src/domain/repository/adblocker_repository.dart b/lib/src/domain/repository/adblocker_repository.dart
deleted file mode 100644
index 8a7e3a7..0000000
--- a/lib/src/domain/repository/adblocker_repository.dart
+++ /dev/null
@@ -1,5 +0,0 @@
-import 'package:adblocker_webview/src/domain/entity/host.dart';
-
-abstract class AdBlockerRepository {
- Future> fetchBannedHostList();
-}
diff --git a/lib/src/elem_hide.dart b/lib/src/elem_hide.dart
new file mode 100644
index 0000000..3e1347c
--- /dev/null
+++ b/lib/src/elem_hide.dart
@@ -0,0 +1,51 @@
+import 'dart:convert';
+
+String generateHidingScript(List selectors) {
+ final jsSelectorsArray = jsonEncode(selectors);
+ return '''
+ window.adBlockerSelectors = $jsSelectorsArray;
+(function () {
+ const selectors = window.adBlockerSelectors || [];
+ const BATCH_SIZE = 1000;
+
+ async function hideElements() {
+ if (!Array.isArray(selectors) || !selectors.length) {
+ console.log('[AdBlocker] No selectors to process');
+ return;
+ }
+
+ try {
+ const batchCount = Math.ceil(selectors.length / BATCH_SIZE);
+ for (let i = 0; i < batchCount; i++) {
+ const start = i * BATCH_SIZE;
+ const end = Math.min(start + BATCH_SIZE, selectors.length);
+ const batchSelectors = selectors.slice(start, end);
+
+ document.querySelectorAll(batchSelectors.join(',')).forEach((el) => {
+ console.log('Removing element: ', el.id);
+ return el.remove();
+ });
+ await new Promise(resolve => setTimeout(resolve, 300));
+ }
+ console.info('[AdBlocker] Elements hide rules applied: ', selectors.length);
+ } catch (error) {
+ console.error('[AdBlocker] Error:', error);
+ }
+ }
+
+ // Create a MutationObserver instance
+ const observer = new MutationObserver(() => hideElements());
+
+ // Start observing
+ try {
+ observer.observe(document.body, {
+ childList: true,
+ subtree: true
+ });
+ hideElements();
+ } catch (error) {
+ console.error('[AdBlocker] Observer error:', error);
+ }
+})();
+ ''';
+}
diff --git a/lib/src/internal_adblocker_webview_controller.dart b/lib/src/internal_adblocker_webview_controller.dart
index 92f2064..4532b0e 100644
--- a/lib/src/internal_adblocker_webview_controller.dart
+++ b/lib/src/internal_adblocker_webview_controller.dart
@@ -1,7 +1,7 @@
-import 'package:flutter_inappwebview/flutter_inappwebview.dart';
+import 'package:webview_flutter/webview_flutter.dart';
abstract class InternalWebviewController {
- /// Sets inAppWebviewController to be used in future
+ /// Sets WebViewController to be used in future
/// Typically not to be used by third parties
- void setInternalController(InAppWebViewController controller);
+ void setInternalController(WebViewController controller);
}
diff --git a/lib/src/logger.dart b/lib/src/logger.dart
new file mode 100644
index 0000000..a5d35b9
--- /dev/null
+++ b/lib/src/logger.dart
@@ -0,0 +1,9 @@
+import 'package:flutter/foundation.dart';
+
+const _tag = 'AdBlockerWebView';
+
+void debugLog(Object message) {
+ if (kDebugMode) {
+ print('$_tag: $message');
+ }
+}
diff --git a/packages/adblocker_core/.gitignore b/packages/adblocker_core/.gitignore
new file mode 100644
index 0000000..eb6c05c
--- /dev/null
+++ b/packages/adblocker_core/.gitignore
@@ -0,0 +1,31 @@
+# Miscellaneous
+*.class
+*.log
+*.pyc
+*.swp
+.DS_Store
+.atom/
+.buildlog/
+.history
+.svn/
+migrate_working_dir/
+
+# IntelliJ related
+*.iml
+*.ipr
+*.iws
+.idea/
+
+# The .vscode folder contains launch configuration and tasks you configure in
+# VS Code which you may wish to be included in version control, so this line
+# is commented out by default.
+#.vscode/
+
+# Flutter/Dart/Pub related
+# Libraries should not include pubspec.lock, per https://dart.dev/guides/libraries/private-files#pubspeclock.
+/pubspec.lock
+**/doc/api/
+.dart_tool/
+.flutter-plugins
+.flutter-plugins-dependencies
+build/
diff --git a/packages/adblocker_core/.metadata b/packages/adblocker_core/.metadata
new file mode 100644
index 0000000..f5be3bc
--- /dev/null
+++ b/packages/adblocker_core/.metadata
@@ -0,0 +1,10 @@
+# This file tracks properties of this Flutter project.
+# Used by Flutter tool to assess capabilities and perform upgrades etc.
+#
+# This file should be version controlled and should not be manually edited.
+
+version:
+ revision: "8495dee1fd4aacbe9de707e7581203232f591b2f"
+ channel: "stable"
+
+project_type: package
diff --git a/packages/adblocker_core/CHANGELOG.md b/packages/adblocker_core/CHANGELOG.md
new file mode 100644
index 0000000..b6b1be1
--- /dev/null
+++ b/packages/adblocker_core/CHANGELOG.md
@@ -0,0 +1,3 @@
+## 0.1.0
+
+* Initial release with basic rules parsing
diff --git a/packages/adblocker_core/LICENSE b/packages/adblocker_core/LICENSE
new file mode 100644
index 0000000..ffb3cd1
--- /dev/null
+++ b/packages/adblocker_core/LICENSE
@@ -0,0 +1,28 @@
+BSD 3-Clause License
+
+Copyright (c) 2025, Md Didarul Islam
+
+Redistribution and use in source and binary forms, with or without
+modification, are permitted provided that the following conditions are met:
+
+1. Redistributions of source code must retain the above copyright notice, this
+ list of conditions and the following disclaimer.
+
+2. Redistributions in binary form must reproduce the above copyright notice,
+ this list of conditions and the following disclaimer in the documentation
+ and/or other materials provided with the distribution.
+
+3. Neither the name of the copyright holder nor the names of its
+ contributors may be used to endorse or promote products derived from
+ this software without specific prior written permission.
+
+THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
+AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
+IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
+DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE
+FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
+DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR
+SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER
+CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY,
+OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
+OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
diff --git a/packages/adblocker_core/README.md b/packages/adblocker_core/README.md
new file mode 100644
index 0000000..f80a2cf
--- /dev/null
+++ b/packages/adblocker_core/README.md
@@ -0,0 +1 @@
+This package is a core package for the adblocker webview package. It contains the logic for blocking ads and trackers.
\ No newline at end of file
diff --git a/packages/adblocker_core/analysis_options.yaml b/packages/adblocker_core/analysis_options.yaml
new file mode 100644
index 0000000..5ce2a68
--- /dev/null
+++ b/packages/adblocker_core/analysis_options.yaml
@@ -0,0 +1,15 @@
+include: package:very_good_analysis/analysis_options.yaml
+
+analyzer:
+ exclude:
+ - lib/generated_plugin_registrant.dart
+ - lib/gen/**
+ - lib/**.g.dart
+ - lib/**.freezed.dart
+ - lib/**.config.dart
+
+linter:
+ rules:
+ public_member_api_docs: false
+ avoid_unused_constructor_parameters: false
+ one_member_abstracts: false
diff --git a/packages/adblocker_core/lib/adblocker_core.dart b/packages/adblocker_core/lib/adblocker_core.dart
new file mode 100644
index 0000000..d341a30
--- /dev/null
+++ b/packages/adblocker_core/lib/adblocker_core.dart
@@ -0,0 +1,4 @@
+export 'src/adblocker_filter.dart';
+export 'src/adblocker_filter_impl.dart';
+export 'src/rules/css_rule.dart';
+export 'src/rules/resource_rule.dart';
diff --git a/packages/adblocker_core/lib/src/adblocker_filter.dart b/packages/adblocker_core/lib/src/adblocker_filter.dart
new file mode 100644
index 0000000..c66dfde
--- /dev/null
+++ b/packages/adblocker_core/lib/src/adblocker_filter.dart
@@ -0,0 +1,12 @@
+import 'package:adblocker_core/src/adblocker_filter_impl.dart';
+import 'package:adblocker_core/src/rules/resource_rule.dart';
+
+abstract interface class AdblockerFilter {
+ Future init(String filterData);
+ List getCSSRulesForWebsite(String url);
+ List getAllResourceRules();
+ bool shouldBlockResource(String url);
+ Future dispose();
+
+ static AdblockerFilter createInstance() => AdblockerFilterImpl();
+}
diff --git a/packages/adblocker_core/lib/src/adblocker_filter_impl.dart b/packages/adblocker_core/lib/src/adblocker_filter_impl.dart
new file mode 100644
index 0000000..59055c3
--- /dev/null
+++ b/packages/adblocker_core/lib/src/adblocker_filter_impl.dart
@@ -0,0 +1,104 @@
+import 'package:adblocker_core/src/adblocker_filter.dart';
+import 'package:adblocker_core/src/parser/css_rules_parser.dart';
+import 'package:adblocker_core/src/parser/resource_rules_parser.dart';
+import 'package:adblocker_core/src/rules/css_rule.dart';
+import 'package:adblocker_core/src/rules/resource_rule.dart';
+
+final _commentPattern = RegExp(r'^\s*!.*');
+
+class AdblockerFilterImpl implements AdblockerFilter {
+ final List _cssRules = [];
+ final List _resourceRules = [];
+ final List _resourceExceptionRules = [];
+ final _cssRulesParser = CSSRulesParser();
+ final _resourceRulesParser = ResourceRulesParser();
+
+ @override
+ Future init(String filterData) async {
+ _parseRules(filterData);
+ }
+
+ @override
+ List getCSSRulesForWebsite(String url) {
+ final uri = Uri.tryParse(url);
+ if (uri == null) return [];
+ final domain = uri.host;
+ final applicableRules = [];
+ final applicableExceptionRules = {};
+
+ for (final rule in _cssRules) {
+ if (applicableExceptionRules.containsKey(rule.selector)) continue;
+
+ if (rule.domain.isEmpty ||
+ rule.domain.any((d) => _domainMatches(d, domain))) {
+ if (rule.isException) {
+ applicableExceptionRules[rule.selector] = true;
+ } else {
+ applicableRules.add(rule.selector);
+ }
+ }
+ }
+
+ applicableExceptionRules.keys.forEach(applicableRules.remove);
+
+ return applicableRules;
+ }
+
+ @override
+ List getAllResourceRules() {
+ return [..._resourceRules, ..._resourceExceptionRules];
+ }
+
+ @override
+ bool shouldBlockResource(String url) {
+ final isException =
+ _resourceExceptionRules.any((rule) => _domainMatches(rule.url, url));
+ if (isException) return false;
+ return _resourceRules.any((rule) => _domainMatches(rule.url, url));
+ }
+
+ @override
+ Future dispose() async {
+ _cssRules.clear();
+ _resourceRules.clear();
+ _resourceExceptionRules.clear();
+ }
+
+ void _parseRules(String content) {
+ final lines = content.split('\n');
+
+ for (var line in lines) {
+ line = line.trim();
+
+ if (line.isEmpty || line.startsWith(_commentPattern)) continue;
+
+ final isCSSParsed = _parseCSSRule(line);
+ if (isCSSParsed) continue;
+
+ final isResourceParsed = _parseResourceRule(line);
+ if (isResourceParsed) continue;
+ }
+ }
+
+ bool _parseCSSRule(String line) {
+ final rule = _cssRulesParser.parseLine(line);
+ if (rule == null) return false;
+ _cssRules.add(rule);
+ return true;
+ }
+
+ bool _parseResourceRule(String line) {
+ final rule = _resourceRulesParser.parseLine(line);
+ if (rule == null) return false;
+ if (rule.isException) {
+ _resourceExceptionRules.add(rule);
+ } else {
+ _resourceRules.add(rule);
+ }
+ return true;
+ }
+
+ bool _domainMatches(String ruleDomain, String targetDomain) {
+ return targetDomain == ruleDomain || targetDomain.contains(ruleDomain);
+ }
+}
diff --git a/packages/adblocker_core/lib/src/parser/css_rules_parser.dart b/packages/adblocker_core/lib/src/parser/css_rules_parser.dart
new file mode 100644
index 0000000..88e30ab
--- /dev/null
+++ b/packages/adblocker_core/lib/src/parser/css_rules_parser.dart
@@ -0,0 +1,28 @@
+import 'package:adblocker_core/src/rules/css_rule.dart';
+
+final _cssRulePattern = RegExp(r'^([^#]*)(##|#@#|#\?#)(.+)$');
+
+class CSSRulesParser {
+ CSSRule? parseLine(String line) {
+ final match = _cssRulePattern.firstMatch(line);
+ if (match == null) return null;
+
+ final domainGroup = match.group(1);
+ final domain = [];
+ if (domainGroup != null && domainGroup.isNotEmpty) {
+ domain.addAll(domainGroup.split(','));
+ }
+
+ final separator = match.group(2) ?? '##';
+ final selector = match.group(3) ?? '';
+ final isException = separator == '#@#';
+
+ if (selector.contains('[') && selector.contains(']')) return null;
+
+ return CSSRule(
+ domain: domain,
+ selector: selector,
+ isException: isException,
+ );
+ }
+}
diff --git a/packages/adblocker_core/lib/src/parser/resource_rules_parser.dart b/packages/adblocker_core/lib/src/parser/resource_rules_parser.dart
new file mode 100644
index 0000000..7e2ae0e
--- /dev/null
+++ b/packages/adblocker_core/lib/src/parser/resource_rules_parser.dart
@@ -0,0 +1,15 @@
+import 'package:adblocker_core/src/rules/resource_rule.dart';
+
+final _resourceRulePattern = RegExp(r'\|\|([^$*^]+)(?:\^)?\$?(.*)');
+
+class ResourceRulesParser {
+ ResourceRule? parseLine(String line) {
+ final match = _resourceRulePattern.firstMatch(line);
+ if (match == null) return null;
+
+ final url = match.group(1) ?? '';
+ final isException = line.startsWith('@@');
+
+ return ResourceRule(url: url, isException: isException);
+ }
+}
diff --git a/packages/adblocker_core/lib/src/rules/css_rule.dart b/packages/adblocker_core/lib/src/rules/css_rule.dart
new file mode 100644
index 0000000..da04e5f
--- /dev/null
+++ b/packages/adblocker_core/lib/src/rules/css_rule.dart
@@ -0,0 +1,10 @@
+class CSSRule {
+ CSSRule({
+ required this.domain,
+ required this.selector,
+ this.isException = false,
+ });
+ final List domain;
+ final String selector;
+ final bool isException;
+}
diff --git a/packages/adblocker_core/lib/src/rules/resource_rule.dart b/packages/adblocker_core/lib/src/rules/resource_rule.dart
new file mode 100644
index 0000000..1e63670
--- /dev/null
+++ b/packages/adblocker_core/lib/src/rules/resource_rule.dart
@@ -0,0 +1,8 @@
+class ResourceRule {
+ ResourceRule({
+ required this.url,
+ this.isException = false,
+ });
+ final String url;
+ final bool isException;
+}
diff --git a/packages/adblocker_core/pubspec.yaml b/packages/adblocker_core/pubspec.yaml
new file mode 100644
index 0000000..97e7561
--- /dev/null
+++ b/packages/adblocker_core/pubspec.yaml
@@ -0,0 +1,18 @@
+name: adblocker_core
+description: "Core package for adblocker webview"
+version: 0.1.0
+homepage: "https://github.com/islamdidarmd/flutter_adblocker_webview"
+
+environment:
+ sdk: ^3.7.0
+ flutter: '>=3.29.0'
+resolution: workspace
+
+dependencies:
+ flutter:
+ sdk: flutter
+dev_dependencies:
+ flutter_test:
+ sdk: flutter
+
+
diff --git a/packages/adblocker_core/test/adblocker_filter_test.dart b/packages/adblocker_core/test/adblocker_filter_test.dart
new file mode 100644
index 0000000..35ae5a3
--- /dev/null
+++ b/packages/adblocker_core/test/adblocker_filter_test.dart
@@ -0,0 +1,77 @@
+import 'package:adblocker_core/src/adblocker_filter.dart';
+import 'package:flutter_test/flutter_test.dart';
+
+void main() {
+ group('AdBlockerFilter', () {
+ late AdblockerFilter filter;
+
+ setUp(() async {
+ filter = AdblockerFilter.createInstance();
+ await filter.init('''
+ ! Test filter list
+ ||ads.example.com^
+ ||tracker.com^
+ @@||whitelist.example.com^
+ example.com##.ad-banner
+ test.com##.sponsored
+ ~news.com##.advertisement
+ ''');
+ });
+
+ group('Resource blocking', () {
+ test('blocks matching URLs', () {
+ expect(
+ filter.shouldBlockResource('https://ads.example.com/banner.jpg'),
+ isTrue,
+ );
+ expect(
+ filter.shouldBlockResource('https://tracker.com/pixel.gif'),
+ isTrue,
+ );
+ });
+
+ test('allows non-matching URLs', () {
+ expect(
+ filter.shouldBlockResource('https://example.com/image.jpg'),
+ isFalse,
+ );
+ });
+
+ test('respects exception rules', () {
+ expect(
+ filter.shouldBlockResource('https://whitelist.example.com/ads.js'),
+ isFalse,
+ );
+ });
+ });
+
+ group('CSS rules', () {
+ test('returns rules for matching domain', () {
+ final rules = filter.getCSSRulesForWebsite('https://example.com');
+ expect(rules, contains('.ad-banner'));
+ });
+
+ test('returns rules for multiple domains', () {
+ final rules = filter.getCSSRulesForWebsite('https://test.com');
+ expect(rules, contains('.sponsored'));
+ });
+
+ test('respects domain exclusions', () {
+ final rules = filter.getCSSRulesForWebsite('https://news.com');
+ expect(rules, isNot(contains('.advertisement')));
+ });
+
+ test('returns empty list for non-matching domain', () {
+ final rules = filter.getCSSRulesForWebsite('https://random.com');
+ expect(rules, isEmpty);
+ });
+ });
+
+ test('getAllResourceRules returns all resource rules', () {
+ final rules = filter.getAllResourceRules();
+ expect(rules, hasLength(3)); // 2 block rules + 1 exception rule
+ expect(rules.where((rule) => !rule.isException), hasLength(2));
+ expect(rules.where((rule) => rule.isException), hasLength(1));
+ });
+ });
+}
diff --git a/packages/adblocker_core/test/css_rules_parser_test.dart b/packages/adblocker_core/test/css_rules_parser_test.dart
new file mode 100644
index 0000000..4592288
--- /dev/null
+++ b/packages/adblocker_core/test/css_rules_parser_test.dart
@@ -0,0 +1,55 @@
+import 'package:adblocker_core/src/parser/css_rules_parser.dart';
+import 'package:flutter_test/flutter_test.dart';
+
+void main() {
+ group('CSSRulesParser', () {
+ late CSSRulesParser parser;
+
+ setUp(() {
+ parser = CSSRulesParser();
+ });
+
+ test('parses basic element hiding rules', () {
+ const rule = '##.ad-banner';
+ final result = parser.parseLine(rule);
+
+ expect(result, isNotNull);
+ expect(result?.selector, equals('.ad-banner'));
+ expect(result?.domain, isEmpty);
+ });
+
+ test('parses domain-specific rules', () {
+ const rule = 'example.com##.ad-banner';
+ final result = parser.parseLine(rule);
+
+ expect(result, isNotNull);
+ expect(result?.selector, equals('.ad-banner'));
+ expect(result?.domain, contains('example.com'));
+ expect(result?.domain, isNot(contains('test.com')));
+ });
+
+ test('parses multiple domain rules', () {
+ const rule = 'example.com,test.com##.ad-banner';
+ final result = parser.parseLine(rule);
+
+ expect(result, isNotNull);
+ expect(result?.selector, equals('.ad-banner'));
+ expect(result?.domain, contains('example.com'));
+ expect(result?.domain, contains('test.com'));
+ });
+
+ test('ignores comment lines', () {
+ const rule = '! This is a comment';
+ final result = parser.parseLine(rule);
+
+ expect(result, isNull);
+ });
+
+ test('ignores empty lines', () {
+ const rule = '';
+ final result = parser.parseLine(rule);
+
+ expect(result, isNull);
+ });
+ });
+}
diff --git a/packages/adblocker_core/test/resource_rules_parser_test.dart b/packages/adblocker_core/test/resource_rules_parser_test.dart
new file mode 100644
index 0000000..ef25b35
--- /dev/null
+++ b/packages/adblocker_core/test/resource_rules_parser_test.dart
@@ -0,0 +1,51 @@
+import 'package:adblocker_core/src/parser/resource_rules_parser.dart';
+import 'package:flutter_test/flutter_test.dart';
+
+void main() {
+ group('ResourceRulesParser', () {
+ late ResourceRulesParser parser;
+
+ setUp(() {
+ parser = ResourceRulesParser();
+ });
+
+ test('parses domain anchor rules correctly', () {
+ const rule = '||ads.example.com^';
+ final result = parser.parseLine(rule);
+
+ expect(result, isNotNull);
+ expect(result?.url, equals('ads.example.com'));
+ expect(result?.isException, isFalse);
+ });
+
+ test('parses exception rules correctly', () {
+ const rule = '@@||ads.example.com^';
+ final result = parser.parseLine(rule);
+
+ expect(result, isNotNull);
+ expect(result?.url, equals('ads.example.com'));
+ expect(result?.isException, isTrue);
+ });
+
+ test('ignores comment lines', () {
+ const rule = '! This is a comment';
+ final result = parser.parseLine(rule);
+
+ expect(result, isNull);
+ });
+
+ test('ignores empty lines', () {
+ const rule = '';
+ final result = parser.parseLine(rule);
+
+ expect(result, isNull);
+ });
+
+ test('ignores invalid rules', () {
+ const rule = 'not a valid rule';
+ final result = parser.parseLine(rule);
+
+ expect(result, isNull);
+ });
+ });
+}
diff --git a/packages/adblocker_manager/.gitignore b/packages/adblocker_manager/.gitignore
new file mode 100644
index 0000000..7dffd5d
--- /dev/null
+++ b/packages/adblocker_manager/.gitignore
@@ -0,0 +1,38 @@
+# Miscellaneous
+*.class
+*.log
+*.pyc
+*.swp
+.DS_Store
+.atom/
+.buildlog/
+.history
+.svn/
+migrate_working_dir/
+
+# IntelliJ related
+*.iml
+*.ipr
+*.iws
+.idea/
+
+# Flutter/Dart/Pub related
+**/doc/api/
+**/ios/Flutter/.last_build_id
+.dart_tool/
+.flutter-plugins
+.flutter-plugins-dependencies
+.packages
+.pub-cache/
+.pub/
+/build/
+pubspec.lock
+
+# Web related
+lib/generated_plugin_registrant.dart
+
+# Symbolication related
+app.*.symbols
+
+# Obfuscation related
+app.*.map.json
\ No newline at end of file
diff --git a/packages/adblocker_manager/CHANGELOG.md b/packages/adblocker_manager/CHANGELOG.md
new file mode 100644
index 0000000..6daa3f1
--- /dev/null
+++ b/packages/adblocker_manager/CHANGELOG.md
@@ -0,0 +1,5 @@
+## 1.0.0
+
+* Initial release
+* Support for EasyList and AdGuard filters
+* Aggregation of blocking decisions and CSS rules parsing
diff --git a/packages/adblocker_manager/LICENSE b/packages/adblocker_manager/LICENSE
new file mode 100644
index 0000000..ffb3cd1
--- /dev/null
+++ b/packages/adblocker_manager/LICENSE
@@ -0,0 +1,28 @@
+BSD 3-Clause License
+
+Copyright (c) 2025, Md Didarul Islam
+
+Redistribution and use in source and binary forms, with or without
+modification, are permitted provided that the following conditions are met:
+
+1. Redistributions of source code must retain the above copyright notice, this
+ list of conditions and the following disclaimer.
+
+2. Redistributions in binary form must reproduce the above copyright notice,
+ this list of conditions and the following disclaimer in the documentation
+ and/or other materials provided with the distribution.
+
+3. Neither the name of the copyright holder nor the names of its
+ contributors may be used to endorse or promote products derived from
+ this software without specific prior written permission.
+
+THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
+AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
+IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
+DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE
+FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
+DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR
+SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER
+CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY,
+OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
+OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
diff --git a/packages/adblocker_manager/README.md b/packages/adblocker_manager/README.md
new file mode 100644
index 0000000..6256495
--- /dev/null
+++ b/packages/adblocker_manager/README.md
@@ -0,0 +1,33 @@
+# Adblocker Manager
+
+A Flutter package that manages multiple ad-blocking filters for the adblocker_webview package.
+
+## Features
+
+- Support for multiple filter types (EasyList, AdGuard)
+- Aggregates blocking decisions from multiple filters
+- Combines CSS rules from all active filters
+- Easy configuration and initialization
+
+## Usage
+
+```dart
+// Create configuration
+final config = FilterConfig(
+ filterTypes: [FilterType.easyList, FilterType.adGuard],
+);
+
+// Initialize manager
+final manager = AdblockFilterManager();
+await manager.init(config);
+
+// Check if resource should be blocked
+final shouldBlock = manager.shouldBlockResource('https://example.com/ad.js');
+
+// Get CSS rules for a website
+final cssRules = manager.getCSSRulesForWebsite('example.com');
+```
+
+## Additional information
+
+This package is part of the adblocker_webview_flutter project and works in conjunction with the adblocker_core package.
\ No newline at end of file
diff --git a/packages/adblocker_manager/analysis_options.yaml b/packages/adblocker_manager/analysis_options.yaml
new file mode 100644
index 0000000..1e9de79
--- /dev/null
+++ b/packages/adblocker_manager/analysis_options.yaml
@@ -0,0 +1,15 @@
+include: package:very_good_analysis/analysis_options.yaml
+
+analyzer:
+ exclude:
+ - lib/generated_plugin_registrant.dart
+ - lib/gen/**
+ - lib/**.g.dart
+ - lib/**.freezed.dart
+ - lib/**.config.dart
+
+linter:
+ rules:
+ public_member_api_docs: false
+ avoid_unused_constructor_parameters: false
+ one_member_abstracts: false
\ No newline at end of file
diff --git a/packages/adblocker_manager/assets/adguard_base.txt b/packages/adblocker_manager/assets/adguard_base.txt
new file mode 100644
index 0000000..45fd635
--- /dev/null
+++ b/packages/adblocker_manager/assets/adguard_base.txt
@@ -0,0 +1,132294 @@
+! Checksum: PizBUYbKv8DgEUy+RHJ8vg
+! Diff-Path: ../patches/2/2-s-1727699798-3600.patch
+! Title: AdGuard Base filter
+! Description: EasyList + AdGuard English filter. This filter is necessary for quality ad blocking.
+! Version: 2.3.54.44
+! TimeUpdated: 2024-09-30T12:31:15+00:00
+! Expires: 10 days (update frequency)
+! Homepage: https://github.com/AdguardTeam/AdGuardFilters
+! License: https://github.com/AdguardTeam/AdguardFilters/blob/master/LICENSE
+!
+!-------------------------------------------------------------------------------!
+!------------------ General JS API ---------------------------------------------!
+!-------------------------------------------------------------------------------!
+! JS API START
+#%#var AG_onLoad=function(func){if(document.readyState==="complete"||document.readyState==="interactive")func();else if(document.addEventListener)document.addEventListener("DOMContentLoaded",func);else if(document.attachEvent)document.attachEvent("DOMContentLoaded",func)};
+#%#var AG_removeElementById = function(id) { var element = document.getElementById(id); if (element && element.parentNode) { element.parentNode.removeChild(element); }};
+#%#var AG_removeElementBySelector = function(selector) { if (!document.querySelectorAll) { return; } var nodes = document.querySelectorAll(selector); if (nodes) { for (var i = 0; i < nodes.length; i++) { if (nodes[i] && nodes[i].parentNode) { nodes[i].parentNode.removeChild(nodes[i]); } } } };
+#%#var AG_each = function(selector, fn) { if (!document.querySelectorAll) return; var elements = document.querySelectorAll(selector); for (var i = 0; i < elements.length; i++) { fn(elements[i]); }; };
+#%#var AG_removeParent = function(el, fn) { while (el && el.parentNode) { if (fn(el)) { el.parentNode.removeChild(el); return; } el = el.parentNode; } };
+!
+! AG_removeCookie
+! Examples: AG_removeCookie('/REGEX/') or AG_removeCookie('part of the cookie name')
+!
+#%#var AG_removeCookie=function(a){var e=/./;/^\/.+\/$/.test(a)?e=new RegExp(a.slice(1,-1)):""!==a&&(e=new RegExp(a.replace(/[.*+?^${}()|[\]\\]/g,"\\$&")));a=function(){for(var a=document.cookie.split(";"),g=a.length;g--;){cookieStr=a[g];var d=cookieStr.indexOf("=");if(-1!==d&&(d=cookieStr.slice(0,d).trim(),e.test(d)))for(var h=document.location.hostname.split("."),f=0;f element matches specified regular expression.
+! Based on AG_defineProperty (https://github.com/AdguardTeam/deep-override)
+!
+! Examples:
+! AG_abortInlineScript(/zfgloadedpopup|zfgloadedpushopt/, 'String.fromCharCode');
+!
+! @param regex regular expression that the inline script contents must match
+! @param property property or properties chain
+! @param debug optional, if true - we will print warning when script is aborted.
+!
+#%#var AG_abortInlineScript=function(g,b,c){var d=function(){if("currentScript"in document)return document.currentScript;var a=document.getElementsByTagName("script");return a[a.length-1]},e=Math.random().toString(36).substr(2,8),h=d();AG_defineProperty(b,{beforeGet:function(){var a=d();if(a instanceof HTMLScriptElement&&a!==h&&""===a.src&&g.test(a.textContent))throw c&&console.warn("AdGuard aborted execution of an inline script"),new ReferenceError(e);}});var f=window.onerror;window.onerror=function(a){if("string"===typeof a&&-1!==a.indexOf(e))return c&&console.warn("AdGuard has caught window.onerror: "+b),!0;if(f instanceof Function)return f.apply(this,arguments)}};
+!
+! AG_setConstant('property.chain', 'true') // defines boolean (true), same for false;
+! AG_setConstant('property.chain', '123') // defines Number 123;
+! AG_setConstant('property.chain', 'noopFunc') // defines function(){};
+! AG_setConstant('property.chain', 'trueFunc') // defines function(){return true};
+! AG_setConstant('property.chain', 'falseFunc') // defines function(){return false};
+!
+#%#var AG_setConstant=function(e,a){if("undefined"===a)a=void 0;else if("false"===a)a=!1;else if("true"===a)a=!0;else if("noopFunc"===a)a=function(){};else if("trueFunc"===a)a=function(){return!0};else if("falseFunc"===a)a=function(){return!1};else if(/^\d+$/.test(a)){if(a=parseFloat(a),isNaN(a)||32767<\/\1>)*$/.test(a)||b.set.call(this,a)},enumerable:!0,configurable:!0})})(Object.getOwnPropertyDescriptor(Element.prototype,"innerHTML"));
+! if JS/scriptlet is not working
+pianetafanta.it,wikitrik.com,duit.cc#@##Adrectangle
+pianetafanta.it,wikitrik.com,duit.cc#@##PageLeaderAd
+pianetafanta.it,wikitrik.com,duit.cc#@##ad-column
+pianetafanta.it,wikitrik.com,duit.cc#@##advertising2
+pianetafanta.it,wikitrik.com,duit.cc#@##divAdBox
+pianetafanta.it,wikitrik.com,duit.cc#@##mochila-column-right-ad-300x250-1
+pianetafanta.it,wikitrik.com,duit.cc#@##searchAdSenseBox
+pianetafanta.it,wikitrik.com,duit.cc#@##ad
+pianetafanta.it,wikitrik.com,duit.cc#@##Ads
+pianetafanta.it,wikitrik.com,duit.cc#@##adSense
+pianetafanta.it,wikitrik.com,duit.cc#@##adrectangle
+pianetafanta.it,wikitrik.com,duit.cc#@##AdRectangle
+!
+! Scriptlet rules does not work in apps
+! END: antiblock.org g207
+! NOTE: antiblock.org g207 end ⬆️
+! !SECTION: antiblock.org g207
+!
+! SECTION: InstartLogic
+! START: InstartLogic
+! It can be IP dependent - inline script, external JS or no InstartLogic script
+! InstartLogic version: 10.6.32/10.9.37/10.9.40
+! '#%#//scriptlet("set-constant", "Object.prototype.iadb", "undefined")'
+foxsports.com.au,baggersmag.com,boatingmag.com,cbssports.com,cnet.com,cruisingworld.com,cycleworld.com,dirtrider.com,diversitybestpractices.com,edmunds.com,floridatravellife.com,frontpage.pch.com,gamespot.com,goal.com,ign.com,infinitiev.com,islands.com,marlinmag.com,metacritic.com,motorcyclecruiser.com,motorcyclistonline.com,msn.com,outdoorlife.com,popphoto.com,popsci.com,saltwatersportsman.com,scubadiving.com,sportdiver.com,sportfishingmag.com,sportingnews.com,spox.com,thoughtcatalog.com,tv.com,tvguide.com,utvdriver.com,webmd.com,wetteronline.de,yachtingmagazine.com#%#//scriptlet("set-constant", "Object.prototype.iadb", "undefined")
+! On some sites InstartLogic loaded by external JS: '/i10c@p1/client/latest/abd/instart.js'
+/i10c@p1/client/latest/abd/instart.js$domain=ranker.com|infinitiev.com
+! InstartLogic CSS broken
+cnet.com#@#a[href*="/adclick."]
+foxsports.com.au,cbssports.com,thoughtcatalog.com,webmd.com,gamespot.com,windowscentral.com,tvguide.com,sfgate.com,afterellen.com,boston.com,calgarysun.com,cattime.com,celebuzz.com,cnet.com,comingsoon.net,computershopper.com,ctnow.com,cycleworld.com,edmunds.com,everydayhealth.com,metacritic.com,msn.com,popphoto.com,popsci.com,ranker.com,saveur.com,sportingnews.com,tv.com,washingtonpost.com#@#iframe[width="300"][height="250"]
+foxsports.com.au,cbssports.com,thoughtcatalog.com,webmd.com,gamespot.com,windowscentral.com,tvguide.com,sfgate.com,afterellen.com,boston.com,calgarysun.com,cattime.com,celebuzz.com,cnet.com,comingsoon.net,computershopper.com,ctnow.com,cycleworld.com,edmunds.com,everydayhealth.com,metacritic.com,msn.com,popphoto.com,popsci.com,ranker.com,saveur.com,sportingnews.com,tv.com,washingtonpost.com#@#iframe[width="728"][height="90"]
+! END: InstartLogic
+! NOTE: InstartLogic end ⬆️
+! !SECTION: InstartLogic
+!
+! SECTION: Sourcepoint
+laptopmag.com#%#//scriptlet("abort-on-property-write", "_sp_")
+! before extension update please move foreign domains to respected filter
+||sp.usatoday.com^
+pushsquare.com#%#!function(){function b(){}function a(a){return{get:function(){return a},set:b}}function c(a){a(!1)}AG_defineProperty('_sp_.config.content_control_callback',a(b)),AG_defineProperty('_sp_.config.spid_control_callback',a(b)),AG_defineProperty('_sp_.config.vid_control_callback',a(b)),AG_defineProperty('_sp_.config.disableBlockerStyleSheets',a(!1)),AG_defineProperty('_sp_.checkState',a(c)),AG_defineProperty('_sp_.isAdBlocking',a(c)),AG_defineProperty('_sp_.isAdblocking',a(c)),AG_defineProperty('_sp_.isContentBlockerPresent',a(c)),AG_defineProperty('_sp_.getSafeUri',a(function(a){return a})),AG_defineProperty('_sp_.pageChange',a(b)),AG_defineProperty('_sp_.setupSmartBeacons',a(b)),AG_defineProperty('_sp_.msg.startMsg',a(b)),document.addEventListener('sp.blocking',function(a){a.stopImmediatePropagation(),a=document.createEvent('Event'),a.initEvent('sp.not_blocking',!0,!1),this.dispatchEvent(a)})}();
+eurogamer.es,eurogamer.net,paramountplus.com#%#!function(){function b(){}function a(a){return{get:function(){return a},set:b}}function c(a){a(!1)}AG_defineProperty('_sp_.config.content_control_callback',a(b)),AG_defineProperty('_sp_.config.spid_control_callback',a(b)),AG_defineProperty('_sp_.config.vid_control_callback',a(b)),AG_defineProperty('_sp_.config.disableBlockerStyleSheets',a(!1)),AG_defineProperty('_sp_.checkState',a(c)),AG_defineProperty('_sp_.isAdBlocking',a(c)),AG_defineProperty('_sp_.isAdblocking',a(c)),AG_defineProperty('_sp_.isContentBlockerPresent',a(c)),AG_defineProperty('_sp_.getSafeUri',a(function(a){return a})),AG_defineProperty('_sp_.pageChange',a(b)),AG_defineProperty('_sp_.setupSmartBeacons',a(b)),AG_defineProperty('_sp_.msg.startMsg',a(b)),document.addEventListener('sp.blocking',function(a){a.stopImmediatePropagation(),a=document.createEvent('Event'),a.initEvent('sp.not_blocking',!0,!1),this.dispatchEvent(a)})}();
+cbs.com#%#!function(){function b(){}function a(a){return{get:function(){return a},set:b}}function c(a){a(!1)}AG_defineProperty('_sp_.config.content_control_callback',a(b)),AG_defineProperty('_sp_.config.spid_control_callback',a(b)),AG_defineProperty('_sp_.config.vid_control_callback',a(b)),AG_defineProperty('_sp_.config.disableBlockerStyleSheets',a(!1)),AG_defineProperty('_sp_.checkState',a(c)),AG_defineProperty('_sp_.isAdBlocking',a(c)),AG_defineProperty('_sp_.isAdblocking',a(c)),AG_defineProperty('_sp_.isContentBlockerPresent',a(c)),AG_defineProperty('_sp_.getSafeUri',a(function(a){return a})),AG_defineProperty('_sp_.pageChange',a(b)),AG_defineProperty('_sp_.setupSmartBeacons',a(b)),AG_defineProperty('_sp_.msg.startMsg',a(b)),document.addEventListener('sp.blocking',function(a){a.stopImmediatePropagation(),a=document.createEvent('Event'),a.initEvent('sp.not_blocking',!0,!1),this.dispatchEvent(a)})}();
+coachmag.co.uk,vier.be,carmagazine.co.uk,amc.com,bikeradar.com,mylifetime.com,gentside.com,biography.com,alphr.com,gesundheitsfrage.net,gutefrage.net,finanzfrage.net,theweek.co.uk,spiegel.de,autoexpress.co.uk,eppingforestguardian.co.uk,cotswoldjournal.co.uk,eurogamer.de,metabomb.net,usgamer.net,ligainsider.de,cbs.com,aetv.com,history.com#%#!function(){function b(){}function a(a){return{get:function(){return a},set:b}}function c(a){a(!1)}AG_defineProperty('_sp_.config.content_control_callback',a(b)),AG_defineProperty('_sp_.config.spid_control_callback',a(b)),AG_defineProperty('_sp_.config.vid_control_callback',a(b)),AG_defineProperty('_sp_.config.disableBlockerStyleSheets',a(!1)),AG_defineProperty('_sp_.checkState',a(c)),AG_defineProperty('_sp_.isAdBlocking',a(c)),AG_defineProperty('_sp_.isAdblocking',a(c)),AG_defineProperty('_sp_.isContentBlockerPresent',a(c)),AG_defineProperty('_sp_.getSafeUri',a(function(a){return a})),AG_defineProperty('_sp_.pageChange',a(b)),AG_defineProperty('_sp_.setupSmartBeacons',a(b)),AG_defineProperty('_sp_.msg.startMsg',a(b)),document.addEventListener('sp.blocking',function(a){a.stopImmediatePropagation(),a=document.createEvent('Event'),a.initEvent('sp.not_blocking',!0,!1),this.dispatchEvent(a)})}();
+doodle.com,itpro.co.uk#%#!function(){function b(){}function a(a){return{get:function(){return a},set:b}}function c(a){a(!1)}AG_defineProperty('_sp_.config.content_control_callback',a(b)),AG_defineProperty('_sp_.config.spid_control_callback',a(b)),AG_defineProperty('_sp_.config.vid_control_callback',a(b)),AG_defineProperty('_sp_.config.disableBlockerStyleSheets',a(!1)),AG_defineProperty('_sp_.checkState',a(c)),AG_defineProperty('_sp_.isAdBlocking',a(c)),AG_defineProperty('_sp_.isAdblocking',a(c)),AG_defineProperty('_sp_.isContentBlockerPresent',a(c)),AG_defineProperty('_sp_.getSafeUri',a(function(a){return a})),AG_defineProperty('_sp_.pageChange',a(b)),AG_defineProperty('_sp_.setupSmartBeacons',a(b)),AG_defineProperty('_sp_.msg.startMsg',a(b)),document.addEventListener('sp.blocking',function(a){a.stopImmediatePropagation(),a=document.createEvent('Event'),a.initEvent('sp.not_blocking',!0,!1),this.dispatchEvent(a)})}();
+heraldscotland.com,usatoday.com,tyda.se,nyheter24.se,nj.com,nationalreview.com,mlive.com,kwiss.me,html.net,fragbite.se,demorgen.be,deadline.com,dayviews.com,wwd.com,mymotherlode.com,goldderby.com,winload.de,kino.de#%#(function(b,d,e){function a(){}b={get:function(){return a},set:a},d={};Object.defineProperties(d,{spid_control_callback:b,content_control_callback:b,vid_control_callback:b});e=new Proxy({},{get:function(a,c){switch(c){case "config":return d;case "_setSpKey":throw Error();default:return a[c]}},set:function(a,c,b){switch(c){case "config":return!0;case "bootstrap":case "mms":return a[c]=b,!0;default:throw Error();}}});Object.defineProperty(window,"_sp_",{get:function(){return e},set:a})})();
+eltern.de,bikeradar.com,evo.co.uk,southwalesargus.co.uk,swindonadvertiser.co.uk,theargus.co.uk,theboltonnews.co.uk,thetelegraphandargus.co.uk,eveningtimes.co.uk,dailyecho.co.uk,oxfordmail.co.uk,southwalesargus.co.uk,huffingtonpost.co.uk,radiotimes.com,giga.de,gamona.de,erdbeerlounge.de#%#(function(o){function a(a){return{get:function(){return a},set:b}}function b(){}function c(){throw"Adguard: stopped a script execution.";}var d={},e=a(function(a){a(!1)}),f={},g=EventTarget.prototype.addEventListener;o(d,{spid_control_callback:a(b),content_control_callback:a(b),vid_control_callback:a(b)});o(f,{config:a(d),_setSpKey:{get:c,set:c},checkState:e,isAdBlocking:e,getSafeUri:a(function(a){return a}),pageChange:a(b),setupSmartBeacons:a(b)});Object.defineProperty(window,"_sp_",a(f));EventTarget.prototype.addEventListener=function(a){"sp.blocking"!=a&&"sp.not_blocking"!=a&&g.apply(this,arguments)}})(Object.defineProperties);
+! https://github.com/AdguardTeam/AdguardFilters/issues/63484
+kino.de,demorgen.be#@%#(function(b,d,e){function a(){}b={get:function(){return a},set:a},d={};Object.defineProperties(d,{spid_control_callback:b,content_control_callback:b,vid_control_callback:b});e=new Proxy({},{get:function(a,c){switch(c){case "config":return d;case "_setSpKey":throw Error();default:return a[c]}},set:function(a,c,b){switch(c){case "config":return!0;case "bootstrap":case "mms":return a[c]=b,!0;default:throw Error();}}});Object.defineProperty(window,"_sp_",{get:function(){return e},set:a})})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/49614
+bikeradar.com,spiegel.de#@%#!function(){function b(){}function a(a){return{get:function(){return a},set:b}}function c(a){a(!1)}AG_defineProperty('_sp_.config.content_control_callback',a(b)),AG_defineProperty('_sp_.config.spid_control_callback',a(b)),AG_defineProperty('_sp_.config.vid_control_callback',a(b)),AG_defineProperty('_sp_.config.disableBlockerStyleSheets',a(!1)),AG_defineProperty('_sp_.checkState',a(c)),AG_defineProperty('_sp_.isAdBlocking',a(c)),AG_defineProperty('_sp_.isAdblocking',a(c)),AG_defineProperty('_sp_.isContentBlockerPresent',a(c)),AG_defineProperty('_sp_.getSafeUri',a(function(a){return a})),AG_defineProperty('_sp_.pageChange',a(b)),AG_defineProperty('_sp_.setupSmartBeacons',a(b)),AG_defineProperty('_sp_.msg.startMsg',a(b)),document.addEventListener('sp.blocking',function(a){a.stopImmediatePropagation(),a=document.createEvent('Event'),a.initEvent('sp.not_blocking',!0,!1),this.dispatchEvent(a)})}();
+! NOTE: Sourcepoint end ⬆️
+! !SECTION: Sourcepoint
+!
+!--- ChameleonX ---
+/wp-content/embeded-adtional-content/*$redirect=nooptext,important
+!
+! NOTE: Kill-Adblock
+/wp-content/plugins/kill-adblock/*$domain=ceplik.com|mrcheat.us|udemycoursedownloader.com|techno360.in|mocasoft.ro|articlesjar.com
+ceplik.com,mrcheat.us,udemycoursedownloader.com,articlesjar.com,wrzko.ws,mocasoft.ro,techno360.in##.kill-adblock-container
+!
+! SECTION: Uponit
+mmorpg.com,101greatgoals.com,biology-online.org,bizportal.co.il,calcalist.co.il,eurweb.com,examinationresults.ind.in,freewarefiles.com,hobbyconsolas.com,jpost.com,letras.com,letras.mus.br,maariv.co.il,mako.co.il,phonesreview.co.uk,plusnetwork.com,roadracerunner.com,status-quote.com,thefreethoughtproject.com,trifind.com,veteranstoday.com,videograbby.com,yad2.co.il,ynet.co.il#%#(function(a){Object.defineProperty(window,"upManager",{get:function(){return{push:a,register:a,fireNow:a,start:a}},set:function(a){if(!(a instanceof Error))throw Error();}})})(function(){});
+lankasri.com,manithan.com,convertfiles.com,emathhelp.net,reshet.tv,lucianne.com,ancient-origins.net,jvpnews.com,tetrisfriends.com,video.gazeta.pl,kshowonline.com,convertcase.net,neonnettle.com#%#(function(a){Object.defineProperty(window,"upManager",{get:function(){return{push:a,register:a,fireNow:a,start:a}},set:function(a){if(!(a instanceof Error))throw Error();}})})(function(){});
+colourlovers.com#%#//scriptlet("abort-current-inline-script", "EventTarget.prototype.addEventListener", "window.TextDecoder")
+! NOTE: Uponit end ⬆️
+! !SECTION: Uponit
+!
+! plistaWidget detection and first-party ads
+! clever-tanken.de,wetteronline.de,gameswelt.at,gameswelt.ch,truckscout24.be,truckscout24.com,truckscout24.it,truckscout24.nl,truckscout24.pl,wetteronline.at,wetteronline.ch#%#window.trckd = true;
+the-sun.com,gmx.*,transfermarkt.*#%#//scriptlet("abort-on-property-read", "Object.prototype.autoRecov")
+@@||transfermarkt.*/image
+@@||i*.gmx.com/image
+@@||the-sun.com/wp-content/uploads/
+!
+! NoAdBlock (CloudflareApps)
+lubetube.com,magesy.be,rockfile.co,rockfile.eu,psypost.org,ed-protect.org,hdwallpapers.in,tamiltunes.live,who-called.co.uk,fdesouche.com,cmacapps.com,itavisen.no,sankakucomplex.com,clubedohardware.com.br,hackintosh.zone,torrenting.com#%#!function(b,a){AG_defineProperty('CloudflareApps.installs',{get:function(){return a instanceof Object&&Object.getOwnPropertyNames(a).forEach(function(c){a[c].appId=='ziT6U3epKObS'&&Object.defineProperty(a[c],'URLPatterns',{value:b})}),a},set:function(b){a=b}})}(Object.seal([/(?!)/]));
+dot.ro#%#!function(b,a){AG_defineProperty('CloudflareApps.installs',{get:function(){return a instanceof Object&&Object.getOwnPropertyNames(a).forEach(function(c){a[c].appId=='ziT6U3epKObS'&&Object.defineProperty(a[c],'URLPatterns',{value:b})}),a},set:function(b){a=b}})}(Object.seal([/(?!)/]));
+@@/favicon.ico^$domain=hackintosh.zone
+!
+! JS rule for blocking XHR requests
+! ***It has less supported ad domains than new rule***
+!+ NOT_OPTIMIZED NOT_PLATFORM(windows, mac, android)
+5.ua,animeget.net,antidiary.com,azov-sea.info,blackboxrepack.com,chudesa.site,gazeta.ua,guru.ua,hd-dream.ru,kino-dom.org,lugradar.net,megatfile.cc,oklivetv.com,pure-t.ru,rian.com.ua,webcam.guru.ua,yahooeu.ru#%#(function(){var b=XMLHttpRequest.prototype.open,c=/[/.@](piguiqproxy\.com|rcdn\.pro|amgload\.net|dsn-fishki\.ru|v6t39t\.ru|greencuttlefish\.com|rgy1wk\.ru|vt4dlx\.ru|d38dub\.ru)[:/]/i;XMLHttpRequest.prototype.open=function(d,a){if("GET"===d&&c.test(a))this.send=function(){return null},this.setRequestHeader=function(){return null},console.log("AG has blocked request: ",a);else return b.apply(this,arguments)}})();
+!+ NOT_OPTIMIZED NOT_PLATFORM(windows, mac, android)
+1movies.is,game8.vn,shippuden-naruto.com,megatfile.cc#%#(function(){var b=XMLHttpRequest.prototype.open,c=/[/.@](piguiqproxy\.com|rcdn\.pro|amgload\.net|dsn-fishki\.ru|v6t39t\.ru|greencuttlefish\.com|rgy1wk\.ru|vt4dlx\.ru|d38dub\.ru|csp-oz66pp\.ru|ok9ydq\.ru|kingoablc\.com)[:/]/i;XMLHttpRequest.prototype.open=function(d,a){if("GET"===d&&c.test(a))this.send=function(){return null},this.setRequestHeader=function(){return null},console.log("AG has blocked request: ",a);else return b.apply(this,arguments)}})();
+! JS for the sites with frequenly changed ad domains
+! Another JS rule for some sites
+!+ NOT_OPTIMIZED NOT_PLATFORM(windows, mac, android, ext_ff)
+acefile.co,mineavto.ru,newkaliningrad.ru,eku.ru,kramola.info,farap.ru,vesti.ru,myslo.ru,pravda.ru,vesti.ru,itog.info,myshows.me,neolove.ru#%#//scriptlet("abort-current-inline-script", "atob", "['charCodeAt']")
+!+ NOT_OPTIMIZED NOT_PLATFORM(windows, mac, android, ext_ff)
+animepace.si,tamilyogi.cc#%#window.atob = function() {};
+! https://github.com/AdguardTeam/AdguardFilters/issues/24892
+!+ NOT_OPTIMIZED NOT_PLATFORM(windows, mac, android, ext_ff)
+@@||ads.exdynsrv.com/nativeads.js$domain=torrentgalaxy.org
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/11091
+! ads reinjection
+!+ NOT_OPTIMIZED NOT_PLATFORM(windows, mac, android)
+kizi.com,minijuegos.com,footyroom.com,computerhoy.com,tworeddots.com,netzwelt.de,datpiff.com,jpost.com,quotidiano.net,broadwayworld.com,bold.dk,ilrestodelcarlino.it,spaziogames.it,ilgiorno.it,diariodocentrodomundo.com.br,acidcow.com,yepi.com,talkwithstranger.com,mathwarehouse.com,lanazione.it,vidmax.com,popmatters.com,toptenz.net,autobild.es,activistpost.com,spiele-umsonst.de,tamilo.com,nowtheendbegins.com,obaoba.com.br,autopista.es,izzygames.com,blacklistednews.com,textsfromlastnight.com,meta-chart.com,motociclismo.es,mobga.me,ginjfo.com,sportlife.es,dailygalaxy.com,miniplay.com,meta-calculator.com,minijogos.com.br,ciclismoafondo.es,hiphopearly.com,iltelegrafolivorno.it,healthyfocus.org,parolesdefoot.com,asheepnomore.net,virtualjerusalem.com,dailyspikes.com,triatlonweb.es,status-quote.com,vreme-on.net,transportemundial.es,mathworksheetsgo.com,lamoto.es,sportenkort.dk,motomercado.es,diariodocentrodomundo.com.br,datpiff.com,asheepnomore.net,tworeddots.com,datpiff.com,footyroom.com,kizi.com#%#//scriptlet("abort-current-inline-script", "EventTarget.prototype.addEventListener", "window.TextDecoder")
+!
+! SECTION: AdFender
+!--- Prevent AdFender detection ---
+@@||webfail.com/image
+!+ NOT_OPTIMIZED
+@@||reuters.com^$generichide
+!+ NOT_OPTIMIZED
+@@||webfail.com^$generichide
+!+ NOT_OPTIMIZED
+@@||pons.com/p/files/*$image
+!+ NOT_OPTIMIZED
+@@||reutersmedia.net/resources^
+! NOTE: AdFender end ⬆️
+! !SECTION: AdFender
+!
+! SECTION: Yavli
+! 'ta_do:', ',adb:function(){if('
+! #%#//scriptlet("json-prune", "*", "ad_to_link")
+phoenixnewtimes.com,populistpress.com,thepatriotjournal.com,newser.com,canadafreepress.com,kresy.pl,thelibertydaily.com,writerscafe.org,populist.press,welovetrump.com,grammarist.com,protrumpnews.com,concomber.com,videogamesblogger.com,gamersheroes.com,letocard.fr,thepalmierireport.com,beforeitsnews.com#%#//scriptlet("json-prune", "*", "ad_to_link")
+! another variant
+amgreatness.com,beforeitsnews.com#%#//scriptlet("abort-on-property-write", "__reg_events")
+thegatewaypundit.com,100percentfedup.com,comicallyincorrect.com,thepoke.co.uk#%#//scriptlet("abort-current-inline-script", "navigator.userAgent", "Object.getOwnPropertyDescriptor")
+! For content blockers
+@@||rddywd.com/adcode.png$domain=populistpress.com|canadafreepress.com|thelibertydaily.com|writerscafe.org|populist.press|welovetrump.com|grammarist.com|protrumpnews.com|concomber.com|videogamesblogger.com|gamersheroes.com|letocard.fr|100percentfedup.com|thepalmierireport.com|kresy.pl|beforeitsnews.com|thepatriotjournal.com|phoenixnewtimes.com|thepoke.co.uk|comicallyincorrect.com|thegatewaypundit.com
+@@||rddywd.com/advertising.js$domain=populistpress.com|canadafreepress.com|thelibertydaily.com|writerscafe.org|populist.press|welovetrump.com|grammarist.com|protrumpnews.com|concomber.com|videogamesblogger.com|gamersheroes.com|letocard.fr|100percentfedup.com|thepalmierireport.com|kresy.pl|beforeitsnews.com|thepatriotjournal.com|phoenixnewtimes.com|thepoke.co.uk|comicallyincorrect.com|thegatewaypundit.com
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=populistpress.com|canadafreepress.com|thelibertydaily.com|writerscafe.org|populist.press|welovetrump.com|grammarist.com|protrumpnews.com|concomber.com|videogamesblogger.com|gamersheroes.com|letocard.fr|100percentfedup.com|thepalmierireport.com|kresy.pl|beforeitsnews.com|thepatriotjournal.com|phoenixnewtimes.com|thepoke.co.uk|comicallyincorrect.com|thegatewaypundit.com
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,important,domain=populistpress.com|canadafreepress.com|thelibertydaily.com|writerscafe.org|populist.press|welovetrump.com|grammarist.com|protrumpnews.com|concomber.com|videogamesblogger.com|gamersheroes.com|letocard.fr|100percentfedup.com|thepalmierireport.com|kresy.pl|beforeitsnews.com|thepatriotjournal.com|phoenixnewtimes.com|thepoke.co.uk|comicallyincorrect.com|thegatewaypundit.com
+! With CSP rule ads are not blocked
+@@||videogamesblogger.com^$csp
+! NOTE: Yavli end ⬆️
+! !SECTION: Yavli
+!
+! NOTE: MediaNews Group, Inc. sites
+@@||paywall-ad-bucket.s3.amazonaws.com/ad_300_250.jpg
+chicagotribune.com,santacruzsentinel.com,record-bee.com,dailylocal.com,saratogian.com,union-bulletin.com,reporterherald.com,sgvtribune.com,bostonherald.com,theoaklandpress.com,dailybreeze.com,eastbaytimes.com,ocregister.com,chicoer.com,delcotimes.com,denverpost.com,macombdaily.com,newsday.com,pe.com,trentonian.com,twincities.com,marinij.com,dailybulletin.com,timescall.com,dailydemocrat.com,tampabay.com,adn.com,times-standard.com,montereyherald.com,spokesman.com,ajc.com#%#//scriptlet("abort-on-property-read", "MG2Loader.init")
+!
+!*****
+!* Several wordpress adblock detector plugins
+/wp-content/plugins/noti-blocker/js/blocker.js
+/wp-content/plugins/eazy-ad-unblocker/*
+/wp-content/plugins/jgc-adblocker-detector/*
+/wp-content/plugins/unblock-adsense/*/adunblock
+/wp-content/plugins/adunblocker
+/wp-content/plugins/simple-adblock-notice-pro^
+!*****
+!
+!
+! `Force Adblock` (app_vars) - Please disable Adblock to proceed to the destination page.
+! #%#//scriptlet('set-constant', 'app_vars.force_disable_adblock', 'undefined')
+pwrpa.cc,link4earn.com,atglinks.com,megaurl.in,megafly.in,pandaznetwork.com,tii.la,ckk.ai,xpshort.com,kinemaster.cc,rajsayt.xyz,insurglobal.xyz,linkszia.co,usanewstoday.club,tlin.me,pndx.live,cutp.in,aylink.info,try2link.com,usdshort.com,onroid.com,filmyzilla-in.xyz,zirof.com,samaa-pro.com,earnme.club,adshort.*,adurly.cc,nini08.com,shortlink.prz.pw,swzz.xyz,mixfaucet.com,crazyblog.in,adlinkweb.com,linkbr.xyz,baominh.tech,shortz.one,newsalret.com,clickscoin.com,seulink.online,toptap.website,ez4short.com,gtlink.co,upshrink.com,beingtek.com,link.rota.cc,insuranceblog.xyz,coinsparty.com,katflys.com,webo.one,linkfly.io,coinadfly.com,ownurl.site,coinsurl.com,clk.ink,dl.tech-story.net,cpm10.org,theicongenerator.com,rancah.com,kingurls.com,link.asiaon.top,download.sharenulled.net,lucidcam.com,clikern.com,adsmoker.com,gifans.com,zipurls.com,theblissempire.com,xfiles.io,upfiles.*,filezipa.com,arab-chat.club,dz-linkk.com,jp88.xyz,shorterall.com,promo-visits.site,cryptourl.net,shrink.icu,rshrt.com,ptc.wtf,tei.ai,exey.*,url4cut.xyz,claimfreebits.com,shrlink.top,webshort.in,eririo.club,jameeltips.us,freshi.site,yxoshort.com,pewgame.com,turkdown.com,foxseotools.com,earnwithshortlink.com,tui.click,shrx.in,short.food-royal.com,linkpoi.me,adpop.me,galaxy-link.space,link.ltc24.com,kiiw.icu,vshort.link,adnit.xyz,fwarycash.moviestar.fun,finanzas-vida.com,linkebr.com,clickhouse.xyz,bloggingguidance.com,smoner.com,charexempire.com,cut-fly.com,tl.tc,forex-trnd.com,linkshorts.*,mycut.me,cuts-url.com,gainbtc.click,gonety.com,menjelajahi.com,st23q.com,hotel.menjelajahi.com,viraloc.com,beautyram.info,ccurl.net,shrt10.com,yourtechnology.online,1shorten.com,cashearn.cc,cryptoads.space,adcorto.me,shrinkforearn.in,seulink.net,modapk.link,holaurl.com,adbl.live,miklpro.com,kutt.io,afly.pro,cutlink.link,short88.com,pngit.live,exe.app,adcorto.xyz,okec.uk,viral-topics.com,paidtomoney.com,passgen.icu,lite-link.xyz,pureshort.link,recipestutorials.com,droplink.co,tawiia.com,vvc.vc,lite-link.com,bdnewsx.com,curto.win,linksfire.co,internewstv.com,ivn3.com,illink.net,4rl.ru,trinddz.com,ilinks.in,techupme.com,bitfly.io,earnguap.com,imagenesderopaparaperros.com,pslfive.com,url.namaidani.com,c-ut.com,toroox.com,4cash.me,shrinkme.in,fir3.net,softairbay.com,link1s.net,doctor-groups.com,abdeo8.com,apksvip.com,gibit.xyz,claimcrypto.cc,pkr.pw,todaynewspk.win,shrinke.me,wordcounter.icu,try2link.net,stfly.me,shorthub.co,dz4win.com,real-sky.com,bolssc.com,short2.cash,fx4vip.com,cutdl.xyz,shortearn.in,megalink.vip,adsrt.live,linksly.co,link1s.*,veneapp.com,cheappath.com,shortzon.com,arabplus2.co,linkurl.me,profitlink.info,zagl.info,shorthitz.com,savelink.site,axuur.com,tmearn.com,samapro.me,mondainai.moe,2ota.com,pnd.*,popimed.com,tipsforce.com,aii.sh,intothelink.com,7r6.com,iir.ai,tii.ai,biroads.com,adsrt.net,afly.us,coredp.com,bestearnonline.com,dz4link.com,gamesrs.com,clicksbee.com,linkad.in,fc.lc,techrfour.com,exee.io,rifurl.com,shurt.pw,owllink.net,birdurls.com,oncehelp.com,donia2link.com,cutlinks.pro,adclic.pro,shortpaid.com,s-url.xyz,adbull.tech,adbull.org,slink.bid,wplink.online,linkviet.xyz,dutchycorp.space,encurta.eu,adsrt.org,leechpremium.link,earnload.co,gpmojo.co,shrinkhere.xyz,readnnews.com,bitearns.com,wheeledu.com,gplinks.co,sedoinfo.com,memoo.xyz,neonlink.net,cashurl.in,wealthh.xyz,supersimple.online,freeshrinker.com,linkviet.top,salez.site,unishort.com,dayy.site,caat.site,shortearn.eu,adbull.site,shrinx.net,2xs.io,earnload.com,jo2win.com,spiin.xyz,cleft.xyz,repayone.net,adslinkfly.online,ndoqp.com,go99tech.com,gplinks.in,waar.site,stfly.io,seosence.com,eio.io,cutwin.com,uii.io,acorpe.com,shrinkerhub.com,techbeast.xyz,techofaqs.com,zoom-link.com,short.pe,myhealthlytips.com,shorten.sh,megalink.pro,pingit.im,clik.pw,latestseoupdate.com,payskip.org,fasshi.xyz,shrinkme.io,urlcloud.us,2-cars.club,ex-foary.com,linkfinal.com,dearresult.com,ultraurls.com,shrinkurl.org,exe.io,liclink.com,shortearn.org,linkviet.net,adsafelink.com,enrt.eu,lkop.me,trendfaq.com,linkvietvip.com,suqdz.com,trendpick.info,egovtjob.in,getlink.deadtoonsindia.net,digitallearn.online,bollyreveal.com,shrtfly.net,mysiterank.org,digitalcafez.com,shotfly.in,adbilty.me#%#//scriptlet('set-constant', 'app_vars.force_disable_adblock', 'undefined')
+#@#.ad-box
+! for platforms without JS rules support
+ckk.ai,xpshort.com#@#.ad-BANNER
+!
+! Altumcode
+! https://github.com/AdguardTeam/AdguardFilters/issues/176556
+! if necessarry, add the domain to the rule below
+! #%#//scriptlet('prevent-setTimeout', 'ad_blocker_detector_modal')
+biolink.webtena.com,lite.liiingo.com#%#//scriptlet('prevent-setTimeout', 'ad_blocker_detector_modal')
+!
+#@#.ad-zone
+#@#.ad-space
+#@#.ad-unit
+##.ad-zone:not(.textads)
+##.ad-space:not(.textads)
+##.ad-unit:not(.textads)
+!
+! SECTION: AdBlock Notify
+! `AdBlock Notify` (anOptions)
+! Scriptlet `#%#//scriptlet("abort-on-property-read", "anOptions")`
+wololo.net,russianusa.tarima.org,lebakcyber.net,ifdreamscametrue.com,nudes7.com,switch-xci.xyz,meganebuk.net,teknomuda.com,ps4pkg.com,iptv4best.com,topnewsshow.com,intelligentliving.co,apkmaza.net,serie-novelas.com,outplayed.it,nulleb.com,oyuncusoruyor.com,picgiraffe.com,cgtips.org,locurainformaticadigital.com,p4fcourses.com,polskiedrogi-tv.pl,alltutorialsworld.com,racefans.net,csitalia.org,yildizscript.com,aulianza.com,pkmods.com,projetoscanlator.com,foxaholic.com,game-2u.com,easytutoriel.com,junaedialwi.com,otakuwire.com,turkceyama.net,xiaomitools.com,cfd.ninja,bwe.su,ebookscart.com,sciotocountydailynews.com,blogarti.com,labkom.co.id,muratisbilir.com.tr,torrentmafya.org,saberprogramas.com,smarteranalyst.com,movieknowing.com,10elol.it,app.poweradspy.com,money-sense.club,dailymockup.com,ciclosport.com,litecompare.com,tv-livestream.online,legendas.dev,sexgayhot.com,jstranslations1.com,ggwptech.com,ultimate-catch.eu,xingkbjm.com,avoiderrors.com,freejavbt.com,butchixanh.com,desirefx.me,healthlytalks.com,androidride.com,v2rayssr.com,amote69.com,embetronicx.com,evileaks.su,freemockup.net,bozuyukhaberajansi.com,shatter-box.com,haberpop.com,techidence.com,edmtunes.com,textfonts.net,wotcheatmods.com,grafixfather.com,asia-mag.com,dellwindowsreinstallationguide.com,yolgunlukleri.net,amirantivirus.com,spaziogames.it,modernvalueinvesting.de,shirokuns.com,hulblog.com,omglyrics.com,phpscripttr.com,kkpmh.vip,resource-pack.com,kindleku.com,biryoo.com,onurcici.com,variatkowo.pl,lauxanh.org,robloxscripts.com,filmboxoffice.web.id,satcesc.com,teamsaiyajin.it,stilearte.it,gidabilinci.com,ipeenk.com,hwzone.co.il,bilgidehasi.com,tyrocity.com,plugintorrent.com,pinsystem.co.uk,comando4kfilmes.com,trgamestudio.com,terrarium.com.pl,3dzip.org,turreta.com,elevatortoday.com,canalbpv.com,thesimarchitect.com,desktophut.com,hackinformer.com,bookflare.org,earmilk.com,baomay01.com,chimicamo.org,chromeba.net,learnsql.xyz,otobelgesel.com,ad4msan.win,mediasobytiya.com,bambusmann.de,kkphm.com,51kkp.club,gizchina.com,msguides.com,csonline2.net,airlive.net,arch2o.com,asianhobbyist.com,automobile-propre.com,barboflacmusic.com,celebsepna.com,civetta.tv,culture-informatique.net,dubs.top,faq.ph,filesrom.com,freepreset.net,gamesmagnet.net,gktoday.in,jimods.com,jimtechs.biz,jkmk.net,jppinto.com,keys4free.com,learncpponline.com,ovagames.com,pesupdate.com,phonandroid.com,precitaj.si,programegratuitepc.com,resource-packs.de,rushtime.in,scat.gold,soskidkami.ru,thefalse9.com,torrentmafya.net,tutsgalaxy.com,ucuzaucak.net,unblockedgamming.com,veezie.st,wallstreams.com,x265mkv.ws,z3x-team.com#%#//scriptlet("abort-on-property-read", "anOptions")
+! for platforms without JS rules support
+/wp-content/uploads/*/*.js$domain=turkceyama.net|xiaomitools.com|sciotocountydailynews.com|muratisbilir.com.tr|torrentmafya.org|smarteranalyst.com|movieknowing.com|money-sense.club|tv-livestream.online|legendas.dev|ggwptech.com|ultimate-catch.eu|xingkbjm.com|avoiderrors.com|v2rayssr.com|embetronicx.com|haberpop.com|techidence.com|wotcheatmods.com|grafixfather.com|asia-mag.com|dellwindowsreinstallationguide.com|amirantivirus.com|modernvalueinvesting.de|shirokuns.com|hulblog.com|omglyrics.com|phpscripttr.com|kkpmh.vip|resource-pack.com|kindleku.com|biryoo.com|onurcici.com|variatkowo.pl|lauxanh.org|robloxscripts.com|filmboxoffice.web.id|satcesc.com|teamsaiyajin.it|stilearte.it|gidabilinci.com|plugintorrent.com|pinsystem.co.uk|comando4kfilmes.com|trgamestudio.com|terrarium.com.pl|turreta.com|elevatortoday.com|canalbpv.com|thesimarchitect.com|desktophut.com|hackinformer.com|bookflare.org|earmilk.com|chimicamo.org|chromeba.net|learnsql.xyz|otobelgesel.com|ad4msan.win|mediasobytiya.com|airlive.net|civetta.tv|gamesmagnet.net|gktoday.in|jkmk.net|jppinto.com|learncpponline.com|programegratuitepc.com|scat.gold|unblockedgamming.com|veezie.st|wallstreams.com|labkom.co.id
+!+ NOT_OPTIMIZED
+wololo.net,russianusa.tarima.org,lebakcyber.net,ifdreamscametrue.com,nudes7.com,switch-xci.xyz,meganebuk.net,teknomuda.com,ps4pkg.com,iptv4best.com,topnewsshow.com,intelligentliving.co,apkmaza.net,serie-novelas.com,outplayed.it,nulleb.com,oyuncusoruyor.com,picgiraffe.com,cgtips.org,locurainformaticadigital.com,p4fcourses.com,polskiedrogi-tv.pl,alltutorialsworld.com,racefans.net,csitalia.org,yildizscript.com,aulianza.com,pkmods.com,projetoscanlator.com,foxaholic.com,game-2u.com,easytutoriel.com,junaedialwi.com,otakuwire.com,turkceyama.net,xiaomitools.com,cfd.ninja,bwe.su,ebookscart.com,sciotocountydailynews.com,blogarti.com,labkom.co.id,muratisbilir.com.tr,torrentmafya.org,saberprogramas.com,smarteranalyst.com,movieknowing.com,10elol.it,app.poweradspy.com,money-sense.club,dailymockup.com,ciclosport.com,litecompare.com,tv-livestream.online,legendas.dev,sexgayhot.com,jstranslations1.com,ggwptech.com,ultimate-catch.eu,xingkbjm.com,avoiderrors.com,freejavbt.com,butchixanh.com,desirefx.me,healthlytalks.com,androidride.com,v2rayssr.com,amote69.com,embetronicx.com,evileaks.su,freemockup.net,bozuyukhaberajansi.com,shatter-box.com,haberpop.com,techidence.com,edmtunes.com,textfonts.net,wotcheatmods.com,grafixfather.com,asia-mag.com,dellwindowsreinstallationguide.com,yolgunlukleri.net,amirantivirus.com,spaziogames.it,modernvalueinvesting.de,shirokuns.com,hulblog.com,omglyrics.com,phpscripttr.com,kkpmh.vip,resource-pack.com,kindleku.com,biryoo.com,onurcici.com,variatkowo.pl,lauxanh.org,robloxscripts.com,filmboxoffice.web.id,satcesc.com,teamsaiyajin.it,stilearte.it,gidabilinci.com,ipeenk.com,hwzone.co.il,bilgidehasi.com,tyrocity.com,plugintorrent.com,pinsystem.co.uk,comando4kfilmes.com,trgamestudio.com,terrarium.com.pl,3dzip.org,turreta.com,elevatortoday.com,canalbpv.com,thesimarchitect.com,desktophut.com,hackinformer.com,bookflare.org,earmilk.com,baomay01.com,chimicamo.org,chromeba.net,learnsql.xyz,otobelgesel.com,ad4msan.win,mediasobytiya.com,bambusmann.de,kkphm.com,51kkp.club,gizchina.com,msguides.com,csonline2.net,airlive.net,arch2o.com,asianhobbyist.com,automobile-propre.com,barboflacmusic.com,celebsepna.com,civetta.tv,culture-informatique.net,dubs.top,faq.ph,filesrom.com,freepreset.net,gamesmagnet.net,gktoday.in,jimods.com,jimtechs.biz,jkmk.net,jppinto.com,keys4free.com,learncpponline.com,ovagames.com,pesupdate.com,phonandroid.com,precitaj.si,programegratuitepc.com,resource-packs.de,rushtime.in,scat.gold,soskidkami.ru,thefalse9.com,torrentmafya.net,tutsgalaxy.com,ucuzaucak.net,unblockedgamming.com,veezie.st,wallstreams.com,x265mkv.ws,z3x-team.com#@##adSense
+! NOTE: AdBlock Notify end ⬆️
+! !SECTION: AdBlock Notify
+!
+!START: adtoniq
+bigleaguepolitics.com,flagandcross.com#%#//scriptlet("abort-on-property-read", "adtoniq")
+!+ NOT_PLATFORM(windows, mac, android)
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=flagandcross.com
+!
+adsatoshi.com,tech.dutchycorp.space,gelbooru.com,flagandcross.com#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links { display: block !important; }
+!END: adtoniq
+!
+! 'ai_adb_detected'
+linuxthebest.net,turkeycrack.com,guncelkaynak.com,soulreaperzone.com,myonepiecemanga.com,chuksguide.com,tencentgamingbuddy.co,dark5k.com,gplcanyon.com,civildigital.com,paksociety.com,iptv4sat.com,apkmb.com,loveroms.online,loveroms.online,soulreaperzone.com,freecoursesonline.me##body > div[id^="ai-adb-"][style^="position: fixed; top:"][style*="z-index: 9999"]
+gameavenue.co,ftuapps.io,tutsnode.org,nakiny.com,linuxthebest.net,turkeycrack.com,guncelkaynak.com,soulreaperzone.com,javhdvideo.org,nemumemo.com,phodoi.vn,savingsomegreen.com,toramemoblog.com,dark5k.com,myonepiecemanga.com,chuksguide.com,tencentgamingbuddy.co,gplcanyon.com,civildigital.com,paksociety.com,iptv4sat.com,apkmb.com,loveroms.online,loveroms.online,soulreaperzone.com,freecoursesonline.me#%#//scriptlet("set-constant", "ai_adb_detected", "noopFunc")
+!
+! NOTE: Flashvars anti-adblock
+! #%#//scriptlet("set-constant", "flashvars.protect_block", "")
+wxx.wtf,camhub.cc,camhub.world,watchmdh.to,watchporn.to,viralpornhub.com,camwhoresbay.porn,ebalovo.*,camwhores.*,camlovers.tv,sexcams-24.com,camhub.tv,pornissimo.org,pornobit.me,porntn.com,femdomtb.com,pornoham.me,tubsexer.com,homegrownfreaks.net,pornfd.com,pornsexer.com#%#//scriptlet("set-constant", "flashvars.protect_block", "")
+wxx.wtf,camhub.world#$#body iframe#ads_iframe[src*="/player_ads.html"] { display: block !important; }
+/player/stats.php$image,redirect-rule=1x1-transparent.gif,domain=camhub.world|wxx.wtf
+!
+! SECTION: ai_front / ai_adb
+! #%#//scriptlet("abort-on-property-read", "ai_wait_for_jquery")
+!+ NOT_PLATFORM(ext_ublock)
+pawastreams.info,mangadistrict.com,isekaitube.com,diznr.com,fairyhorn.cc,gadgetguideonline.com,mentourpilot.com,hulnews.top,shramikcard.in,kargotakiptr.com,netchimp.co.uk,gameost.net,sajhanotes.com,jpopsingles.eu,ticonsiglio.com,pornstash.in,topnewreview.com,skincarie.com,astro.qc.ca,7review.com,financerites.in,kiktu.com,techcyan.com,animehunch.com,ifreemagazines.com,lilymanga.com,techcyan.com,supertipz.com,unceleb.com,rimworldbase.com,theinsaneapp.com,azad.co,theupspot.com,freemagazines.top,iproductkeys.com,miauscan.com,thenewzealandtimes.com,trytutorial.com,spytm.com,dev2qa.com,chineseanime.co.in,waves4you.com,freshersnow.com,inwepo.co,apkmodhub.in,uberkasta.pl,marugujarat.in,prajwaldesai.com,mobilanyheter.net,azoraworld.com,papunika.com,dramahd.me,audiotools.pro,flinsetyadi.com,populistpress.com,starwarsnews.it,victor-mochere.com,programmiedovetrovarli.it,gamingdeputy.com,forex-lab.xyz,fabiofood.com,ccthesims.com,puspas.com.np,almanilan.com,magesypro.com,magesy.blog,thecustomrom.com,itbusiness.com.ua,keralatelecom.info,techkaran.co.in,courseunity.com,webdeyazilim.com,wikirise.com,googledrivelinks.com,mejoresmodsminecraft.site,sysnettechsolutions.com,dafontfree.io,ebookmela.co.in,freevstplugins.net,audiotools.blog,tgsup.group,scubidu.eu,gkpb.com.br,adrianoluis.net,altevolkstrachten.de,animecast.net,armyranger.com,bengalinews.co.in,boxylucha.com,chibchat.com,comprasenoferta.com,coreseeker.com,descargasmix.xyz,duniailkom.com,enciclopediaonline.com,eyalo.com,fosslovers.com,fotopixel.es,freeiphone.fr,hairstylesthatwork.com,hello-e1.com,ichberlin.com,indostarmedia.com,indrive.net,ireez.com,keepkoding.com,latribunadeautomocion.es,linemarlin.com,lumpiastudio.com,miaandme.org,mobility.com.ng,mygardening411.com,newstvonline.com,organismes.org,papagiovannipaoloii.altervista.org,pictasty.com,playlists.rocks,relatosdesexo.xxx,rencah.com,riverdesdelatribuna.com.ar,sarkarinaukry.com,seamanmemories.com,socialmediaverve.com,solnechnyj-kitaj.ru,thefoodstorydotcom.wpcomstaging.com,theorie-musik.de,topperpoint.com,transformator220.ru,vita-water.ru,amyscans.com,udoyoshi.com,javhoho.com,isekaisubs.web.id,parzibyte.me,buydekhke.com,gaydelicious.com,gaypornmasters.com,5moviesporn.net,freebulksmsonline.com,ubuntudde.com,mettablog.com,secondlifetranslations.com,charbelnemnom.com,lowkeytech.com,gcertificationcourse.com,game-owl.com,plugincrack.com#%#//scriptlet("abort-on-property-read", "ai_wait_for_jquery")
+! #%#//scriptlet("abort-on-property-write", "ai_front")
+!+ NOT_PLATFORM(ext_ublock)
+questloops.com,imwmi.com,the-scorpions.com,oyunindir.club,ftuapps.io,wikibuff.com,ftuapps.dev,gorecenter.com,bdix.app,lacittadisalerno.it,tutsnode.org,dcounter.space,m3uiptv.com,tutsnode.com,ebookbb.in,territorioleal.com,lilymanga.net,freeiptvplayer.com,7daystodiemods.com,avitter.net,oceanofcompressed.xyz,crackedresource.com,peppe8o.com,trustmyscience.com,sarkarilist.org,usanewstoday.club,earnme.club,tipblogg.com,freecoursesonline.me,doctorrouter.ru,puspas.com.npapad2.top,games-pc.top,javnow.net,pasend.*,mettablog.com,threezly.com,safemodapk.com,truyenbanquyen.com,veganinja.hu,studydhaba.com,c4ddownload.com,blisseyhusband.in,goblinsguide.com,gerardopandolfi.com,asklaftananlamazinhindi.com,solotrend.net,nsw2u.*,alphagames4u.com,courses4u.info,nawalakarsa.id,elektrikmen.com,doctorrouter.ru,politics-dz.com,unityassets4free.com,hdhub4u.cc,apkmaza.net,janusnotes.com,tekfame.com,wristreview.com,freewebcart.com,hinjakuhonyaku.com,mashtips.com#%#//scriptlet("abort-on-property-write", "ai_front")
+! ##[style*="cursor:"][style*="user-select: none;"][style*="z-index:"]
+questloops.com,pawastreams.info,repack-games.com,fumettologica.it,imwmi.com,the-scorpions.com,ftuapps.io,wikibuff.com,ftuapps.dev,gorecenter.com,lumpiastudio.com,bdix.app,isekaitube.com,lacittadisalerno.it,tutsnode.org,diznr.com,fairyhorn.cc,gadgetguideonline.com,mentourpilot.com,acdriftingpro.com,dcounter.space,m3uiptv.com,tutsnode.com,hulnews.top,shramikcard.in,ebookbb.in,territorioleal.com,lilymanga.net,nakiny.com,freeiptvplayer.com,7daystodiemods.com,avitter.net,truyentranhfull.net,kargotakiptr.com,netchimp.co.uk,javhdvideo.org,nemumemo.com,phodoi.vn,savingsomegreen.com,toramemoblog.com,gameost.net,oceanofcompressed.xyz,crackedresource.com,peppe8o.com,audiotruyenfull.com,sarkarilist.org,daemon-hentai.com,bi-girl.net,jpopsingles.eu,usanewstoday.club,earnme.club,tipblogg.com,ticonsiglio.com,lazytranslations.com,tutsnode.net,freecoursesonline.me,kpopjjang.com,topnewreview.com,skincarie.com,astro.qc.ca,7review.com,financerites.in,kiktu.com,techcyan.com,animehunch.com,ifreemagazines.com,lilymanga.com,softfully.com,supertipz.com,celeb.nude.com,luckystudio4u.com,shineads.in,unceleb.com,bajeczki.org,rimworldbase.com,doctorrouter.ru,theinsaneapp.com,azad.co,theupspot.com,freemagazines.top,iproductkeys.com,miauscan.com,thenewzealandtimes.com,trytutorial.com,spytm.com,dev2qa.com,chineseanime.co.in,waves4you.com,qzlyrics.com,freshersnow.com,apkmodhub.in,uberkasta.pl,marugujarat.in,prajwaldesai.com,mobilanyheter.net,audiotools.pro,apkmb.com,flinsetyadi.com,populistpress.com,starwarsnews.it,programmiedovetrovarli.it,gamingdeputy.com,forex-lab.xyz,fabiofood.com,puspas.com.np,almanilan.com,exbulletin.com,magesypro.com,magesy.blog,tinhocdongthap.com,thecustomrom.com,keralatelecom.info,techkaran.co.in,courseunity.com,webdeyazilim.com,freeiphone.fr,sysnettechsolutions.com,dafontfree.io,ebookmela.co.in,freevstplugins.net,fifaultimateteam.it,tgsup.group,scubidu.eu,gamingsym.in,gkpb.com.br,ilifehacks.com,frkn64modding.com,parzibyte.me,googledrivelinks.com,world4.eu,ubuntudde.com,mettablog.com,secondlifetranslations.com,charbelnemnom.com,lowkeytech.com,gcertificationcourse.com,game-owl.com,javnow.net,pasend.*,therootdroid.com,fantasyfootballgeek.co.uk,threezly.com,safemodapk.com,truyenbanquyen.com,veganinja.hu,studydhaba.com,nurgsm.com,c4ddownload.com,blisseyhusband.in,goblinsguide.com,gerardopandolfi.com,asklaftananlamazinhindi.com,solotrend.net,nsw2u.*,alphagames4u.com,courses4u.info,fcportables.com,nawalakarsa.id##[style*="cursor:"][style*="user-select: none;"][style*="z-index:"]
+! For Safari
+questloops.com,pawastreams.info,repack-games.com,xn--deepinenespaol-1nb.org,fumettologica.it,daemon-hentai.com,imwmi.com,the-scorpions.com,ftuapps.io,wikibuff.com,asupan.me,ftuapps.dev,bdix.app,isekaitube.com,lacittadisalerno.it,tutsnode.org,diznr.com,fairyhorn.cc,mentourpilot.com,acdriftingpro.com,dcounter.space,m3uiptv.com,tutsnode.com,hulnews.top,shramikcard.in,ebookbb.in,territorioleal.com,lilymanga.net,nakiny.com,freeiptvplayer.com,7daystodiemods.com,avitter.net,truyentranhfull.net,kargotakiptr.com,netchimp.co.uk,javhdvideo.org,nemumemo.com,phodoi.vn,savingsomegreen.com,toramemoblog.com,gameost.net,oceanofcompressed.xyz,crackedresource.com,peppe8o.com,sajhanotes.com,sarkarilist.org,bi-girl.net,jpopsingles.eu,usanewstoday.club,earnme.club,tipblogg.com,ticonsiglio.com,tutsnode.net,freecoursesonline.me,clujust.ro,topnewreview.com,skincarie.com,astro.qc.ca,7review.com,financerites.in,kiktu.com,techcyan.com,animehunch.com,ifreemagazines.com,lilymanga.com,softfully.com,luckystudio4u.com,shineads.in,unceleb.com,rimworldbase.com,doctorrouter.ru,theinsaneapp.com,azad.co,theupspot.com,freemagazines.top,iproductkeys.com,miauscan.com,thenewzealandtimes.com,trytutorial.com,spytm.com,dev2qa.com,minemodpacks.ru,chineseanime.co.in,waves4you.com,qzlyrics.com,freshersnow.com,apkmodhub.in,uberkasta.pl,marugujarat.in,prajwaldesai.com,mobilanyheter.net,audiotools.pro,apkmb.com,flinsetyadi.com,populistpress.com,starwarsnews.it,programmiedovetrovarli.it,gamingdeputy.com,forex-lab.xyz,fabiofood.com,puspas.com.np,almanilan.com,exbulletin.com,magesypro.com,magesy.blog,tinhocdongthap.com,thecustomrom.com,keralatelecom.info,techkaran.co.in,courseunity.com,webdeyazilim.com,freeiphone.fr,dafontfree.io,ebookmela.co.in,freevstplugins.net,fifaultimateteam.it,tgsup.group,scubidu.eu,gkpb.com.br,ilifehacks.com,frkn64modding.com,parzibyte.me,googledrivelinks.com,world4.eu,sysnettechsolutions.com##[style*="cursor:"][style*="z-index:"][style*="transform"]
+questloops.com,pawastreams.info,repack-games.com,xn--deepinenespaol-1nb.org,fumettologica.it,daemon-hentai.com,imwmi.com,the-scorpions.com,ftuapps.io,wikibuff.com,asupan.me,ftuapps.dev,bdix.app,isekaitube.com,lacittadisalerno.it,tutsnode.org,diznr.com,fairyhorn.cc,mentourpilot.com,acdriftingpro.com,dcounter.space,m3uiptv.com,tutsnode.com,hulnews.top,shramikcard.in,ebookbb.in,territorioleal.com,lilymanga.net,nakiny.com,freeiptvplayer.com,7daystodiemods.com,avitter.net,truyentranhfull.net,kargotakiptr.com,netchimp.co.uk,javhdvideo.org,nemumemo.com,phodoi.vn,savingsomegreen.com,toramemoblog.com,gameost.net,oceanofcompressed.xyz,crackedresource.com,peppe8o.com,sajhanotes.com,sarkarilist.org,bi-girl.net,jpopsingles.eu,usanewstoday.club,earnme.club,tipblogg.com,ticonsiglio.com,tutsnode.net,freecoursesonline.me,clujust.ro,topnewreview.com,skincarie.com,astro.qc.ca,7review.com,financerites.in,kiktu.com,techcyan.com,animehunch.com,ifreemagazines.com,lilymanga.com,softfully.com,luckystudio4u.com,shineads.in,unceleb.com,rimworldbase.com,doctorrouter.ru,theinsaneapp.com,azad.co,theupspot.com,freemagazines.top,iproductkeys.com,miauscan.com,thenewzealandtimes.com,trytutorial.com,spytm.com,dev2qa.com,minemodpacks.ru,chineseanime.co.in,waves4you.com,qzlyrics.com,freshersnow.com,apkmodhub.in,uberkasta.pl,marugujarat.in,prajwaldesai.com,mobilanyheter.net,audiotools.pro,apkmb.com,flinsetyadi.com,populistpress.com,starwarsnews.it,programmiedovetrovarli.it,gamingdeputy.com,forex-lab.xyz,fabiofood.com,puspas.com.np,almanilan.com,exbulletin.com,magesypro.com,magesy.blog,tinhocdongthap.com,thecustomrom.com,keralatelecom.info,techkaran.co.in,courseunity.com,webdeyazilim.com,freeiphone.fr,dafontfree.io,ebookmela.co.in,freevstplugins.net,fifaultimateteam.it,tgsup.group,scubidu.eu,gkpb.com.br,ilifehacks.com,frkn64modding.com,parzibyte.me,googledrivelinks.com,world4.eu,sysnettechsolutions.com##[style*="cursor:"][style*="z-index:"][style*="position: fixed;"]
+!
+xn--deepinenespaol-1nb.org,clujust.ro,minemodpacks.ru,apkmb.com,freeiphone.fr#%#//scriptlet("abort-current-inline-script", "define", "ai_check")
+xn--deepinenespaol-1nb.org,lilymanga.net,freecoursesonline.me#%#//scriptlet("prevent-setTimeout", "/navigator\.userAgent[\s\S]*?fetch[\s\S]*?catch/")
+xn--deepinenespaol-1nb.org,asupan.me,luckystudio4u.com,fifaultimateteam.it#%#//scriptlet("prevent-setTimeout", "/fetch[\s\S]*?\.append[\s\S]*?jQuery|ai_|ad_banner/")
+bi-girl.net,tutsnode.net,qzlyrics.com,ilifehacks.com,frkn64modding.com#%#//scriptlet("abort-on-property-write", "ai_adb_get_script")
+xn--deepinenespaol-1nb.org,audiotruyenfull.com,daemon-hentai.com,celeb.nude.com,cultura-informatica.com,bajeczki.org,exbulletin.com,burakgoc.com,googledrivelinks.com,thenextdroid.com,world4.eu,javnow.net,pasend.*,fantasyfootballgeek.co.uk#%#//scriptlet("abort-on-property-read", "ai_run_scripts")
+! anti-adblock 'adBlockDetected'
+paoencurtador.blogspot.com,1090ys2.com,mikl4forex.com,clickscoin.com,techmody.io,marharo.com,link1s.com,aemenstore.com,cazzette.com,truebrandy.com,scratch247.info,byboe.com,hookeaudio.com,restorbio.com,medcpu.com,nbyts.online,lucidcam.com,itsguider.com,forex-gold.net,staaker.com,kingsleynyc.com,thegoneapp.com,nousdecor.com,moddedguru.com,downfile.site,gainbtc.click,tecnotutoshd.net,7misr4day.com,anig.me,sanoybonito.club,porn300.com,share1223.com,konstantinova.net,asiatv.cc,whatsaero.com,ebookdz.com,onepiece-online-manga.com,imintweb.com,coinbid.org,9docu.org,6tek.org#%#//scriptlet("abort-on-property-read", "adBlockDetected")
+! NOTE: ai_front / ai_adb end ⬆️
+! !SECTION: ai_front / ai_adb
+!
+!START: Popups - LocalStorage element abPopLastCall
+@@||ads.exoclick.com/ads.js$domain=sss.xxx|hdzog.com|hclips.com
+hclips.com,hdzog.com,sss.xxx#@#.advertisements
+hclips.com,hdzog.com,sss.xxx#@#.adver
+hclips.com#@#.adholder2
+!END: Popups - LocalStorage element abPopLastCall
+!
+! AdRegain
+competentedigitale.ro,onehack.us#%#//scriptlet("abort-on-property-write", "adregain_wall")
+! #%#//scriptlet("abort-on-property-read", "ad_nodes")
+!
+!
+! Ad reinject
+@@||cdn.adspirit.de/banner/_default/160x600.jpg$domain=streetdir.com|roaddir.com
+@@||cdn.adspirit.de/banner/_default/300x250.jpg$domain=streetdir.com|roaddir.com
+@@||cdn.adspirit.de/banner/_default/468x60.jpg$domain=streetdir.com|roaddir.com
+@@||cdn.adspirit.de/banner/_default/728x90.jpg$domain=streetdir.com|roaddir.com
+@@||static.criteo.net/js/ld/publishertag.prebid.js$domain=streetdir.com|roaddir.com
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=streetdir.com|roaddir.com
+@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=streetdir.com|roaddir.com
+@@||tycoon.adspirit.net/adview.php^$domain=streetdir.com|roaddir.com
+!
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/56415
+! NOTE: contributor.google.com
+! generic fix for e.g. class="subadimg footerFullAd pdpads_desktop adkit-advert adline"
+! IMPORTANT: Add generichide exception for content blockers to `content-blocker.txt` in the same section
+#$#div[class*=" "][style^="width: 1px; height: 1px; position: absolute; left: -10000px; top: -"] { display: block !important; }
+!
+tvn.pl,halkarz.com,businessinsider.com.pl,learn-japanese-adventure.com,thetvdb.com,aranzulla.it,drikpanchang.com,ettoday.net,smstome.com,tvp.info,medevel.com,abczdrowie.pl,tvn24.pl,nikkei225jp.com,apuntesdeingles.com,cnbeta.com.tw,lidovky.cz,gazeta.pl,animefillerlist.com,i.pl,interia.pl,japan.techinsight.jp,f1-gate.com,dailymail.co.uk#$#body { overflow: visible !important; }
+tvn.pl,halkarz.com,businessinsider.com.pl,learn-japanese-adventure.com,thetvdb.com,aranzulla.it,drikpanchang.com,ettoday.net,smstome.com,tvp.info,medevel.com,abczdrowie.pl,tvn24.pl,nikkei225jp.com,apuntesdeingles.com,cnbeta.com.tw,lidovky.cz,gazeta.pl,animefillerlist.com,i.pl,interia.pl,japan.techinsight.jp,f1-gate.com,dailymail.co.uk#$#body div.fc-ab-root:not(#style_important) { display: none !important; }
+!
+korben.info,alternativeto.net#%#//scriptlet('abort-current-inline-script', 'atob', '/googlefc|\.parentNode\.removeChild\(f\)/')
+!
+! #%#//scriptlet("abort-on-property-read", "__tnt.adBlockEnabled")
+sozcu.com.tr,heraldo.es,20minutos.es,tucson.com,gendai.media,hamakei.com,telva.com,gazettetimes.com,missoulian.com,kenoshanews.com,cumberlink.com,stltoday.com,auburnpub.com,trib.com,dailyprogress.com,journalstar.com,siouxcityjournal.com,pantagraph.com#%#//scriptlet("abort-on-property-read", "__tnt.adBlockEnabled")
+!
+||fundingchoicesmessages.google.com^$domain=video.repubblica.it|br0wsers.com|mathsspot.com|now.gg|aranzulla.it|3bmeteo.com
+! 'adblockdetector.front.abagent.agent'
+/javascript_adblockdetector/front_front_abagent.js
+!
+! arlinablock
+!+ NOT_OPTIMIZED
+||downvod.com/arlinablock.js
+!+ NOT_OPTIMIZED
+||peliculas8k.com/TV/encriptador/adblocknuevo.js
+!+ NOT_OPTIMIZED
+||okmp3.ru/js/plears.js
+!+ NOT_OPTIMIZED
+||optiklink.com/arlinablock.js
+!+ NOT_OPTIMIZED
+||ruxox.ru/js/plears.js
+!+ NOT_OPTIMIZED
+||cdn.jsdelivr.net/gh/adigunawanxd/pluginsgalaxymag@master/seosecretidnblockads.js
+!+ NOT_OPTIMIZED
+||cdn.jsdelivr.net/gh/ayoubcr5/bestnhl/ad.js
+!+ NOT_OPTIMIZED
+||cdn.rawgit.com/Arlina-Design/quasar/*/arlinablock.js
+!+ NOT_OPTIMIZED
+||cdn.jsdelivr.net/gh/mdnaik/myblog@master/arlinablock.js
+!+ NOT_OPTIMIZED
+||cdn.jsdelivr.net/gh/Arlina-Design/quasar@master/arlinablock.js
+!+ NOT_OPTIMIZED
+||cdn.staticaly.com/gh/Arlina-Design/*/arlinablock.js
+!+ NOT_OPTIMIZED
+||rawcdn.githack.com/sanjoy944/jonaki/*/adblockerpupup.js
+!+ NOT_OPTIMIZED
+||rawcdn.githack.com/*/arlinablock.js
+!+ NOT_OPTIMIZED
+||cdn.jsdelivr.net/gh/dewaplokis/block@master/dewablock.js
+!+ NOT_OPTIMIZED
+||cdn.jsdelivr.net/gh/*/js/arlinablock.js
+!+ NOT_OPTIMIZED
+||receivefreesms.co.uk/adblk/adblk_enc.js
+!+ NOT_OPTIMIZED
+||romgoc.net/*/adblock_fuck.js
+!+ NOT_OPTIMIZED
+||frendz4m.org/arlinablock.js
+!+ NOT_OPTIMIZED
+||imparteconocimientos.com/recursos/Anti-AdBlocker.js
+!+ NOT_OPTIMIZED
+||krx18.com/ads/adsblockx.js
+egycdn.net,shqipkinema.cc,krx18.com,meclipstudy.in,vknsorgula.net,uploadrar.com,elbierzodigital.com,rivanimation.com,codenova-center.web.app,safbits.com,bestnhl.com,frendz4m.org#$#body { overflow: auto !important; }
+egycdn.net,shqipkinema.cc,krx18.com,meclipstudy.in,vknsorgula.net,uploadrar.com,elbierzodigital.com,rivanimation.com,codenova-center.web.app,safbits.com,bestnhl.com,frendz4m.org#$##arlinablock { display: none !important; }
+safelink.asia#$#body { overflow: auto !important; }
+safelink.asia#$##seosecretidnadblock { display: none !important; }
+egycdn.net,shqipkinema.cc,krx18.com,safelink.asia,meclipstudy.in,uploadrar.com,rivanimation.com,codenova-center.web.app,safbits.com,bestnhl.com#%#//scriptlet('prevent-addEventListener', 'load', 'downloadJSAtOnload')
+vknsorgula.net#%#//scriptlet("abort-current-inline-script", "document.createElement", "adsbygoogle.js")
+safelink.asia#%#//scriptlet('prevent-element-src-loading', 'script', 'pagead2.googlesyndication.com')
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,important,domain=drivedrama.com|puressh.net|iptvbin.com|htnovo.net|frendz4m.org|bestnhl.com|safbits.com|codenova-center.web.app|rivanimation.com|elbierzodigital.com|uploadrar.com|vknsorgula.net|safelink.asia
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=drivedrama.com|puressh.net|iptvbin.com|htnovo.net|frendz4m.org|bestnhl.com|safbits.com|codenova-center.web.app|rivanimation.com|elbierzodigital.com|uploadrar.com|vknsorgula.net|safelink.asia
+!
+! ignielAdBlock
+! #%#//scriptlet('abort-current-inline-script', 'document.createElement', 'ignielAdBlock')
+shed4u1.com,shahid4u.*,shvip.cam,shed4u1.cam,shhid4u.cam,shed4u.cam,shi4u.cam,batch-kun.com,iosviet.com,shahee4u.cam,indokontraktor.com,freebnbcoin.com,eg-akw.com,exotictgirl.blogspot.com,adnews.me,traffic1s.com,codevn.net,ipacrack.com,oii.io,1shorten.com,publicananker.com,kiemlua.com,pes-patches.com,yoshare.net,playstore.pw,paste1s.com,note1s.com,fc.lc,fc-lc.com,health-and.me,akwam.*,rockmods.net,duit.cc,arabseed.*,poppamr.com,miuiku.com,tatangga.com,flash-firmware.blogspot.com,ghostsnet.com,rezkozpatch.xyz,orirom.com,rumahit.id#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'ignielAdBlock')
+bospedia.com#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'AdBlock')
+akw.cam,ak.sv,akw.mov,akw-cdn1.link,anhdep24.com,nguyenvanbao.com,ak4ar.*,mawsueaa.com,akw.to,xn--mgba7fjn.*,ak4eg.*#%#//scriptlet('abort-current-inline-script', 'eval', 'ignielAdBlock')
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,important,domain=freebnbcoin.com|exotictgirl.blogspot.com|bospedia.com|rockmods.net|aiimsneetshortnotes.com|arabseed.*|poppamr.com|adnit.xyz|miuiku.com|tatangga.com|flash-firmware.blogspot.com|ghostsnet.com|rezkozpatch.xyz|rumahit.id|sekilastekno.com|romfirmware.com|orirom.com|gsmfirmware.net|akwam.*|health-and.me|fc-lc.com|fc.lc|note1s.com|paste1s.com|playstore.pw|yoshare.net|pes-patches.com|1shorten.com|publicananker.com|ipacrack.com|codevn.net|traffic1s.com|adnews.me|eg-akw.com|ak4eg.*|xn--mgba7fjn.*|akw.to|mawsueaa.com|ak4ar.*|anhdep24.com|nguyenvanbao.com|akw-cdn1.link|akw.mov|ak.sv|akw.cam|indokontraktor.com|shahee4u.cam|batch-kun.com|shi4u.cam|shed4u.cam|shhid4u.cam|shed4u1.cam|shed4u1.com
+fc-lc.com###ignielAdBlock
+!+ NOT_OPTIMIZED
+shed4u1.com,shvip.cam,shed4u1.cam,shhid4u.cam,shed4u.cam,shi4u.cam,batch-kun.com,shahee4u.cam,indokontraktor.com,akw.cam,ak.sv,akw.mov,akw-cdn1.link,anhdep24.com,nguyenvanbao.com,ak4ar.*,mawsueaa.com,akw.to,xn--mgba7fjn.*,ak4eg.*,adnews.me,traffic1s.com,codevn.net,ipacrack.com,oii.io,1shorten.com,publicananker.com,kiemlua.com,pes-patches.com,yoshare.net,paste1s.com,note1s.com,fc.lc#$#body { overflow: auto !important; }
+!+ NOT_OPTIMIZED
+batch-kun.com,akw.cam,ak.sv,akw.mov,akw-cdn1.link,anhdep24.com,nguyenvanbao.com,ak4ar.*,mawsueaa.com,akw.to,xn--mgba7fjn.*,ak4eg.*,adnews.me,traffic1s.com,codevn.net,ipacrack.com,oii.io,1shorten.com,publicananker.com,kiemlua.com,pes-patches.com,yoshare.net,paste1s.com,note1s.com,fc.lc#$##ignielAdBlock { display: none !important; }
+shed4u1.com,shvip.cam,shed4u1.cam,shhid4u.cam,shed4u.cam,shi4u.cam,shahee4u.cam,indokontraktor.com#$#.ignielAdBlock { display: none !important; }
+!
+! DHAntiAdBlocker
+@@/dh-anti-adblocker/assets/js/ads-prebid.js
+@@/dh-anti-adblocker/assets/js/prebid-ads.js
+@@/dh-anti-adblocker/assets/js/prebid-ads-
+@@/dh-anti-adblocker/public/js/prebid-ads.js
+@@/dh-new-anti-adblocker-lite/public/js/prebid-ads.js
+@@/dh-anti-adblocker/public/js/adex.js
+exerror.com,pc-plaza.com,crackwatch.eu,supertipz.com,cronosscan.net,arrowos.net,cover-addict.com,variatkowo.pl,freegogpcgames.com,omgpu.com,arcadepunks.com#%#//scriptlet("set-constant", "DHAntiAdBlocker", "true")
+j2dw.ngo#%#//scriptlet("set-constant", "DHNewAntiAdBlocker", "true")
+!
+! adace-popup-detector
+##.adace-popup-detector
+@@/wp-content/plugins/ad-ace//includes/adblock-detector/advertisement.js$~third-party
+!
+! AdUnblocker ('-blanket' popup)
+! #%#//scriptlet('prevent-addEventListener', 'DOMContentLoaded', 'aadb_get_data')
+hokx.com,mangapt.com,ottverse.com,agorablog.it,apfelpatient.de,openculture.com,satcesc.com#%#//scriptlet('prevent-addEventListener', 'DOMContentLoaded', 'aadb_get_data')
+! #%#//scriptlet("abort-on-property-read", "daau_app")
+pngtosvg.com,vladan.fr,unityassets4free.com#%#//scriptlet("abort-on-property-read", "daau_app")
+! #%#//scriptlet('prevent-addEventListener', '', 'aadb_get_data')
+kuyhaa.me,authentisch-italienisch-kochen.de,filekuy.com,witcherhour.com,hypando.com.br,dwgshare.com,ivfauthority.com,hokx.com,willcycle.com,gourmetsupremacy.com,informatykit.it,domhouse.it,soisk.pl,samuraiscan.org,magiskmanager.com,infortechno.com,gaypornhdfree.com,powerup-gaming.com,mixrootmod.com,wanderertl130.id,davescomputertips.com,movies4u.*,engtranslations.com,smarttips.in,netfuck.net,sociologicamente.it,freepreset.net,textfonts.net,ketubanjiwa.com,javboys.tv,boyfuck.me,javgay.com,gaypornhot.com,ethernalworld.com,ubitennis.com,3dzip.org,movierulzhd.skin,igay69.com,ayatoon.com,fastssh.com,cgtips.org#%#//scriptlet('prevent-addEventListener', '', 'aadb_get_data')
+! #%#//scriptlet("prevent-setTimeout", "css_class.show")
+aquiyahorajuegos.net,graphicux.com,netfuck.net,baddiehub.com#%#//scriptlet("prevent-setTimeout", "css_class.show")
+! #%#//scriptlet('prevent-addEventListener', 'load', 'aadb_get_data')
+garoetpos.com,conocesobreinformatica.com,4allprograms.me,freetutorialsweb.com,te4h.ru,bbsnews.co.id,descargaspcpro.net,novelasligera.com,kodlamamerkezi.com,igay69.com,movierulzhd.site,taurusfansub.com,leviatanscans.com,magesypro.pro,magesypro.com,magesy.blog,majesy.org,magesy.eu,magesy.fr,magesy.eu,guiadaengenharia.com,poapan.xyz,luutrukienthuc.com,31mag.nl,doibihar.org,ffworld.xyz,rpclip.com,pastlinkvn.com,cyberstockofficial.in,joyplot.com,javboys.com,asuralightnovel.com,gaminplay.com,mangacrab.com,news.claimfey.com,wallpaperwaifu.com,sakpot.com,latestjav.com,e-sanatatea.ro,therootdroid.com,sevenjournals.com,7apple.net,jorgemoncada.com,hollywoodsmagazine.com,r3ndy.com,anicosplay.net,ewybory.eu,nanoroms.com,egymanga.net,flipreview.com,hiphopa.net,pngtosvg.com,compartilhandobr.com,loksado.com,ecoursefree.com,daemon-hentai.com,yigeplus.xyz,launcherfull.com,cheatbyte.com,techycoder.com,arasindakifark.net,kitguru.net,gsmxt.com,mangaxp.com,technicalatg.com,technicalatg.xyz,freetutorialsdownload.online,asyadrama.com,toolss.net,vipmods.net,adonisfansub.com,udemycoursesfree.me,bitcoinegypt.news,talkjarvis.com,satcesc.com,getfreecourses.net,citychilli.com,livenewsof.com,pinayvids.com,hardcoregames.ca,pasend.*,unityassetcollection.com,crypto-fun-faucet.de,fileoops.com,samuraiscan.com,3dmodelshare.org,dailyvideoreports.net,codesnail.com,ma-x.org,sitarchive.com,onlyfanesse.com,codingshiksha.com,graphicux.com,w3layouts.com,musike.net,windowsmatters.com,avoiderrors.com,gatcha.org,4horlover.com,topnewsshow.com,ovagames.com,lewdsenpai.com,mylivewallpapers.com#%#//scriptlet('prevent-addEventListener', 'load', 'aadb_get_data')
+! #%#//scriptlet("set-constant", "adsbygoogle.length", "undefined")
+sketchup.cgtips.org,31mag.nl,doibihar.org,ffworld.xyz,rpclip.com,pastlinkvn.com,cyberstockofficial.in,joyplot.com,javboys.com,asuralightnovel.com,latestjav.com,e-sanatatea.ro,therootdroid.com,sevenjournals.com,7apple.net,jorgemoncada.com,hollywoodsmagazine.com,r3ndy.com,anicosplay.net,ewybory.eu,nanoroms.com,egymanga.net,flipreview.com,hiphopa.net,pngtosvg.com,compartilhandobr.com,loksado.com,ecoursefree.com,daemon-hentai.com,yigeplus.xyz,launcherfull.com,cheatbyte.com,techycoder.com,arasindakifark.net,kitguru.net,gsmxt.com,mangaxp.com,technicalatg.com,technicalatg.xyz,freetutorialsdownload.online,asyadrama.com,toolss.net,vipmods.net,adonisfansub.com,udemycoursesfree.me,bitcoinegypt.news,talkjarvis.com,satcesc.com,getfreecourses.net,citychilli.com,livenewsof.com,pinayvids.com,hardcoregames.ca,pasend.*,unityassetcollection.com,crypto-fun-faucet.de,fileoops.com,samuraiscan.com,3dmodelshare.org,dailyvideoreports.net,codesnail.com,ma-x.org,sitarchive.com,onlyfanesse.com,codingshiksha.com,graphicux.com,w3layouts.com,musike.net,windowsmatters.com,avoiderrors.com,gatcha.org,4horlover.com,topnewsshow.com,3dzip.org,ovagames.com,lewdsenpai.com#%#//scriptlet("set-constant", "adsbygoogle.length", "undefined")
+! #%#//scriptlet('prevent-setInterval', '+t.css_class.show')
+igay69.com,gourmetscans.net#%#//scriptlet('prevent-setInterval', '+t.css_class.show')
+! #%#//scriptlet('prevent-setInterval', 'aadb_get_data')
+clapway.com,lascimmiapensa.com#%#//scriptlet('prevent-setInterval', 'aadb_get_data')
+! #%#//scriptlet('prevent-addEventListener', 'load', 'daadb_get_data')
+kuyhaa-me.com,meganei.net#%#//scriptlet('prevent-addEventListener', 'load', 'daadb_get_data')
+! ##div[id$="-blanket"]
+willcycle.com,pinoyalbums.com,samuraiscan.org,magiskmanager.com,infortechno.com,powerup-gaming.com,lascimmiapensa.com,wanderertl130.id,davescomputertips.com,movies4u.network,sociologicamente.it,textfonts.net,sketchup.cgtips.org,ketubanjiwa.com,ethernalworld.com,ubitennis.com,gaypornhdfree.com,gourmetscans.net,openculture.com##div[id$="-blanket"]
+! other
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=movierulzhd.skin|gaminplay.com|dbsysupgrade.com|therootdroid.com|sevenjournals.com|7apple.net|jorgemoncada.com|hollywoodsmagazine.com|anicosplay.net|ewybory.eu|nanoroms.com|egymanga.net|flipreview.com|hiphopa.net|pngtosvg.com|compartilhandobr.com|loksado.com|ecoursefree.com|daemon-hentai.com|yigeplus.xyz|launcherfull.com|cheatbyte.com|techycoder.com|arasindakifark.net|kitguru.net|gsmxt.com|mangaxp.com|technicalatg.com|technicalatg.xyz|freetutorialsdownload.online|vipmods.net|adonisfansub.com|bitcoinegypt.news|talkjarvis.com|satcesc.com|getfreecourses.net|citychilli.com|livenewsof.com|pinayvids.com|hardcoregames.ca|pasend.*|unityassetcollection.com|crypto-fun-faucet.de|fileoops.com|samuraiscan.com|3dmodelshare.org|cgtips.org|dailyvideoreports.net|codesnail.com|ma-x.org|sitarchive.com|onlyfanesse.com|codingshiksha.com|graphicux.com|w3layouts.com|musike.net|windowsmatters.com|avoiderrors.com|gatcha.org|4horlover.com|topnewsshow.com|3dzip.org|ovagames.com|lewdsenpai.com|mitsmits.com|asyadrama.com|r3ndy.com|mylivewallpapers.com|e-sanatatea.ro|latestjav.com|sakpot.com|wallpaperwaifu.com|news.claimfey.com|mangacrab.com|asuralightnovel.com|javboys.com|joyplot.com|cyberstockofficial.in|pastlinkvn.com|rpclip.com|doibihar.org|ffworld.xyz|31mag.nl|gourmetscans.net|guiadaengenharia.com|ottverse.com|magesypro.pro|magesypro.com|magesy.blog|majesy.org|magesy.eu|magesy.fr|magesy.eu|leviatanscans.com|taurusfansub.com|movierulzhd.site|igay69.com|mangapt.com|kodlamamerkezi.com|novelasligera.com|descargaspcpro.net|bbsnews.co.id|4allprograms.me|ethernalworld.com|gaypornhot.com|javgay.com|boyfuck.me|javboys.tv|smarttips.in|engtranslations.com|lascimmiapensa.com|powerup-gaming.com|infortechno.com|magiskmanager.com|watchfacebook.com|domhouse.it|informatykit.it|gourmetsupremacy.com|ivfauthority.com|dwgshare.com|hypando.com.br|witcherhour.com|filekuy.com|authentisch-italienisch-kochen.de|kuyhaa.me
+! To avoid unblocking the script, used for ads
+! if DNS filtering enabled and scriptlet does not work
+gaypornhot.com,ivfauthority.com,pinoyalbums.com,domhouse.it,watchfacebook.com,4allprograms.me,clapway.com#$#div[id$="-blanket"] { display: none !important; }
+gaypornhot.com,ivfauthority.com,pinoyalbums.com,domhouse.it,watchfacebook.com,4allprograms.me,clapway.com#$#body { overflow: auto !important; }
+!
+! SECTION: chp_ads_blocker
+! https://github.com/AdguardTeam/AdguardFilters/issues/94283
+! https://github.com/AdguardTeam/AdguardFilters/pull/120540#issuecomment-1143686419
+!+ NOT_OPTIMIZED
+##.mainholder + div[id][class*=" "] > div[id][class*=" "]
+!+ NOT_OPTIMIZED
+###chp_ads_blocker-modal
+!+ NOT_OPTIMIZED
+###chp_ads_blocker-overlay
+!+ NOT_OPTIMIZED
+##.demo-wrapper[style="display:none;"] + div.fadeInDown[id]
+!+ NOT_OPTIMIZED
+##body > div.demo-wrapper[style="display:none;"] + div[id][class]
+!+ NOT_OPTIMIZED
+##div.fadeInDown[id$="____equal"][class$="____equal"]
+! #%#//scriptlet('abort-on-property-read', 'adsBlocked')
+learnfrench.space,berich8.com,examscisco.com,livenewsof.com,medeberiyax.com,savegame.pro,fattelodasolo.it,donghuaworld.com,miraiagent.co.jp,glasbanjaluke.net,nkreport.jp,majorscans.com,postazap.com,digitalmalayali.in,kevswoodworks.com,tabering.net,chataigpt.org,xn--nbkw38mlu2a.com,medeberiya1.com,memo-nikki.info,samovies.net,zealtyro.com,photoshopvideotutorial.com,iamflorianschulze.com,bi-girl.net,oyundunyasi.net,forum.release-apk.com,doc-owl.com,kyoto-kanko.net,yasumesi.com,barrier-free.net,giuseppegravante.com,blurayufr.*,alpinecorporate.com,msonglyrics.com,skiplink.me,manhuaga.com,chijooh.com,teikokutyo.com,daemon-hentai.com,shittokuadult.net,games-manuals.com,tgnscripts.xyz,mokou-matome.com,mypace.sasapurin.com,nsw2u.*,magesypro.com,adslink.pw,teamkong.tk,downloader.is,pornmz.com,audiotools.in,nanamiyuki.com,sinonimos.de,unkochan893.com,miauscan.com,game-2u.com,itopmusicx.com,mhscans.com,3rabsnews.com,tuxnews.it,eurekaddl.*,novel-gate.com,hscans.com,mitsmits.com,ncbellu.net,tyksnet.com,pornktubes.net,porhubvideo.com,freemen.jp,jisakupcbeginnermanual.com,kanaeblog.net,csharpprogram.com,grasta.net,investmentmatome.com,pokemonmatome.online,shirurin.com,covod.work,lenlino.com,mcspigot.com,it-money-life.com,tutorialsduniya.com,hentaiseason.com,monoqlo.tokyo,anime-torrent.com,paraanaliz.com,officialpanda.com,moneysave.info,plugintorrent.com,ewybory.eu,crackwatch.eu,codelikes.com,eigo-no-manma.com,pupuweb.com,4allprograms.me,apkmaza.co,38.242.194.12,branditechture.agency,sysguides.com,polszczyzna.pl,netlivetv.xyz,mylivewallpapers.com,kurobatch.com,mantrazscan.com,4horlover.com,radsum.com,anime4mega-descargas.net,ahstudios.net,ntucgm.com,huntersscan.xyz,freemagazinespdf.com,wabetainfo.com,noijuz.pl,iggtech.com,javhdworld.com,soccermlbstream.xyz,desisexmasala.com,26g.me,watchtv24.com,mangatoo.net,francaisfacile.net,o-pro.online,eda-ah.com,ta2deem7arbya.com,leechyscripts.com,killdhack.com,rarovhs.com,jpopsingles.eu,technicalatg.com,anreiter.at,moewalls.com,frenchweb.fr,bankofinfo.com,knightnoscanlation.com,pathshalanepal.com,angolopsicologia.com,mikrometoxos.gr,geezwild.com,manga-fenix.com,codehelppro.com,9movierulz.*,icongnghe.com,pulpitandpen.org,turbolangs.com,skincaredupes.com,codeastro.com,saniaowner.space,chineseanime.co.in,hentai-mega-mix.com,ragnarokscan.com,codecap.org,themehits.com,katmoviefix.*,twinkybf.com,softfully.com,windowsbulletin.com,udemycoupons.me,365tips.be,animeactua.com,galaxytranslations97.com,myviptuto.com,tienichmaytinh.net,coursevania.com,youfriend.it,7misr4day.com,technicalatg.xyz,gourmetscans.net,mangakik.com,michaelemad.com,javgayplus.com,gaypornhdfree.com,netfuck.net,mkvhouse.com#%#//scriptlet('abort-on-property-read', 'adsBlocked')
+! #%#//scriptlet('prevent-eval-if', '/fairAdblock|chp_?adblock|adsbygoogle\.js/')
+loiz.store,texw.online,myprivatejobs.com,bestloanoffer.net,techconnection.in,hoofoot.net,tokviews.com,sulocale.sulopachinews.com,learnfrench.space,readytoleadafrica.org,hellenism.net,varnascan.net,lisasuites.com,worldwidefaucet.com,gvnvh.net,tajpoints.com,howtocivil.com,towerofgod.me,notesformsc.org,iumkit.net,testious.com,obitspublishers.com,hao.lingganjie.com,siikomik.com,sakanoya.net,kali.wiki,xprime4u.lat,happyy.online,marcialhub.xyz,passedawayarchives.com,examscisco.com,gsdn.live,onefitmamma.com,charlottepilgrimagetour.com,cykf.net,thejujutsukaisenmanga.com,luchaonline.com,chevalmag.com,akihabarahitorigurasiseikatu.com,glo-n.online,livenewsof.com,jolk.online,questloops.com,techlog.ta-yan.ai,infamous-scans.com,nxbrew.com,pc-hobby.com,viewmyknowledge.com,builtbybuilder.com,girlydrop.com,cinelatino.net,yakudachi.org,raishin.xyz,tiny-sparklies.com,veryfuntime.com,infinityskull.com,luisgdato.com,dudestream.com,horrt.xyz,greett.xyz,skidrowreloaded.com,mooonten.com,audiotools.blog,xn--algododoce-j5a.com,celebzcircle.com,careersides.com,trendiqq.com,ftuapps.io,loanoffering.in,fattelodasolo.it,jobsibe.com,noromax.my.id,drakecomic.com,itdmusics.com,nayisahara.com,torrinomedica.it,ragnarokscanlation.net,vnuki.net,freshbhojpuri.com,minipet.online,ikramlar.online,summertoon.*,animesonlineshd.com,utaitebu.com,aozoraapps.net,applediagram.com,spidergame.online,moonplusnews.com,hiphopa.net,worthitorwoke.com,sayrodigital.net,tvappapk.com,flixlatam.com,mrfreemium.blogspot.com,pedalpower.online,tweakdoor.com,rule34porn.net,appdoze.com,offeergames.online,sealat.com,cg-method.com,nkreport.jp,nknews.jp,wpteq.org,djnonstopmusic.in,anysource.pro,userupload.in,latinluchas.com,msic.site,xtremestream.co,bonsaiprolink.*,lustesthd.*,kikt-hentai.com,korsrt.eu.org,glasbanjaluke.net,funkeypagali.com,userupload.net,fx-24.xyz,dent-de-lion.net,librasol.com.br,ensenchat.com,syswoody.com,mens1069.com,utaitebu.com,lectormh.com,sufanblog.com,rail-log.net,10-train.com,4drumkits.com,english-dubbed.com,former-railroad-worker.com,francemusic.com,e-food.jp,life-travel-blog.cfbx.jp,kh-pokemon-mc.com,drinkspartner.com,eroalice.com,plantswith.com,phpscripttr.com,fx4ever.com,businessnews-nigeria.com,coinbaby8.com,shimauma-log.com,play.cdnm4m.nl,drake-scans.com,yuramanga.my.id,diyprojectslab.com,day4news.com,net4you.xyz,pcgameszone.com,30kaiteki.com,gameblog.jp,207hd.com,kgs-invest.com,searchmovie.wp.xdomain.jp,makotoichikawa.net,drakescans.com,riwyat.com,rahim-soft.com,stbemuprocode.com,4fans.gay,inmoralnofansub.xyz,umabomber.com,voiceloves.com,awpd24.com,maos4alaw.online,ster-blog.xyz,yazilidayim.net,linkoops.com,altselection.com,donlego.com,automothink.com,majorscans.com,galaxytranslations97.com,postazap.com,lovendal.ro,primenews.pl,thelastgamestandingexp.com,adnan-tech.com,culture-informatique.net,workxvacation.jp,msonglyrics.com,teluguflix.biz,pandanote.info,violablu.net,pornfeel.com,r18blog.com,forexrw7.com,villettt.kitchen,retrotv.org,3rabsports.com,itopmusics.com,gold-24.net,snowman-information.com,movierr.site,seasons-dlove.net,publicdomainr.net,virtual-youtuber.jp,javcock.com,xerifetech.com,leeapk.com,hyogo.ie-t.net,tw.xn--h9jepie9n6a5394exeq51z.com,publicdomainq.net,paris-tabi.com,gahag.net,tedenglish.site,goegoe.net,xn--kckzb2722b.com,gokushiteki.com,comoinstalar.me,inlovingmemoriesnews.com,rabo.no,viciante.com.br,adminreboot.com,grazymag.com,news-toranomaki.net,bedavahesap.org,nocfsb.com,hornyfan247.xyz,otokukensaku.jp,josemo.com,sararun.net,shopkensaku.com,welcometojapan.jp,xn--n8jwbyc5ezgnfpeyd3i0a3ow693bw65a.com,heartrainbowblog.com,51sec.org,hotspringsofbc.ca,zippyshare.cloud,animecenterbr.com,gogifox.com,chart.services,musicpremieres.com,atleticalive.it,khohieu.com,aitohuman.org,edivaldobrito.com.br,kakiagune.com,mitsmits.com,maisondeas.com,nobodycancool.com,yaspage.com,shangri-lafrontier.me,bookpraiser.com,akihabarahitorigurasiseikatu.com,sciencebe21.in,bishalghale.com.np,egybest.*,allcivilstandard.com,smartinhome.pl,gnusocial.jp,kagohara.net,lgcnews.com,calvyn.com,limontorrents.com,note1s.com,hackmodsapk.com,huhulist.com,forum.release-apk.com,idesign.wiki,dailyweb.pl,webcamfuengirola.com,daybuy.tw,boystube.link,grootnovels.com,tecnoyfoto.com,scansatlanticos.com,thesleak.com,bible-history.com,space-faucet.com,pandadevelopment.net,naveedplace.com,newzjunky.com,codenova-center.web.app,webcras.com,itdmusic.in,bokugents.com,esportsnext.com,quicktelecast.com,cimbusinessevents.com.au,veganab.co,3drubik.ru,freemagazinespdf.com,freeltc.online,4fingermusic.com,chatgbt.one,pc-hobby.com,studyis.xyz,dpscomputing.com,nudeslegion.com,habuteru.com,webmemonote.com,kurosuen.live,tech-bloggers.in,hobbykafe.com,surgicaltechie.com,payou.win,macrocreator.com,freebiesmockup.com,bugswave.com,easyjapanesee.com,madevarquitectos.com,codeastro.com,lscomic.com,tabonitobrasil.tv,techacrobat.com,chihouban.com,businesstrend.jp,yourlifeupdated.net,coingraph.us,brokensilenze.net,luciferdonghua.in,chakrirkhabar247.in,rspermatacirebon.com,kaystls.site,4spaces.org,minioppai.org,masashi-blog418.com,zerogptai.org,watchfacebook.com,encurtareidog.top,encurtareidog2.top,gogetapast.com.br,fine-wings.com,sukuyou.com,gatagata.net,balkanteka.net,savegame.pro,felicetommasino.com,cazztv.xyz,canadaglobalinfo.com,motionisland.com,network-knowledge.work,inter-news.it,chatgptfree.ai,ukigmoch.com,buzter.xyz,techbytesblog.com,commodity-infobox.com,dicengineer.com,neet.wasa6.com,pilsner.nu,eroalice.com,koume-in-huistenbosch.net,starsites.fun,nyangames.altervista.org,calmarkcovers.com,plantswith.com,freedom3d.art,milanreports.com,erreguete.gal,ynk-blog.com,nsfwr34.com,anothergraphic.org,palofw-lab.com,laurasia.info,xs735978.xsrv.jp,setsuyakutoushi.com,freemen.jp,meilblog.com,happy-otalife.com,tatsublog.com,ranourano.xyz,reeell.com,it-money-life.com,ruangmoviez.my.id,moneysave.info,blurayufr.*,gdrivemovies.xyz,samuraiscan.org,alpinecorporate.com,donghuaworld.com,nopay.info,adsy.pw,subindojav.cc,kawai.pics,kits4beats.com,teamkong.tk,techyrick.com,cheatermad.com,samovies.net,coleccionmovie.com,keroseed.net,38.242.194.12,casperhd.com,7hd.club,autodime.com,blog24.me,gomov.bio,yakisurume.com,torrentdofilmeshd.net,3dyasan.com,gamenv.net,gentiluomodigitale.it,chataigpt.org,pupuweb.com,ewybory.eu,nakiny.com,avitter.net,bi-girl.net,freshersgold.com,warungkomik.com,krx18.com,daemonanime.net,my-ford-focus.de,rbs.ta36.com,myqqjd.com,cheese-cake.net,blog.insurancegold.in,blog.cryptowidgets.net,4gousya.net,freecoursesonline.me,onehack.us,nghetruyenma.net,yumekomik.com,downloader.is,korogashi-san.org,blog.carstopia.net,blog.carstopia.net,blog.coinsvalue.net,blog.cookinguide.net,blog.freeoseocheck.com,blog.makeupguide.net,leechyscripts.net,tarotscans.com,shinobijawi.id,south-park-tv.biz,mdn.lol,manhuaga.com,layardrama21.*,mlwbd.to,bitcotasks.com,stakes100.xyz,web1s.info,covemarkets.com,finclub.in,financeyogi.net,shogaisha-shuro.com,hankyjet.xyz,youpit.xyz,shogaisha-techo.com,crackwatch.eu,infotamizhan.xyz,morinaga-office.net,tehnar.net.ua,yurudori.com,kvadratmetr.uz,satcesc.com,telewizja-streamer.xyz,azrom.net,nartag.com,quatvn.club,mhscans.com,mitaku.net,noblessetranslations.com,siirtolayhaber.com,diamondfansub.com,iggtech.com,112amersfoort.nl,112amsterdam.nl,112apeldoorn.nl,112arnhem.nl,112barneveld.nl,112bunschoten.nl,112doetinchem.nl,112ede.nl,112harderwijk.nl,112hilversum.nl,112inbeeld.nl,112nijkerk.nl,112ridderkerk.nl,112rotterdam.nl,112scherpenzeel.nl,112schiedam.nl,112vallei.nl,112veenendaal.nl,112wageningen.nl,112zeewolde.nl,112zwolle.nl,chineseanime.org,zegtrends.com,atlantisscan.com,tecnoscann.com,27-sidefire-blog.com,speak-english.net,mamtamusic.in,projectlive.info,flixhub.*,247beatz.ng,bright-b.com,intelligence-console.com,nemumemo.com,scrap-blog.com,adultcomixxx.com,toramemoblog.com,azamericasat.net,magesypro.pro,magesypro.com,magesy.blog,majesy.org,magesy.eu,magesy.fr,blogk.com,motofan-r.com,sp500-up.com,papafoot.click,f1gplive.xyz,fumettologica.it,japannihon.com,youpits.xyz,mantrazscan.com,sim-kichi.monster,jkhentai.co,javhdworld.com,parking-map.info,news-geinou100.com,thenewsglobe.net,insider-gaming.com,itdmusic.com,downfile.site,anime4mega-descargas.net,anime4mega.net,bg-gledai.*,gamevcore.com,pepperlive.info,pepar.net,articlesmania.me,ustvgo.live,retire49.com,54.238.186.141,fchopin.net,kana-mari-shokudo.com,odekake-spots.com,orenoraresne.com,compota-soft.work,fresherbaba.com,anime-torrent.com,samuraiscan.com,sysguides.com,amritadrino.com,mgnetu.com,papahd.club,aiyumangascanlation.com,kinisuru.com,beaddiagrams.com,canaltdt.es,italiadascoprire.net,kllproject.lv,learnodo-newtonic.com,oracleerpappsguide.com,eurekaddl.*,english-topics.com,rightdark-scan.com,starlive.xyz,nsw2u.*,topsporter.net,unityassets4free.com,freevstplugins.net,4horlover.com,ayatoon.com,gemiadamlari.org,mysocceraustralia.com,neuna.net,studybullet.com,crackthemes.com,rinconpsicologia.com,rocdacier.com,tenbaiquest.com,uur-tech.net,ladypopularblog.com,game-2u.com,lapagan.org,emperorscan.com,javluna1.com,9ketsuki.info,kenta2222.com,rubyskitchenrecipes.uk,schildempire.com,yakyufan-asobiba.com,linkskibe.com,lionsfan.net,know-how-tree.com,grasta.net,kanaeblog.net,nswrom.com,mylivewallpapers.com,femisoku.net,eng-news.com,putlog.net,speculationis.com,audiotrip.org,flowsnet.com,saekita.com,brulosophy.com,reprezentacija.rs,tehnotone.com,telephone-soudan.com,brulosophy.com,daemon-hentai.com,hadakanonude.com,pasokau.com,poapan.xyz,javboys.com#%#//scriptlet('prevent-eval-if', '/fairAdblock|chp_?adblock|adsbygoogle\.js/')
+! autoscout24.com
+richitt.com,mylivewallpapers.com#%#//scriptlet('abort-on-stack-trace', 'document.createElement', 'adsBlocked')
+! #%#//scriptlet('prevent-addEventListener', 'DOMContentLoaded', 'init();')
+arzmatic.com,imperiofilmes.co,sexporncomic.com,spanish.visorsmr.com,gazzettarossonera.it,men4menporn.eu#%#//scriptlet('prevent-addEventListener', 'DOMContentLoaded', 'init();')
+! #%#//scriptlet('abort-current-inline-script', 'chp_ads_blocker_detector')
+moto-station.com,seirsanduk.com,branditechture.agency,team-octavi.com,azdly.com,mxcity.mx,softcobra.com,technorj.com,cizgifilmizle.info,kawaguchimaeda.com,herenscan.com,coursesdaddy.com#%#//scriptlet('abort-current-inline-script', 'chp_ads_blocker_detector')
+! others
+! #%#//scriptlet('abort-on-property-write', 'AdblockRegixFinder')
+idrom.top,claimtrx.com,claimsatoshi.xyz#%#//scriptlet('abort-on-property-write', 'AdblockRegixFinder')
+! #%#//scriptlet('abort-on-property-read', 'AdblockRegixFinder')
+financeyogi.net,onroid.com,sportfacts.net,youboxtv.com,itdmusics.com#%#//scriptlet('abort-on-property-read', 'AdblockRegixFinder')
+! #%#//scriptlet('prevent-eval-if', 'adbEnableForPage')
+kokre.xyz,migdalor-news.co.il,gtf.com.ng,xn--nbkw38mlu2a.com,yuki0918kw.com,bcanotesnepal.com,conoscereilrischioclinico.it,nvimfreak.com,openstartup.tm,stablediffusionxl.com,techsbucket.com,f1ingenerale.com,maketoss.com,certificateland.com,downloadtanku.org,limontorrent.com#%#//scriptlet('prevent-eval-if', 'adbEnableForPage')
+! #%#//scriptlet('set-constant', 'adbEnableForPage', 'false')
+kokre.xyz,3dpchip.com,rshostinginfo.com,splashbase.co,ralli.ee,camcam.cc,nsw2u.*,mundovideoshd.com,ayatoon.com,sapphirescan.com,noblessetranslations.com,eventiavversinews.it,studybullet.com,e-kitapstore.com,studybullet.com,zapcourses.com#%#//scriptlet('set-constant', 'adbEnableForPage', 'false')
+! #%#//scriptlet('prevent-fetch', 'ads-api.twitter.com')
+kokre.xyz,euskalnews.tv,eventiavversinews.it,studybullet.com,e-kitapstore.com,studybullet.com,zapcourses.com#%#//scriptlet('prevent-fetch', 'ads-api.twitter.com')
+! #%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+horrt.xyz,kokre.xyz,javball.com,profileviewpic.com,downev.com,bedrat.xyz,euskalnews.tv,eventiavversinews.it,studybullet.com,e-kitapstore.com,studybullet.com,zapcourses.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! #%#//scriptlet('abort-current-inline-script', 'document.getElementById', 'pagead2.googlesyndication.com')
+itopmusics.com,teluguflix.biz,novelasligeras.net,4horlover.com#%#//scriptlet('abort-current-inline-script', 'document.getElementById', 'pagead2.googlesyndication.com')
+! #%#//scriptlet('abort-on-property-read', 'chp_adblock_browser')
+coastcams.com,teluguflix.lol,financeyogi.net,androidadult.com,audiotools.in,aoutoqw.xyz,bg-gledai.co,itopmusicx.com#%#//scriptlet('abort-on-property-read', 'chp_adblock_browser')
+! #%#//scriptlet('prevent-eval-if', 'chp_adblock')
+chpadblock.com#%#//scriptlet('prevent-eval-if', 'chp_adblock')
+! #%#//scriptlet('abort-on-property-read', 'reqServers')
+starwarsaddicted.it,wuyong.fun,26g.me,myqqjd.com,poapan.xyz,javboys.com,idevicecentral.com,fcportables.com,codehelppro.com#%#//scriptlet('abort-on-property-read', 'reqServers')
+! chp_ads_blocker popups, that can be hidden
+! generic
+###chp_branding
+##a[id][href="https://toolkitspro.com"][rel="noopener noreferrer"]
+##a[id][href="https://chpadblock.com/"][rel="noopener noreferrer"]
+! specific
+readytoleadafrica.org##.to-top + div[id][class*=" "]
+hellenism.net##body > div.ocm-effect-wrap ~ div[id][class]:not(#cliSettingsPopup)
+worldwidefaucet.com##body > div.container ~ script + style + div[id]
+worldwidefaucet.com##body > div.container ~ script + style + div[id] + div[class]
+xprime4u.lat##body > div.main-content-parent + div[class*=" "][id]
+gvnvh.net##.dark-mode-switcher-wrap + div[id][class*=" "]
+questloops.com##body > div.site-outer ~ div[id][class*=" "]
+greett.xyz,cricket12.com,stimotion.pl,thelastgamestandingexp.com,chart.services,moneysave.info,pornmz.com,yakisurume.com,tehnar.net.ua,rocdacier.com,audiotrip.org,flowsnet.com,brulosophy.com,reprezentacija.rs##body > div#page ~ div[id][class*=" "]
+skidrowreloaded.com###page-wrap + div[id][class*=" "]
+celebzcircle.com##body > main[id="site-content"] + div[id][class*=" "]
+jobsibe.com##body > div[id][class*=" "]:first-child
+torrinomedica.it##body > #site-wrapper + div[id][class*=" "]
+ikramlar.online##body > div[id="page"] ~ script + div[id][class*=" "]
+modijiurl.com#$?#body > .site ~ div[id][class] { remove: true; }
+worthitorwoke.com##.btPageWrap + div[id][class*=" "]
+varnascan.net,siikomik.com,summertoon.*,donghuaworld.com###footer + div[id][class*=" "]
+rule34porn.net##.footer + div[id][class*=" "]
+nkreport.jp,nknews.jp###wp-footer > #page-top ~ div[id][class]
+djnonstopmusic.in##body > center ~ script + style + div[id][class]
+medeberiyax.com,freshbhojpuri.com,msic.site##body > div[id="page"] + div[id][class]
+kikt-hentai.com##body > div[id="header_search"] + div[id][class]
+miraiagent.co.jp##body > div[id="page-container"] + div[id][class]
+korsrt.eu.org##.cutemag-scroll-top + div[id][class*=" "]
+francemusic.com##.infinite-scroll-path + div[id][class*=" "]
+obitspublishers.com,nayisahara.com,infinityskull.com,drinkspartner.com,atleticalive.it,247beatz.ng,amritadrino.com##body > .mh-container + div[id][class*=" "]
+phpscripttr.com##body > #topcontrol + div[id][class*=" "]
+appdoze.com##body > div.wrapper-page + div[id][class*=" "]
+4drumkits.com,altselection.com##.g1-canvas + div[id][class*=" "]
+nekoscans.com##.mainholder + div[id][class*=" "]
+bedrat.xyz,fx-22.com###page ~ div[id][class*=" "]
+retrotv.org##body > .Tp-Wp + div[id][class*=" "]
+4fans.gay,primenews.pl###jeg_forgotform + div[id][class*=" "]
+girlydrop.com,aozoraapps.net,sayrodigital.net,minioppai.org,otokukensaku.jp,limontorrents.com,tabonitobrasil.tv,hairjob.wpx.jp,shikaku-getter.info,kyoto-kanko.net,tatsublog.com,rbs.ta36.com,4gousya.net,shogaisha-shuro.com,nemumemo.com,anime4mega-descargas.net,kinisuru.com,nsw2u.*,games-manuals.com,javluna1.com,9ketsuki.info,grasta.net##footer ~ div[id][class*=" "]
+doumura.com##body > .container ~ h4.adblock_title ~ div[class]
+meilblog.com##.adblock_subtitle
+meilblog.com,doumura.com##.adblock_title
+xerifetech.com##body> footer ~ .adblock_subtitle + div[class] + div[class]
+donlego.com,leeapk.com##body > #jeg_off_canvas + div[id][class*=" "]
+publicdomainr.net,publicdomainq.net###footercredits + div[id][class*=" "]
+gold-24.net,bedavahesap.org##.back-top + div[id][class*=" "]
+hornyfan247.xyz###back-top + div[id][class*=" "]
+egybest.in##div[id$="-site-wrap-parent"] + div[id][class*=" "]
+promisingapps.com##body > div#global-wrapper + div[id][class*=" "]
+smartinhome.pl,lgcnews.com##body > div[data-elementor-type="footer"] ~ div[id][class*=" "]
+daybuy.tw##body > :is(.penci-go-to-top-floating, .penci-rlt-popup) + div[id][class*=" "]
+ensenchat.com,itopmusics.com,webcamfuengirola.com,newzjunky.com,teluguflix.biz##body > div[class][style="display:none;"] + div[id][class*=" "]
+webcras.com##body > br + div[id][class*=" "]
+tokviews.com,learnfrench.space,hamzashatela.com,kaystls.site##body > script + div[id][class*=" "]:not(#wpcp-error-message, #ast-scroll-top)
+watchfacebook.com##body > button + div[id][class*=" "]
+canadaglobalinfo.com###content + div[id][class*=" "]
+tajpoints.com,careersides.com,comoinstalar.me,allcivilstandard.com,hackmodsapk.com,oyundunyasi.net##.generate-back-to-top + div[id][class*=" "]
+examscisco.com,dudestream.com,syswoody.com,51sec.org,freemen.jp##.ta_upscr + div[id][class*=" "]
+wpteq.org,snowman-information.com,xn--kckzb2722b.com,xn--n8jwbyc5ezgnfpeyd3i0a3ow693bw65a.com,nobodycancool.com,kagohara.net,meilblog.com###st-ami + div[id][class*=" "]
+raishin.xyz,yasumesi.com,barrier-free.net###page-top + div[id][class*=" "]
+sakanoya.net,akihabarahitorigurasiseikatu.com,pc-hobby.com,yakudachi.org,tiny-sparklies.com,veryfuntime.com,sufanblog.com,rail-log.net,10-train.com,e-food.jp,life-travel-blog.cfbx.jp,shimauma-log.com,kgs-invest.com,umabomber.com,r18blog.com,virtual-youtuber.jp,matomeiru.com,paris-tabi.com,tedenglish.site,goegoe.net,sararun.net,shopkensaku.com,welcometojapan.jp,maisondeas.com,yaspage.com,akihabarahitorigurasiseikatu.com,gnusocial.jp,doumura.com,habuteru.com,kurosuen.live,businesstrend.jp,fine-wings.com,sukuyou.com,gatagata.net,setsuyakutoushi.com,ranourano.xyz,reeell.com,it-money-life.com###go-to-top + div[id][class*=" "]
+blurayufr.*##body > .bw_footer + div[id][class*=" "]
+seasons-dlove.net,gdrivemovies.xyz##body > a[class] + div[id][class*=" "]
+nkreport.jp,speak-english.net,ncbellu.net,covod.work,lenlino.com,mcspigot.com,nknews.jp##body > div#wp-footer > script + div[id][class*=" "]
+||link1s.com/kiem-tien-mua-sua-cho-con-gai.js
+notesformsc.org,viewmyknowledge.com,starxinvestor.com,moonplusnews.com,postazap.com,lovendal.ro,rabo.no,edivaldobrito.com.br,shangri-lafrontier.me,nsfwr34.com,kits4beats.com##body > .site-footer + div[id][class*=" "]
+coleccionmovie.com###site-container + div[id][class*=" "]
+38.242.194.12##center + div[id][class*=" "]
+gentiluomodigitale.it###page-container + div[id][class*=" "]
+richitt.com,berich8.com,luisgdato.com,techyrick.com,freshersgold.com###main-container + div[id][class*=" "]
+krx18.com,myqqjd.com##script + div[class][style="display:none;"] + div[id][class*=" "]
+cg-method.com,30kaiteki.com,makotoichikawa.net,voiceloves.com,tabering.net,happy-otalife.com,cheese-cake.net###body_wrap + div[id][class*=" "]
+freecoursesonline.me##div[class*="sb-toggle-"] + div[id][class*=" "]
+shinobijawi.id##.scrollToTop + div[id][class*=" "]
+crackwatch.eu###modalSearch + div[id][class*=" "]
+infotamizhan.xyz###footer-container + div[id][class*=" "]
+112amersfoort.nl,112amsterdam.nl,112apeldoorn.nl,112arnhem.nl,112barneveld.nl,112bunschoten.nl,112doetinchem.nl,112ede.nl,112harderwijk.nl,112hilversum.nl,112inbeeld.nl,112nijkerk.nl,112ridderkerk.nl,112rotterdam.nl,112scherpenzeel.nl,112schiedam.nl,112vallei.nl,112veenendaal.nl,112wageningen.nl,112zeewolde.nl,112zwolle.nl###wrapper > div[class][style="display:none;"] + div[id][class*=" "]
+ruangmoviez.my.id,layardrama21.*,mamtamusic.in##.gmr-ontop + div[id][class*=" "]
+cinelatino.net,animesonlineshd.com,flixlatam.com,movierr.site,mlwbd.to,flixhub.*###dt_contenedor + div[id][class*=" "]
+adultcomixxx.com##.copyright ~ div[id][class*=" "]
+toramemoblog.com##.lity-hide + div[id][class*=" "]
+rahim-soft.com,veganab.co,inter-news.it,azamericasat.net##.background-overlay + div[id][class*=" "]
+vnuki.net,applediagram.com,kh-pokemon-mc.com,eroalice.com,plantswith.com,207hd.com,awpd24.com,gahag.net,inlovingmemoriesnews.com,4fingermusic.com,chihouban.com,cheatermad.com,autodime.com,torrentdofilmeshd.net,pupuweb.com,mmorpgplay.com.br##footer + div[id][class]
+pornfeel.com,subindojav.cc,kawai.pics,javhdworld.com##body > #back-to-top + div[id][class*=" "]
+orenoraresne.com##iframe[name="__tcfapiLocator"] + div[id][class*=" "]
+27-sidefire-blog.com,intelligence-console.com,anime-torrent.com##body > .totop + div[id][class*=" "]
+beaddiagrams.com##body > .big-wrapper + div[id][class*=" "]
+hao.lingganjie.com##body > #search-modal + div[id][class*=" "]
+diyprojectslab.com,italiadascoprire.net##body > .search-modal-wrap + div[id][class*=" "]
+luchaonline.com,nudeslegion.com,youpit.xyz,youpits.xyz,learnodo-newtonic.com##body > .site-footer ~ div[id][class*=" "]
+oracleerpappsguide.com###fb-root + div[id][class*=" "]
+myprivatejobs.com,bestloanoffer.net,techconnection.in,towerofgod.me,happyy.online,chevalmag.com,glo-n.online,jolk.online,infinityskull.com,audiotools.blog,fattelodasolo.it,koume-in-huistenbosch.net,spidergame.online,pedalpower.online,offeergames.online,sealat.com,dent-de-lion.net,mens1069.com,english-dubbed.com,fx4ever.com,businessnews-nigeria.com,day4news.com,net4you.xyz,gameblog.jp,ster-blog.xyz,yazilidayim.net,pandanote.info,forexrw7.com,3rabsports.com,hyogo.ie-t.net,chatgbt.one,shrinklinker.com,felicetommasino.com,chatgptfree.ai,keroseed.net,ewybory.eu,nghetruyenma.net,south-park-tv.biz,telewizja-streamer.xyz,azrom.net,mitaku.net,siirtolayhaber.com,japannihon.com,kllproject.lv,telephone-soudan.com###page + div[id][class]
+viciante.com.br##body > style + div[id][class*=" "] + div[class*=" "]
+itdmusics.com,mrfreemium.blogspot.com,userupload.in,xtremestream.co,pornleaks.in,viciante.com.br,zippyshare.cloud,note1s.com,rseducationinfo.com,coingraph.us,rsadnetworkinfo.com,encurtareidog.top,encurtareidog2.top,gogetapast.com.br,cazztv.xyz,nopay.info,adsy.pw,rssoftwareinfo.com,casperhd.com,7hd.club,onehack.us,bitcotasks.com,finclub.in,financeyogi.net,projectlive.info,itdmusic.com,bg-gledai.*,pepperlive.info,mgnetu.com,starlive.xyz,topsporter.net##body > style + div[id][class*=" "]
+marcialhub.xyz,infamous-scans.com,ragnarokscanlation.net,lectormh.com,yuramanga.my.id,inmoralnofansub.xyz,galaxytranslations97.com,nocfsb.com,grootnovels.com,scansatlanticos.com,bokugents.com,lscomic.com,samuraiscan.org,nartag.com,mhscans.com,noblessetranslations.com,diamondfansub.com,atlantisscan.com,tecnoscann.com,mantrazscan.com,jkhentai.co,rightdark-scan.com##body > .wrap + div[id][class*=" "]
+unityassets4free.com##body > #scroll-top + div[id][class*=" "]
+freevstplugins.net##body > div#site + div[id][class*=" "]
+majorscans.com,xerifetech.com,gokushiteki.com,warungkomik.com,tarotscans.com,chineseanime.org,ayatoon.com##body > #footer + div[id][class*=" "]
+gemiadamlari.org##body > .normal + div[id][class*=" "]
+rinconpsicologia.com##.site-container + div[id][class*=" "]
+tenbaiquest.com##.drawer-overlay + div[id][class*=" "]
+lapagan.org###return-to-top + div[id][class*=" "]
+bloxo.online,tvappapk.com,violablu.net,villettt.kitchen,chataigpt.org,aitohuman.org,sciencebe21.in,dailyweb.pl,zerogptai.org,fresherbaba.com,nsw2u.*,game-2u.com,rubyskitchenrecipes.uk,know-how-tree.com,nswrom.com##body > #page + div[id][class*=" "]
+hotspringsofbc.ca,studybullet.com##body > .clr + div[id][class*=" "]
+pcgameszone.com,linkoops.com,mylivewallpapers.com##body > .credits + div[id][class*=" "]
+saekita.com##body > div#fb-root + div[id][class*=" "]
+tehnotone.com##body > div#content > div#list-area + div[id][class*=" "]
+daemonanime.net,anime4mega.net,daemon-hentai.com##body > a#scroll-up + div[id][class*=" "]
+iumkit.net,latinluchas.com,zegtrends.com,sysguides.com##body > .wrapper + div[id][class*=" "]
+hoofoot.net,thejujutsukaisenmanga.com,nxbrew.com,hiphopa.net,anysource.pro,adminreboot.com,kakiagune.com,savegame.pro,papa4k.online,my-ford-focus.de,stakes100.xyz,sp500-up.com,papafoot.click,f1gplive.xyz,gamevcore.com,papahd.club,yakyufan-asobiba.com,hadakanonude.com##body > #wrapper + div[id][class*=" "]
+digitalmalayali.in,alpinecorporate.com,gomov.bio,leechyscripts.net,skiplink.me,manhuaga.com,hankyjet.xyz,kvadratmetr.uz,thenewsglobe.net,daemon-hentai.com,4horlover.com,tgnscripts.xyz,crackthemes.com,sinonimos.de,game-2u.com,itopmusicx.com,nsw2u.*,mhscans.com,3rabsnews.com,novel-gate.com,pornktubes.net,porhubvideo.com,freemen.jp,jisakupcbeginnermanual.com,kanaeblog.net,tutorialsduniya.com,hentaiseason.com,monoqlo.tokyo,anime-torrent.com,officialpanda.com,plugintorrent.com,crackwatch.eu,pupuweb.com,mylivewallpapers.com,netlivetv.xyz,kurobatch.com,mantrazscan.com,anime4mega-descargas.net,tora-scripts.com,ntucgm.com,anime4mega.net,noijuz.pl,iggtech.com,javhdworld.com,soccermlbstream.xyz,desisexmasala.com##body > script + div[id][class*=" "]
+teamkong.tk##body > a[id] + div[id][class*=" "]
+brokensilenze.net,financeyogi.net,satcesc.com,quatvn.club,audiotools.in,insider-gaming.com,bg-gledai.co,itopmusicx.com##body > script + div[class][style="display:none;"] + div[id][class*=" "]
+bg-gledai.co##body > #wrapper > script + div[class][style="display:none;"] + div[id][class*=" "]
+downloader.is##body > .slideout-overlay + div[id][class*=" "]
+hentaiseason.com##body > i > script + div[id][class*=" "]
+audiotools.in##body > .container + div[id][class*=" "]
+aiyumangascanlation.com##body > [src] > .wrap + div[id][class*=" "]
+tuxnews.it##body > [src] > script + div[id][class*=" "]
+bookpraiser.com,motionisland.com,eurekaddl.*##.avada-footer-scripts > div[id][class*=" "]
+gsdn.live,culture-informatique.net,xn--nbkw38mlu2a.com,chataigpt.org,gamevcore.com,novel-gate.com##body > iframe + div[id][class*=" "]
+paraanaliz.com##body > div[data-theiastickysidebar-options] + div[id][class*=" "]
+moneysave.info##body > input ~ script + div[id][class*=" "]
+38.242.194.12##footer > script + div[id][class*=" "]
+polszczyzna.pl##body > script + style ~ a + div[id][class*=" "]
+kurobatch.com##body > #page > script + div[id][class*=" "]
+romarea.com,sportfacts.net,youboxtv.com,itdmusics.com##div[class*="__chp_branding__"]
+romarea.com,sportfacts.net,youboxtv.com,itdmusics.com##div[id*="__modal__"][class*="__modal__"]
+news-toranomaki.net,nanamiyuki.com,unkochan893.com,tyksnet.com,it-money-life.com,codelikes.com,eigo-no-manma.com,radsum.com,avitter.net,26g.me##body > #container > .content ~ script + div[id][class*=" "]
+myqqjd.com##body > .wshop-pay-button + div[class][style="display:none;"] + div[id][class*=" "]
+javcock.com,poapan.xyz,javboys.com##body > #site-wrapper > footer#site-footer + div[id][class*=" "]
+noblessetranslations.com,4allprograms.me,ahstudios.net##body > script[src] + div[id][class*=" "]:not([id*="_"])
+francaisfacile.net,o-pro.online,eda-ah.com,ta2deem7arbya.com,leechyscripts.com,killdhack.com,rarovhs.com,jpopsingles.eu,technicalatg.com,anreiter.at,moewalls.com,frenchweb.fr,freemagazines.top,desktopsolution.org,zuariya.com,bankofinfo.com,knightnoscanlation.com,pathshalanepal.com,angolopsicologia.com,courserecap.com,cyberbump.net,mikrometoxos.gr,geezwild.com,manga-fenix.com,codehelppro.com,9movierulz.*,icongnghe.com,pulpitandpen.org,turbolangs.com,skincaredupes.com,codeastro.com,saniaowner.space,chineseanime.co.in,hentai-mega-mix.com,ragnarokscan.com,codecap.org,themehits.com,katmoviefix.*,dragontea.ink,twinkybf.com,softfully.com,windowsbulletin.com,udemycoupons.me,365tips.be,animeactua.com,galaxytranslations97.com,myviptuto.com,tienichmaytinh.net,coursevania.com,youfriend.it,7misr4day.com,technicalatg.xyz,gourmetscans.net,mangakik.com,michaelemad.com,javgayplus.com,gaypornhdfree.com,fcportables.com,netfuck.net,mkvhouse.com##div[id^="chp_ads_block"]
+techlog.ta-yan.ai,drakescans.com#$#html > body:not(#style_important) { overflow: auto !important; }
+techlog.ta-yan.ai,drakescans.com#$#body > div[class][style="display:none;"] + div[id][class*=" "] { display: none !important; }
+!+ NOT_OPTIMIZED
+macrocreator.com,msonglyrics.com##nav + div[id][class*=" "]
+!+ NOT_OPTIMIZED
+onefitmamma.com,fumettologica.it##body div[id="td-outer-wrap"] ~ div[id][class*=" "]
+!+ NOT_OPTIMIZED
+parking-map.info##body[class^=" "] > div[id][class]:not(#body_wrap)
+!+ NOT_OPTIMIZED
+sulocale.sulopachinews.com,utaitebu.com,josemo.com,mitsmits.com,bi-girl.net,bright-b.com,news-geinou100.com##body > #container + div[id][class*=" "]
+!+ NOT_OPTIMIZED
+miauscan.com,hscans.com,mitsmits.com,csharpprogram.com,grasta.net,investmentmatome.com,pokemonmatome.online,shirurin.com,huntersscan.xyz,freemagazinespdf.com,wabetainfo.com##body > script[id] + div[id][class*=" "]
+!+ NOT_OPTIMIZED
+shogaisha-techo.com##body > .clearfix + div[id][class*=" "]
+!+ NOT_OPTIMIZED
+ynk-blog.com,3dyasan.com,gamenv.net,nakiny.com,avitter.net,yurudori.com,blogk.com,motofan-r.com,sim-kichi.monster,pepar.net,54.238.186.141,fchopin.net,compota-soft.work,shittokuadult.net,neuna.net,uur-tech.net,kenta2222.com,schildempire.com,lionsfan.net,mokou-matome.com,putlog.net,speculationis.com,pasokau.com##body > #container > footer#footer ~ div[id][class*=" "]
+!+ NOT_OPTIMIZED
+livenewsof.com,librasol.com.br,yourlifeupdated.net,balkanteka.net,giuseppegravante.com,iggtech.com###td-outer-wrap + div[id][class*=" "]
+! NOTE: chp_ads_blocker end ⬆️
+! !SECTION: chp_ads_blocker
+!
+! penci_adlbock
+! #%#//scriptlet('set-constant', 'penci_adlbock', 'undefined')
+passionategeekz.com,generazionebio.com,arcadepunks.com,dtbps3games.com,bestsimsmods.com,chromeready.com#%#//scriptlet('set-constant', 'penci_adlbock', 'undefined')
+/js/detector.js$domain=bestsimsmods.com|dtbps3games.com|passionategeekz.com
+||hb.wpmucdn.com/thirdeyemedia.wpmudev.host/5a0d26e8-7036-49f5-a883-1fcdaf372013.js
+||generazionebio.com/wp-content/uploads/siteground-optimizer-assets/penci_ad_blocker.min.js
+!
+! adde_modal_detector
+aagmaal.vip,taradinhos.com,pasarbokep.com,tubebular.com,pornfeel.com,bootyexpo.net,gayporntube.net,demo.wp-script.com,dvdgayonline.com,hutgay.com,hen-tie.net,sogirl.so,gayguy.top,camcam.cc,stepmoms.xxx,pornmilo.me,freshscat.com##.adde_modal-overlay
+aagmaal.vip,taradinhos.com,pasarbokep.com,tubebular.com,pornfeel.com,bootyexpo.net,gayporntube.net,demo.wp-script.com,dvdgayonline.com,hutgay.com,hen-tie.net,sogirl.so,gayguy.top,camcam.cc,stepmoms.xxx,pornmilo.me,freshscat.com##.adde_modal_detector
+! #%#//scriptlet("abort-on-property-read", "adsBlocked")
+aagmaal.vip,taradinhos.com,pasarbokep.com,tubebular.com,pornfeel.com,bootyexpo.net,demo.wp-script.com,dvdgayonline.com,hutgay.com,hen-tie.net,sogirl.so,gayguy.top,camcam.cc,stepmoms.xxx,pornmilo.me,freshscat.com#%#//scriptlet("abort-on-property-read", "adsBlocked")
+!
+! Similar to chp_ads_blocker/adde_modal_detector, but it's using "random" string with "____equal" at the end
+fcportables.com,ps2-bios.com##div[id$="____equal"]:not(.ad)
+ps2-bios.com#%#//scriptlet("abort-on-property-read", "adsBlocked")
+!
+! JetBlocker Anit AdBlocker Detector
+!+ NOT_OPTIMIZED
+/wp-content/plugins/jet-blocker-anti-ad-blocker-detector/*
+!+ NOT_OPTIMIZED
+##.jetblocker-wrapper
+!+ NOT_OPTIMIZED
+##.jetblocker_overlay
+!
+! 'tie.ad_blocker_detector' (tie-popup-adblock)
+! #%#//scriptlet("set-constant", "tie.ad_blocker_detector", "")
+lokkio.it,innercircletrading.website,numankocak.com,winsides.com,sawahits.com,fullmatch.info,baudasdicas.com,mag.asteroids.jp,blaulichtreport-saarland.de,1nulled.com,sozgazetesi.org.tr,reptiles-universe.com,deejayplaza.com,studio.fm.br,hardwaresfera.com,tryhardsports.com,yallashoot.me,animebrowse.com,cioupdate.com.tr,lesite24.com,kayoanime.com,cad-elearning.com,admissionnotice.com,turkry-rasd.com,ringwitdatwixtor.com,pkpics.fun,dugrt.com,notiziariodelweb.it,slogoanime.com,winmeen.com,keylerbenden.com,electricaltechnology.org,dz-linkk.com,kabbos.com,polandinarabic.com,canalk.com,checkresultbd.com,termux.xyz,mondomobileweb.it,modzillamods.com,shiningawards.com,canadajobbank.org,moumentec.com,flashdumpfiles.com,aptgadget.com,bitcoinarabic.com,canadianjobbank.org,tinde.tech,chakrirkhabar247.in,bukja.net,governmentofcanadajobs.com,evdeingilizcem.com,dlgames.fun,worldmak.com,computory.com,vakilsearch.com,wkconquer.com,g37.com.br,tunimedia.tn,turkedebiyati.org,lereportersablais.com,kdramasmaza.co,telefoniatech.it,leaksat.com,lehait.net,eduschool40.blog,kriptoup.com,sosyalbook.com,lojiciels.com,banglahunt.com,middroid.com,portallos.com.br,putinho.net,teknorus.com,flexyhit.com,evdealmanca.com,technicalatg.com,nullphpscript.com,thuthuatjb.com,bostanekotob.com,avsseries.com,technicalatg.xyz,us7p.com,e3lam.com,tgyama.com,askeribirlikler.com,aulasdeinglesgratis.net,prajwaldesai.com,ganardineroporinternet.me,pirotskevesti.rs,techhelpbd.com,terhalak.com,portaldoaz.org,eye9ja.com,disheye.com,lsto.me,dnetc.net,voleybolmagazin.com,technorozen.com,historicseries.com,tpknews.com,paktales.com,troovez.com,myviptuto.com,computercoach.co.nz,torenmedya.com,acommunity.com.tw,notodoanimacion.es,teechbeats.com,prantalks.com,tawpa.net,aof.tc,sitelatest.com,nullscript.xyz,frenchpdf.com,infofordon.pl,healthyguide.com.ng,compstudio.in,kamuisilanlari.net,anidl.org,edumaz.com,dokazm.mk,portalenf.com,almnatiq.net,gadgets.techymedies.com,arabgamingworld.com,aktualnosci.news,frontedelblog.it,nachrichten.cyou,souq-design.com,inputmag.dk,comoapple.com,thepicpedia.com,deluxe.news,ta1lsx.com,dailybanner.co.uk,codelist.biz,intozoom.com,builder.id,aloomag.ir,nepaleseteacher.org,veganab.co,tmz.ng,newzpanda.com,yossr.com,how2electronics.com,poradniki.net,expatguideturkey.com,sorumatik.co,databaseitalia.it,zodhacks.com,dnaofsports.com,bollywoodhindi.in,nubng.com,vga4a.com,thetimesweekly.com,raqmedia.com,newsauto.it,compuhoy.com,gatexplore.com,rolasdanet.com,avmkatalog.com,aktuelsanat.net,ozkanalkan.net,apprepack.com,alghad.com,oicanadian.com,ifon.ca,cnwintech.com,washingtoninformer.com,thetruedefender.com,muzikonair.com,web4free.in,numberozo.com,haronefit.com,tutocad.com,softvela.us,wallpapers.ispazio.net,bsaktuell.de,koinbox.net,inventiva.co.in,estafed1.com,tntmac.com,latestreview.tech,curiosandosimpara.com,vodnews.pl,tipslearn.com,rebe1scum.com,animedevil.com,fullversionforever.com,stockrom.net,thenextdroid.com,jogging-plus.com,cozumpark.com,rontechtips.com,trivela.com.br,cimaroom.com#%#//scriptlet("set-constant", "tie.ad_blocker_detector", "")
+! #%#//scriptlet("set-constant", "tie.ad_blocker_disallow_images_placeholder", "")
+baudasdicas.com,deejayplaza.com,hardwaresfera.com,cioupdate.com.tr,moumentec.com#%#//scriptlet("set-constant", "tie.ad_blocker_disallow_images_placeholder", "")
+! #$#body .Ad-Container.adsbygoogle { display: block !important; }
+lokkio.it,innercircletrading.website,numankocak.com,winsides.com,sawahits.com,fullmatch.info,baudasdicas.com,mag.asteroids.jp,1nulled.com,sozgazetesi.org.tr,reptiles-universe.com,deejayplaza.com,studio.fm.br,hardwaresfera.com,tryhardsports.com,yallashoot.me,animebrowse.com,cioupdate.com.tr,lesite24.com,kayoanime.com,cad-elearning.com,admissionnotice.com,turkry-rasd.com,ringwitdatwixtor.com,pkpics.fun,notiziariodelweb.it,slogoanime.com,keylerbenden.com,electricaltechnology.org,dz-linkk.com,kabbos.com,canalk.com,checkresultbd.com,termux.xyz,mondomobileweb.it,modzillamods.com,shiningawards.com,canadajobbank.org,moumentec.com,flashdumpfiles.com,aptgadget.com,bitcoinarabic.com,canadianjobbank.org,tinde.tech,chakrirkhabar247.in,bukja.net,governmentofcanadajobs.com,evdeingilizcem.com,dlgames.fun,worldmak.com,computory.com,vakilsearch.com,wkconquer.com,g37.com.br,tunimedia.tn,turkedebiyati.org,lereportersablais.com,kdramasmaza.co,telefoniatech.it,leaksat.com,lehait.net,eduschool40.blog,kriptoup.com,sosyalbook.com,lojiciels.com,banglahunt.com,middroid.com,portallos.com.br,putinho.net,teknorus.com,flexyhit.com,evdealmanca.com,technicalatg.com,nullphpscript.com,thuthuatjb.com,bostanekotob.com,avsseries.com,technicalatg.xyz,us7p.com,e3lam.com,tgyama.com,askeribirlikler.com,aulasdeinglesgratis.net,prajwaldesai.com,ganardineroporinternet.me,pirotskevesti.rs,techhelpbd.com,terhalak.com,portaldoaz.org,eye9ja.com,disheye.com,lsto.me,dnetc.net,voleybolmagazin.com,technorozen.com,historicseries.com,tpknews.com,paktales.com,troovez.com,myviptuto.com,computercoach.co.nz,torenmedya.com,acommunity.com.tw,notodoanimacion.es,teechbeats.com,prantalks.com,tawpa.net,aof.tc,sitelatest.com,nullscript.xyz,frenchpdf.com,infofordon.pl,healthyguide.com.ng,compstudio.in,kamuisilanlari.net,anidl.org,edumaz.com,dokazm.mk,portalenf.com,almnatiq.net,gadgets.techymedies.com,arabgamingworld.com,aktualnosci.news,frontedelblog.it,nachrichten.cyou,souq-design.com,inputmag.dk,comoapple.com,thepicpedia.com,deluxe.news,ta1lsx.com,dailybanner.co.uk,codelist.biz,intozoom.com,builder.id,aloomag.ir,nepaleseteacher.org,veganab.co,tmz.ng,newzpanda.com,yossr.com,how2electronics.com,poradniki.net,expatguideturkey.com,sorumatik.co,databaseitalia.it,zodhacks.com,dnaofsports.com,bollywoodhindi.in,nubng.com,vga4a.com,thetimesweekly.com,raqmedia.com,newsauto.it,compuhoy.com,gatexplore.com,rolasdanet.com,avmkatalog.com,aktuelsanat.net,ozkanalkan.net,apprepack.com,alghad.com,oicanadian.com,ifon.ca,cnwintech.com,washingtoninformer.com,thetruedefender.com,muzikonair.com,web4free.in,numberozo.com,haronefit.com,tutocad.com,softvela.us,wallpapers.ispazio.net,bsaktuell.de,koinbox.net,inventiva.co.in,estafed1.com,tntmac.com,latestreview.tech,curiosandosimpara.com,vodnews.pl,tipslearn.com,rebe1scum.com,animedevil.com,fullversionforever.com,stockrom.net,thenextdroid.com,jogging-plus.com,cozumpark.com,rontechtips.com,trivela.com.br,cimaroom.com#$#body .Ad-Container.adsbygoogle { display: block !important; }
+!
+! npttech antiadblock script
+tv3.lv,digitalmusicnews.com#%#//scriptlet('prevent-element-src-loading', 'script', 'npttech.com')
+||npttech.com/advertising.js$important,script,redirect=noopjs,domain=~vijesti.me
+!
+!
+! npttech+tinypass antiadblock
+slate.com#@#.ad
+slate.com#@#.ad01
+$cookie=__adblocker,domain=slate.com|thehindubusinessline.com
+leagueofgraphs.com,tv3.lv#%#//scriptlet('set-cookie', '__adblocker', 'false')
+!
+! @@/libs/advertisement.js popular antiadblock on crypto faucet websites
+@@/libs/advertisement.js$domain=xfaucet.net|getfreebit.xyz|getfree.co.in|starbits.io|bagi.co.in|konstantinova.net|starfaucet.net|bitearns.com|cryptofreebies.info|trivisna.com|nosl.juezcoin.xyz|earn-cryptolive.000webhostapp.com|dogeatm.com|aztecafaucet.space|multifaucet.org|dogestar.website|claimbits.io|i-bits.io|diamondfaucet.space|gobits.io|russiacoin.xyz|lionltcfaucet.xyz|faucet.shorterall.com|yellowfaucet.ovh|faucet.cryptourl.net|simplyfaucet.xyz|up-cripto.com|highearn.xyz|tv3.lv
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/76212
+thehindubusinessline.com,thehindubusinessline.com,tv3.lv,bangordailynews.com,hnonline.sk,vijesti.me#%#//scriptlet("abort-on-property-read", "setNptTechAdblockerCookie")
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/120388
+! ##.wgAdBlockMessage
+! play-games.com,kolagames.com,friv5online.com,arcadehole.com,kiz10.com,pacogames.com,mousecity.com,zipi.com,yepi.com,oyunlarskor.com##.wgAdBlockMessage
+##.wgAdBlockMessage
+!
+! ADs-BG/ST1mar
+easywayget.com,bazigarkingyoutube.blogspot.com,edukasicampus.net,topliker.net,dreamrealitytuition.com,qasimtricks.com,otlinks.xyz,nullphpscript.xyz,gameissue05.blogspot.com,techiesavi.com,teamkong.tk,minecraftalpha.net,ammanpatro.in,freecatv.blogspot.com##.ADs-BG
+easywayget.com,bazigarkingyoutube.blogspot.com,edukasicampus.net,topliker.net,dreamrealitytuition.com,qasimtricks.com,otlinks.xyz,nullphpscript.xyz,gameissue05.blogspot.com,techiesavi.com,teamkong.tk,minecraftalpha.net,ammanpatro.in,freecatv.blogspot.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+!
+! START: Ads replacement (this script is similar to `zmctrack`)
+!
+filmvilag.me,liderendeportes.com,serieskao.tv,ac24.cz,hesgoal.com,igg-games.com,ibb.co#$?#body > iframe[name]:not([class]):not([id]):not([src])[style*="none"] { remove: true; }
+filmvilag.me,liderendeportes.com,serieskao.tv,ac24.cz,nsfwyoutube.com,hesgoal.com,igg-games.com,ukhello.info,uaclips.com,thodkyaat.com,kzclip.com,onlymen.cz,ultimasnoticias.com.ve,ibb.co##pp
+igg-games.com##slot + div[class]
+!
+serieslatinoamerica.tv,trshow.info,ukposts.info,ruplayers.com##pp
+! https://github.com/AdguardTeam/AdguardFilters/issues/123408
+delicious-audio.com#%#//scriptlet('set-constant', 'adBlockerState', 'undefined')
+!+ NOT_OPTIMIZED
+delicious-audio.com#$##cboxOverlay { display: none !important; }
+!+ NOT_OPTIMIZED
+delicious-audio.com#$##colorbox { display: none !important; }
+!+ NOT_OPTIMIZED
+delicious-audio.com#$#html { overflow: auto !important; }
+!+ NOT_OPTIMIZED
+delicious-audio.com#$#body { overflow: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/115641
+||claimfey.com/cryptonews/wp-content/uploads/bqanwcfp.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/85992
+! https://github.com/AdguardTeam/AdguardFilters/issues/63273
+trshow.info#$?#iframe[name]:not([class]):not([id]):not([src])[style^="display:"] { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/15206
+uaclips.com,kzclip.com,ru-clip.com,ruclip.com#$##morev { position: absolute!important; left: -3000px!important; }
+uaclips.com,kzclip.com,ru-clip.com,ruclip.com###morev
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/65122
+! https://github.com/AdguardTeam/AdguardFilters/issues/51117#issuecomment-599883366
+youporn.com,adelaidepawnbroker.com,bztube.com,hotovs.com,insuredhome.org,nudegista.com,pornluck.com,vidd.se,redtube.*,youpornru.com,tube8.com,tube8.es,tube8.fr,tube8.net#%#//scriptlet('set-constant', 'page_params.holiday_promo', 'true')
+pornhub.com,pornhub.org,pornhub.net#%#//scriptlet('set-constant', 'page_params.holiday_promo_prem', 'true')
+pornhub.com,pornhub.org,pornhub.net#%#//scriptlet('prevent-setTimeout', '\x41\x64\x62\x6c\x6f\x63\x6b\x20\x66\x6f\x72\x20\x70\x6f\x72\x6e\x68\x75\x62')
+youporn.com#%#//scriptlet('remove-node-text', 'script', '/window\.[\s\S]*?_zone_[\s\S]*?{"zone_id":/')
+! END: Ads replacement
+!
+! Prevent detection by various scripts which use common bait classes, including fingerprinting (for example "Freestar Recovered")
+! NOTE[id=common_baits]
+#@#.stickyads
+#@#.ads_banner
+##.stickyads:not([style^="width: 32px"], [style^="width: 33px"], [style*="left: -43px"], [style*="-3"][style*="important"][style*="display: block;"]):not(:empty)
+##.ads_banner:not([style^="width: 32px"], [style^="width: 33px"], [style*="left: -43px"], [style*="-3"][style*="important"][style*="display: block;"]):not(:empty)
+!
+! NOTE: Regular rules
+!
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/189898
+alliancex.org#@#.ad-spot
+alliancex.org#%#//scriptlet('prevent-setTimeout', 'offsetHeight===0')
+||alliancex.org/shield/wp-content/plugins/*/js/adblock-script.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/189870
+denverbroncos.com#$#body > div:not([class], [id]) > #AdHeader { display: block !important; }
+denverbroncos.com#$#body > div:not([class], [id]) > #AdHeader ~ * { display: block !important; }
+denverbroncos.com#%#//scriptlet('abort-on-stack-trace', 'document.querySelector', 'checkVisibility')
+! https://github.com/AdguardTeam/AdguardFilters/issues/189944
+/wp-content/plugins/wpadcenter-pro/public/*/wpadcenter-pro-public.min.
+! https://github.com/AdguardTeam/AdguardFilters/issues/189660
+bestloanoffer.net,techconnection.in###adb
+bestloanoffer.net,techconnection.in###overlay
+bestloanoffer.net,techconnection.in###popup
+! https://github.com/AdguardTeam/AdguardFilters/issues/189490
+! It looks like that website allows to download files only from the specific website(s),
+! perhaps by checking header - referrer (setting document.referrer doesn't fix the problem).
+! So, the rule below adds a click event listener to the link, and when it's clicked then
+! it opens a new tab with one of the allowed website, the address of the website contains special parameter "cc" and encoded in Base64 link to file.
+! This "cc" parameter is checked and decoded by inline script from the opened website and then it redirects to the file.
+uploadmall.com#%#AG_onLoad((function(){const t=document.querySelector('a[href*="uploadmall.com/cgi-bin/dl.cgi/"]');if(t){const e=t.getAttribute("href");t.addEventListener("click",(t=>{try{const t=`{"link":"${e}"}`,c=`https://mendationforc.info/?cc=${btoa(t)}`;window.open(c)}catch(t){console.debug(t)}}))}}));
+mendationforc.info#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'onerror')
+uploadmall.com#@#.AdSense
+uploadmall.com#@#.Adsense
+uploadmall.com#@#.adSense
+uploadmall.com#@#iframe[width="728"][height="90"]
+uploadmall.com#%#//scriptlet('set-constant', 'navigator.brave', 'undefined')
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=uploadmall.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/188763
+meteum.ai#%#//scriptlet('abort-on-stack-trace', 'Promise', 'loadAdvManager')
+! https://github.com/AdguardTeam/AdguardFilters/issues/189126
+perchance.org#%#//scriptlet('prevent-setTimeout', 'adIframesExist')
+! https://github.com/AdguardTeam/AdguardFilters/issues/189130
+videos.tybito.com,videos.pornototale.com,videos.eispop.com,videos.porndig.com#$#body > div:not([class], [id]) > #AdHeader { display: block !important; }
+videos.tybito.com,videos.pornototale.com,videos.eispop.com,videos.porndig.com#$#body > div:not([class], [id]) > #AdHeader ~ * { display: block !important; }
+videos.tybito.com,videos.pornototale.com,videos.eispop.com,videos.porndig.com#%#//scriptlet('abort-on-stack-trace', 'document.querySelector', 'checkVisibility')
+! https://github.com/AdguardTeam/AdguardFilters/issues/188785
+dubznetwork.com#@#.ads-by-google
+dubznetwork.com###overlay2
+dubznetwork.com#$#.iframe-container iframe { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/189102
+nfl.com#%#//scriptlet('set-constant', 'Object.prototype.bannerIds', 'undefined')
+! https://github.com/AdguardTeam/AdguardFilters/issues/188805
+mixrootmod.com###adBlockModal
+! https://github.com/AdguardTeam/AdguardFilters/issues/188711
+bagi.co.in#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/188703
+cfx-info.com#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com')
+cfx-info.com#%#//scriptlet('prevent-element-src-loading', 'script', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/187854
+||cdn.btmessage.com^$domain=leagueofgraphs.com
+leagueofgraphs.com#%#//scriptlet('set-constant', '__bt_intrnl.aaDetectionResults.ab', 'false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/188873
+||drawize.com/Scripts/ads234.js
+drawize.com#%#//scriptlet('set-constant', 'recreateAds', 'noopFunc')
+drawize.com#%#//scriptlet('set-constant', 'firstAdLoadPassed', 'true')
+drawize.com#%#//scriptlet('set-constant', 'showVideoAd', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/188234
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,domain=ewrc-results.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/188653
+||plustream.com//assets/detect_extension.js
+plustream.com#%#//scriptlet('prevent-fetch', '/suurl5')
+! https://github.com/AdguardTeam/AdguardFilters/issues/188452
+zeemoontv-28.blogspot.com#%#//scriptlet('abort-on-property-write', 'antiAdBlockerHandler')
+! https://github.com/AdguardTeam/AdguardFilters/issues/188413
+||freedrivemovie.com/wp-content/themes/*/js/anti-adblock.js
+freedrivemovie.com#%#//scriptlet('abort-on-property-write', 'onload')
+! https://github.com/AdguardTeam/AdguardFilters/issues/188242
+docsmall.com#$#body { overflow: auto !important; }
+docsmall.com#$#.modal-ads-tip { display: none !important; }
+docsmall.com#%#//scriptlet('set-constant', 'adsbygoogle.loaded', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/188543
+! https://github.com/AdguardTeam/AdguardFilters/issues/188040
+drakecomic.*#%#//scriptlet('abort-on-property-write', 'checkAdBlocker')
+||drakecomic.*/wp-content/themes/mangareader/script.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/187439#issuecomment-2324127972
+cruisingearth.com#%#//scriptlet('prevent-setTimeout', 'show()')
+@@||cruisingearth.com/community/js/BJumh/top-ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/187899
+rateyourmusic.com#%#//scriptlet('set-constant', 'adsSlotRenderEndSeen', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/187574
+*$redirect-rule=noopjs,xmlhttprequest,domain=werfgt.fun
+! https://github.com/AdguardTeam/AdguardFilters/issues/187647
+superpsx.com#@#.sidebar-ad
+superpsx.com#@#.Ad-Container
+superpsx.com#%#//scriptlet('set-constant', 'penci_options_set.ad_blocker_detector', 'false')
+superpsx.com#%#//scriptlet('trusted-suppress-native-method', 'fetch', '"pagead2.googlesyndication.com"')
+superpsx.com#%#//scriptlet('trusted-suppress-native-method', 'fetch', '"static.doubleclick.net/instream/ad_status.js"')
+superpsx.com#%#//scriptlet('abort-on-stack-trace', 'DOMTokenList.prototype.contains', 'manageBodyClasses')
+! https://github.com/AdguardTeam/AdguardFilters/issues/187562
+opentechbook.com#@##google-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/187555
+@@||progress.org.uk/wp-content/plugins/adsanity-adblock-detection/public/js/ads.js$~third-party
+progress.org.uk##body > div[style*="width: 100vw; height: 100vh; position: fixed;"][style*="z-index:"]
+progress.org.uk#%#//scriptlet('abort-current-inline-script', 'document.getElementById', 'window.getComputedStyle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/187120
+videopoker.com#%#//scriptlet('set-constant', 'checkAdsBlocked', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/187544
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=joktop.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/187536
+jembut.us#$#.e-ads { height: 1px !important; }
+jembut.us#%#//scriptlet('set-constant', 'disableAds', 'true')
+jembut.us#%#//scriptlet('prevent-element-src-loading', 'script', 'a.magsrv.com')
+||a.magsrv.com/ad-provider.js$script,redirect=noopjs,domain=jembut.us
+! https://github.com/AdguardTeam/AdguardFilters/issues/187468
+@@||static.truex.com/js/client.js$domain=schoolcheats.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/187364
+bitbitz.cc#%#//scriptlet('prevent-fetch', 'adsgravity.io')
+bitbitz.cc##div.alert[role="alert"]
+! luluvdo.com adblock
+! ||luluvdo.com/js/jdadbl.js - do not block, triggers adblock
+@@||a.lulucdn.com/js/dnsads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/186457
+4fuk.me#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! careersatcouncil.com.au
+careersatcouncil.com.au##body > div[style^="width: 100vw; height: 100vh;"][style$="z-index: 99999;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/186622
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=avforums.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/186404
+sat-sharing.com##body > div[class*=" "][style^="background:"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/186231
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=sivadictionaries.com
+sivadictionaries.com#@#ins.adsbygoogle[data-ad-slot]
+sivadictionaries.com#@#ins.adsbygoogle[data-ad-client]
+sivadictionaries.com#$#.adsbygoogle { height: 1px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/185606
+homesports.net#%#//scriptlet('prevent-addEventListener', 'DOMContentLoaded', 'adBlocker')
+homesports.net#@#[id^="div-gpt-ad"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/185858
+im9.eu#%#//scriptlet('abort-on-stack-trace', 'document.createElement', 'onerror')
+!+ NOT_PLATFORM(windows, mac, android)
+@@/images/ads/advert.gif$domain=im9.eu
+! https://github.com/AdguardTeam/AdguardFilters/issues/185311
+fastp.org#%#//scriptlet('set-constant', 'adsbygoogle.loaded', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/185579
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$redirect=googlesyndication-adsbygoogle,domain=arahdrive.com,important
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=arahdrive.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/185371
+whatsafterthemovie.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/185379
+luluvdo.com#%#//scriptlet('abort-on-property-read', 'showADBOverlay')
+! https://github.com/AdguardTeam/AdguardFilters/issues/185133
+fullboys.com#%#//scriptlet('prevent-element-src-loading', 'script', 'pagead2.googlesyndication.com/pagead/js/adsbygoogle.js')
+! https://github.com/uBlockOrigin/uAssets/issues/24688
+rule34porn.net#%#//scriptlet('prevent-fetch', 'magsrv.com')
+@@||a.magsrv.com/ad-provider.js$domain=rule34porn.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/185022
+tempinbox.xyz#%#//scriptlet('prevent-setTimeout', 'enable_ad_block_detector')
+@@||tempinbox.xyz/storage/js/mnpw3.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/184879
+! FreeDlink
+frdl.to###adb-disable
+! https://github.com/AdguardTeam/AdguardFilters/issues/184901
+techbloogs.com,tutwuri.id,lokerwfh.net#$#body { overflow: auto !important; }
+techbloogs.com,tutwuri.id,lokerwfh.net#$##adblock-warning { display: none !important; }
+techbloogs.com,tutwuri.id,lokerwfh.net#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/184630
+online2pdf.com##.adbox_container
+! https://github.com/AdguardTeam/AdguardFilters/issues/184403
+popcrush.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/184024
+win7simu.visnalize.com#%#//scriptlet('prevent-fetch', 'adsbygoogle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/183985
+||snigelweb.com^$domain=editpad.org,redirect=nooptext,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/183599
+javsunday.com,kin8-av.com,555fap.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/183925
+computerpedia.in###adb
+! https://github.com/AdguardTeam/AdguardFilters/issues/183838
+||tom.itv.com/itv/tserver/random=$xmlhttprequest,redirect=noopvast-4.0
+@@||itv.com/itv/tserver/$~third-party,badfilter
+@@||itv.com/itv/tserver/*size=*/*/viewid=$badfilter
+@@||spike.itv.com/itv/lserver/tserver/random=$xmlhttprequest
+@@||itv.com/itv/tserver/*size=*/*/viewid=
+! https://github.com/AdguardTeam/AdguardFilters/issues/183825
+metode.my.id,sigaptech.com,tutorialsaya.com,bantenexis.com###adb
+! https://github.com/AdguardTeam/AdguardFilters/issues/183826
+shemaleist.com#%#//scriptlet('abort-on-property-read', 'adsBlocked')
+shemaleist.com##div[class^="adde_modal"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/183658
+stly.link#%#//scriptlet('remove-node-text', 'script', 'detectAnyAdblocker')
+! https://github.com/AdguardTeam/AdguardFilters/issues/183659
+paste-drop.com#%#//scriptlet('prevent-xhr', 'adsbygoogle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/183542
+hentaigasm.com#%#//scriptlet('prevent-fetch', 'agead2.googlesyndication.com/pagead/js/adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/184181
+! https://github.com/AdguardTeam/AdguardFilters/issues/183429
+innateblogger.com,gfx-station.com##.popSc
+innateblogger.com,gfx-station.com#%#//scriptlet('abort-on-property-write', 'checkAdsStatus')
+! https://github.com/AdguardTeam/AdguardFilters/issues/183386
+hqq.ac#%#//scriptlet('set-constant', 'adblockcheck', 'false')
+hqq.ac#%#//scriptlet('prevent-element-src-loading', 'script', '/script_')
+hqq.ac#%#//scriptlet('prevent-element-src-loading', 'script', '/adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/183383
+appleware.dev#%#//scriptlet('prevent-setTimeout', '.offsetHeight')
+appleware.dev#%#//scriptlet('prevent-element-src-loading', 'img', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/183325
+y2mate.is#%#//scriptlet('prevent-element-src-loading', 'script', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/183245
+cybermania.ws#%#//scriptlet('abort-on-property-write', 'Datae46123063')
+! https://github.com/AdguardTeam/AdguardFilters/issues/184913
+! https://github.com/AdguardTeam/AdguardFilters/issues/183154
+! sweetalert
+hentaihd.net,xstream.top,blurayufr.cam,boosterx.stream#%#//scriptlet('prevent-fetch', 'adsbygoogle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/183089
+rlxtech24h.com##.popSc
+rlxtech24h.com#%#//scriptlet('abort-on-property-write', 'checkAdsStatus')
+! https://github.com/AdguardTeam/AdguardFilters/issues/182806
+@@||timesunion.com/sites/jquery.adx.js
+@@||n730.timesunion.com/script.js
+||n730.timesunion.com/script.js$script,redirect=noopjs,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/182858
+||popcdn.day/magnitude.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/182743
+u.co.uk#%#//scriptlet('prevent-fetch', 'v.fwmrm.net')
+! https://github.com/AdguardTeam/AdguardFilters/issues/182388
+theouterhaven.net#%#//scriptlet('prevent-addEventListener', 'load', 'detect-modal')
+! https://github.com/AdguardTeam/AdguardFilters/issues/182638
+@@||javtiful.com/ad-engine.js
+javtiful.com#%#//scriptlet('abort-current-inline-script', 'document.getElementById', '!document.body.contains(document.getElementById(')
+! https://github.com/AdguardTeam/AdguardFilters/issues/182430
+shojoscans.com,en-thunderscans.com##.lm-adblock-notfic-container
+shojoscans.com,en-thunderscans.com#%#//scriptlet('prevent-fetch', '/(jubnaadserve|googlesyndication)\.com/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/182239
+bong.ink#%#//scriptlet('prevent-fetch', 'adsbygoogle.js')
+bong.ink##body > div[style^="position: fixed; top:"][style*="z-index:"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/182028
+||10minutemail.com/ub/ub.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/182157
+@@||kumo.network-n.com/dist/app.js$domain=discordbotlist.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/188784
+! https://github.com/AdguardTeam/AdguardFilters/issues/186146
+! https://github.com/AdguardTeam/AdguardFilters/issues/182240
+! https://github.com/AdguardTeam/AdguardFilters/issues/181596
+! https://github.com/AdguardTeam/AdguardFilters/issues/179829
+! https://github.com/AdguardTeam/AdguardFilters/issues/157512
+! https://github.com/AdguardTeam/AdguardFilters/issues/144268
+@@||sportnews.to^$generichide
+@@||topsporter.net^$generichide
+sportnews.to,topsporter.net#%#//scriptlet('prevent-xhr', 'pubads.g.doubleclick.net/pagead/js/adsbygoogle.js')
+sportnews.to,topsporter.net#%#//scriptlet('abort-current-inline-script', '$', 'keepChecking')
+sportnews.to,topsporter.net#%#//scriptlet('prevent-xhr', 'static.doubleclick.net/instream/ad_status.js')
+sportnews.to#%#//scriptlet('set-constant', 'document.write', 'undefined')
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=sportnews.to
+*$xmlhttprequest,redirect-rule=nooptext,domain=sportfacts.net|sportshub.to
+sportfacts.net,sportshub.to##.popSc
+! https://github.com/AdguardTeam/AdguardFilters/issues/188311
+! https://github.com/AdguardTeam/AdguardFilters/issues/181761
+stream2watch.*##.popSc
+stream2watch.*#%#//scriptlet('abort-on-property-write', 'checkAdsStatus')
+claplivehdplay.ru#%#//scriptlet('prevent-element-src-loading', 'script', 'trackad.cz')
+||trackad.cz/adtrack.php$script,other,redirect=noopjs,domain=claplivehdplay.ru
+! https://github.com/AdguardTeam/AdguardFilters/issues/181799
+videzz.net##.vjs-adblock-overlay
+videzz.net#%#//scriptlet('set-constant', 'isAdBlockDetected', 'false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/181563
+||aeromods.app/assets/js/plugins/0.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/181527
+live.golato.io#%#//scriptlet("prevent-addEventListener", "load", "abDetectorPro")
+! https://github.com/AdguardTeam/AdguardFilters/issues/181517
+@@||decompiler.com/javascripts/ads-prebid/prebid-ad*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/180134
+! shrtfly
+stfly.biz,explorosity.net,torovalley.net,optimizepics.com,blogesque.net,stfly.cc,bookbucketlyst.com,metoza.net,trekcheck.net,travize.net,techlike.net#%#//scriptlet('abort-on-property-read', 'abwn')
+! https://github.com/AdguardTeam/AdguardFilters/issues/181267
+! https://github.com/AdguardTeam/AdguardFilters/issues/181189
+yourimageshare.com,ovabee.com#%#//scriptlet('abort-on-property-write', 'detectAdBlock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/180089
+azmath.info#%#//scriptlet('abort-on-stack-trace', 'DOMTokenList.prototype.contains', 'manageBodyClasses')
+! https://github.com/AdguardTeam/AdguardFilters/issues/180604
+/aero_modernv2/js/0.js|$domain=aeroinsta.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/180788
+cablevisionhd.com,telegratishd.com##.site-access-popup
+! https://github.com/AdguardTeam/AdguardFilters/issues/180787
+freeminecrafthost.com#@#.textAds
+freeminecrafthost.com#@#.Textads
+freeminecrafthost.com#@#.AdsBox
+! https://github.com/AdguardTeam/AdguardFilters/issues/180600
+newbharatyojna.com###adb
+! https://github.com/AdguardTeam/AdguardFilters/issues/180610
+! https://github.com/AdguardTeam/AdguardFilters/issues/183082
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=crazygames.com|shellshock.io|minijuegos.com
+@@||api.adinplay.com/libs/aiptag/*/tag.min.js$domain=crazygames.com|shellshock.io|minijuegos.com
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=crazygames.com|shellshock.io|minijuegos.com
+crazygames.com,shellshock.io,minijuegos.com#%#//scriptlet("set-constant", "COMPCHWBUBBLE", "emptyObj")
+crazygames.com,shellshock.io,minijuegos.com##.chw-progress-bar-wrap
+! https://github.com/AdguardTeam/AdguardFilters/issues/180503
+4khd.com##.popup
+4khd.com#%#//scriptlet('prevent-xhr', 'magsrv.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/180124
+howtoconcepts.com###adb
+! https://github.com/AdguardTeam/AdguardFilters/issues/180061
+leakshaven.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/179972
+top10cafe.se#%#//scriptlet('trusted-suppress-native-method', 'fetch', '"pagead2.googlesyndication.com"')
+top10cafe.se#%#//scriptlet('abort-on-stack-trace', 'DOMTokenList.prototype.contains', 'manageBodyClasses')
+! https://github.com/AdguardTeam/AdguardFilters/issues/179942
+1keydata.com#%#//scriptlet("abort-on-property-read", "detect")
+! https://github.com/AdguardTeam/AdguardFilters/issues/179901
+minecraft.buzz#%#//scriptlet('abort-on-property-read', 'nitroAds')
+! https://github.com/AdguardTeam/AdguardFilters/issues/179804#issuecomment-2125044102
+utkarshonlinetest.com,newsbawa.com,techbezzie.com#%#//scriptlet('prevent-element-src-loading', 'script', 'adsbygoogle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/179826
+remix.es##div[id$="adblockinfo"]
+remix.es#%#//scriptlet('abort-current-inline-script', 'document.addEventListener', '/adblock|bannerad/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/179759
+textreverse.com#%#//scriptlet('prevent-fetch', 'cdn.snigelweb.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/179538
+rainmail.xyz#%#//scriptlet('prevent-setTimeout', 'enable_ad_block_detector')
+@@||rainmail.xyz/storage/js/suv4.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/182785
+! https://github.com/AdguardTeam/AdguardFilters/issues/179423
+! https://github.com/AdguardTeam/AdguardFilters/issues/179587
+iir.la,lnbz.la,oei.la#%#//scriptlet('prevent-xhr', '/inklinkor\.com|\/tag\.min\.js/')
+! young-machine.com
+||fewcents.co^$third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/179257
+xtremestream.xyz#%#//scriptlet('abort-current-inline-script', '$', '.height()')
+xtremestream.xyz#$#body > .ad { height: 20px !important; position: absolute !important; left: -3000px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/178944
+paidinsurance.in#%#//scriptlet('abort-on-property-write', 'detectAdBlock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/178921
+arahtekno.com,gnaija.net#%#//scriptlet('prevent-fetch', 'adsbygoogle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/179189
+tmail.io#$#body .ad.ads.adsbygoogle { display: block !important; }
+tmail.io#%#//scriptlet('abort-on-property-write', 'detectAdblock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/179034
+||tempmail.run/nab.js
+tempmail.run#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/179074
+everydaytechvams.com##.popSc
+everydaytechvams.com#%#//scriptlet('abort-on-property-write', 'checkAdsStatus')
+! https://github.com/AdguardTeam/AdguardFilters/issues/179123
+th.gl#%#//scriptlet('set-constant', 'nitroAds', 'emptyObj')
+th.gl#%#//scriptlet('set-constant', 'nitroAds.siteId', '1487')
+th.gl#%#//scriptlet('set-constant', 'nitroAds.createAd', 'noopFunc')
+th.gl#%#//scriptlet('prevent-element-src-loading', 'script', 'nitropay.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/178934
+abs-cbn.com#%#//scriptlet('prevent-fetch', 'www3.doubleclick.net')
+! https://github.com/AdguardTeam/AdguardFilters/issues/178841
+lootlink.org#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/178731
+@@||nzbstars.com/ads.bundle.min.js
+nzbstars.com#%#//scriptlet('abort-current-inline-script', 'document.getElementById', 'window.location.replace')
+! https://github.com/AdguardTeam/AdguardFilters/issues/178717
+shareus.io#%#//scriptlet('abort-on-property-write', 'antiAdBlockerHandler')
+! https://github.com/AdguardTeam/AdguardFilters/issues/178580
+hubermantranscripts.com#%#//scriptlet('prevent-fetch', 'www3.doubleclick.net')
+! https://github.com/AdguardTeam/AdguardFilters/issues/178498
+@@||openfpcdn.io/fingerprintjs/$script,xmlhttprequest,redirect=noopjs,domain=uslugaplus.com,important
+@@||openfpcdn.io/fingerprintjs/$domain=uslugaplus.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/178492
+myprivatejobs.com###adb
+myprivatejobs.com###overlay
+myprivatejobs.com###popup
+! https://github.com/AdguardTeam/AdguardFilters/issues/178349
+sounddrain.net#@#iframe[src^="//ad.a-ads.com/"]
+sounddrain.net#$#iframe[src^="//ad.a-ads.com/"] { position: absolute !important; left: -3000px !important; }
+sounddrain.net#$#.content > div.overflow-hidden:has(> iframe[src^="//ad.a-ads.com/"]) { position: absolute !important; left: -3000px !important; }
+sounddrain.net#%#//scriptlet('prevent-setTimeout', '.clientHeight<=0')
+! https://github.com/AdguardTeam/AdguardFilters/issues/178284
+relampagomovies.com#%#//scriptlet('prevent-setTimeout', 'nextFunction')
+! https://github.com/AdguardTeam/AdguardFilters/issues/178187
+bussyhunter.com#%#//scriptlet('trusted-replace-node-text', 'script', 'protect_block', '/protect_block.*?\,/', '')
+! https://github.com/AdguardTeam/AdguardFilters/issues/178224
+zsexf.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/178180
+||imasdk.googleapis.com/js/sdkloader/ima3.js$redirect=google-ima3,domain=onefootball.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/178074
+ssstik.io#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com')
+ssstik.io#%#(()=>{const e=()=>{};window.powerTag={Init:[]},window.powerTag.Init.push=function(e){try{e()}catch(e){console.debug(e)}},window.powerAPITag={initRewarded:function(e,o){o&&o.onComplete&&setTimeout((()=>{try{o.onComplete()}catch(e){console.debug(e)}}),1e3)},display:e,mobileDetect:e,initStickyBanner:e,getRewardedAd:e}})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/178111
+pesmodding.com#@#.button-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/177996
+shortearn.net#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/178020
+texteditor.nsspot.net#%#//scriptlet('set-constant', 'gadb', 'false')
+||pagead2.googlesyndication.com/pagead/show_ads.js$script,redirect=noopjs,domain=texteditor.nsspot.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/177441
+@@||celebfapper.com/js/adManager.js
+celebfapper.com#%#//scriptlet('prevent-setTimeout', 'adblocktag')
+! https://github.com/AdguardTeam/AdguardFilters/issues/177717
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=shotstv.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/177365
+phoneky.com#%#//scriptlet('abort-on-property-read', 'adBlockFunction')
+! https://github.com/AdguardTeam/AdguardFilters/issues/177303
+waploaded.com#@#.ad-slot
+! https://github.com/AdguardTeam/AdguardFilters/issues/176989
+nabzclan.vip#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/177252
+! https://github.com/AdguardTeam/AdguardFilters/issues/177077
+@@/wp-content/plugins/*/assets/js/ad.min.js$~third-party,domain=afk.guide|coastalvirginiamag.com
+coastalvirginiamag.com,afk.guide#%#//scriptlet('abort-on-stack-trace', 'Array.prototype.includes', 'adblockTrigger')
+! https://github.com/AdguardTeam/AdguardFilters/issues/180663
+! https://github.com/AdguardTeam/AdguardFilters/issues/176787
+vectorx.top,boltx.stream#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/186942
+! https://github.com/AdguardTeam/AdguardFilters/issues/176595
+||sonixgvn.net/adb-*.js
+||blocker.crabdance.com^$domain=sonixgvn.net
+@@/https?:\/\/(www\.)?sonixgvn\.net\/.{1,15}\.js$/$script,~third-party,domain=sonixgvn.net
+sonixgvn.net##body > div[class][style*="position:"][style*="visibility:"]
+sonixgvn.net##body > div[class][style*="position:"][style*="z-index:"]
+sonixgvn.net#$#.sonix > .boton { display: block !important; }
+sonixgvn.net#%#//scriptlet('prevent-xhr', 'cdn.vlitag.com')
+sonixgvn.net#%#//scriptlet('trusted-create-element', 'body', 'div', 'id="kCBERyZsGSmi"')
+sonixgvn.net#%#//scriptlet('abort-on-stack-trace', 'setTimeout', '/https?:\/\/sonixgvn\.net\/.*\.js:|data:text\/javascript;base64|blocker|crabdance\.com|\/ads\//')
+sonixgvn.net#%#//scriptlet('abort-on-stack-trace', 'Object.defineProperty', '/https?:\/\/sonixgvn\.net\/.*\.js:|data:text\/javascript;base64|blocker|crabdance\.com|\/ads\//')
+sonixgvn.net#%#//scriptlet('prevent-addEventListener', 'DOMContentLoaded', 'overlays')
+sonixgvn.net#%#//scriptlet('abort-on-stack-trace', 'document.getElementById', 'window.onload')
+sonixgvn.net#%#//scriptlet('abort-on-stack-trace', 'DOMTokenList.prototype.contains', 'manageBodyClasses')
+@@||static.doubleclick.net/instream/ad_status.js$domain=sonixgvn.net
+! URL shorteners used on sonixgvn.net
+dadinthemaking.com,listofthis.com,phineypet.com,actualpost.com,beautifulfashionnailart.com,americanstylo.com#%#//scriptlet("trusted-replace-node-text", "script", "innerHTML", "/== ?'IFRAME'/", "== 'BODY'")
+dadinthemaking.com,listofthis.com,phineypet.com,actualpost.com,beautifulfashionnailart.com,americanstylo.com#%#//scriptlet("trusted-replace-node-text", "script", "innerHTML", "!document.hasFocus()", "document.hasFocus()")
+dadinthemaking.com,listofthis.com,phineypet.com,actualpost.com,beautifulfashionnailart.com,americanstylo.com#%#//scriptlet("trusted-replace-node-text", "script", "innerHTML", "/document\.hasFocus\(\)===?false/", "document.hasFocus()")
+dadinthemaking.com,listofthis.com,phineypet.com,actualpost.com,beautifulfashionnailart.com,americanstylo.com#%#//scriptlet('set-constant', 'document.hasFocus', 'trueFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/176543
+ourinfo.top#%#//scriptlet('abort-on-property-read', 'htmls')
+ourinfo.top#%#//scriptlet('set-constant', 'adsBlocked', 'undefined')
+! https://github.com/AdguardTeam/AdguardFilters/issues/176403
+! linkjust.com
+glo-n.online,jolk.online,minipet.online,spidergame.online,pedalpower.online,offeergames.online,sealat.com,msic.site,fx4ever.com,businessnews-nigeria.com,day4news.com,net4you.xyz,maos4alaw.online#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/176353
+shqipkinema.cc###adBlockerPopup
+shqipkinema.cc###adBlockerPopup + #overlay
+shqipkinema.cc#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/176325
+cheatography.com#@##bottomAd
+cheatography.com#%#//scriptlet('prevent-setTimeout', '.height() == 0')
+! https://github.com/AdguardTeam/AdguardFilters/issues/176315
+ewrc-results.com#%#//scriptlet('abort-on-property-write', 'ADS_URL')
+! https://github.com/AdguardTeam/AdguardFilters/issues/176233
+shortix.co,learnmany.in#$#button#link { opacity: 1 !important; }
+shortix.co,learnmany.in#%#//scriptlet('remove-attr', 'disabled', 'button#link')
+shortix.co##.popSc
+shortix.co#%#//scriptlet('abort-on-property-write', 'checkAdsStatus')
+! https://github.com/AdguardTeam/AdguardFilters/issues/176349
+! https://github.com/AdguardTeam/AdguardFilters/issues/176340
+! https://github.com/AdguardTeam/AdguardFilters/issues/176293
+qrmenus.io,palcurr.com,picros.com#%#//scriptlet('prevent-setTimeout', 'ad_blocker_detector_modal')
+qrmenus.io,palcurr.com,picros.com#$#body .textads.banner-ads.banner_ads.ad-unit.ad-zone.ad-space.adsbox { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/176054
+jornadaperfecta.com#%#//scriptlet('set-constant', 'alertJP', 'false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/176246
+@@||manisteenews.com/sites/jquery.adx.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/176241
+9animes.ru#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/175961
+sunci.net#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/174556
+dankmemer.lol#%#//scriptlet('prevent-setTimeout', 'nads')
+dankmemer.lol#%#//scriptlet('set-constant', 'npDetect.blocking', 'false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/184800
+! https://github.com/AdguardTeam/AdguardFilters/issues/177956
+! https://github.com/AdguardTeam/AdguardFilters/issues/175901
+! https://github.com/AdguardTeam/AdguardFilters/issues/171299
+! https://github.com/AdguardTeam/AdguardFilters/issues/163976
+techcentral.co.za,codingstella.com,mobilanyheter.net,soft3arbi.com,how2electronics.com,webassistanceita.com,androidowy.pl,geekermag.com#$#body { overflow: auto !important; }
+techcentral.co.za,codingstella.com,mobilanyheter.net,soft3arbi.com,how2electronics.com,webassistanceita.com,androidowy.pl,geekermag.com#$##detect-modal { display: none !important; }
+techcentral.co.za,codingstella.com,mobilanyheter.net,soft3arbi.com,how2electronics.com,webassistanceita.com,androidowy.pl,geekermag.com#%#//scriptlet('abort-on-stack-trace', 'document.createElement', 'doTest')
+! https://github.com/AdguardTeam/AdguardFilters/issues/177324
+! https://github.com/AdguardTeam/AdguardFilters/issues/175839
+gamaverse.com,html5.gamedistribution.com###gd__adblocker__overlay
+! https://github.com/AdguardTeam/AdguardFilters/issues/175668
+exuce.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/183346
+! https://github.com/AdguardTeam/AdguardFilters/issues/177439
+! https://github.com/AdguardTeam/AdguardFilters/issues/176906
+! https://github.com/AdguardTeam/AdguardFilters/issues/175665
+! https://github.com/AdguardTeam/AdguardFilters/issues/176764
+techrifle.com,sawbank.com,true-tech.net,dailyboulder.com,aclsports.com,route-one.net,prajwaldesai.com,stvincenttimes.com#%#//scriptlet('prevent-setTimeout', 'placebo')
+! https://github.com/AdguardTeam/AdguardFilters/issues/175504
+gearingcommander.com#%#//scriptlet('prevent-setTimeout', 'fnMaskAdBlock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/188477
+! https://github.com/AdguardTeam/AdguardFilters/issues/182040
+! https://github.com/AdguardTeam/AdguardFilters/issues/179916
+! https://github.com/AdguardTeam/AdguardFilters/issues/175439
+veev.to##.veevad-interstitial
+@@||veev.to^$generichide
+@@/ad-provider.js$xmlhttprequest,domain=veev.to
+veev.to#%#//scriptlet('set-constant', '_iab', 'false')
+veev.to#%#(()=>{const t={apply:(t,n,e)=>{if(e[0]&&null===e[0].html?.detected&&"function"==typeof e[0].html?.instance?.start&&"function"==typeof e[0].env?.instance?.start&&"function"==typeof e[0].http?.instance?.start){const t=function(){"boolean"==typeof this._hsz&&(this._hsz=!1)};["html","env","http"].forEach((n=>{e[0][n].instance.start=t,"boolean"==typeof e[0][n].instance._hsz&&(e[0][n].instance._hsz=!0)}))}return Reflect.apply(t,n,e)}};window.Object.keys=new Proxy(window.Object.keys,t)})();
+! The rule below fixes popups, but also causes detection if rule above is not used, so it's necessary to exclude it from some platforms
+!+ NOT_PLATFORM(ext_ff, ext_ublock)
+veev.to#%#//scriptlet('abort-on-property-read', 'VEEVPop')
+! https://github.com/AdguardTeam/AdguardFilters/issues/175266
+@@||rddywd.com/advertising.js$domain=herokuapp.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/175371
+myabandonware.com#%#//scriptlet('set-constant', 'j321', 'true')
+myabandonware.com#%#//scriptlet('abort-on-stack-trace', 'XMLHttpRequest', 'putPb')
+@@||myabandonware.com/wp-content/plugins/wp-banners/js/wp-banners.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/175339
+streamingcommunity.*#%#//scriptlet('prevent-xhr', '/\.\w+\/$/')
+@@||streamingcommunity.*/*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/175083
+babia.to#%#//scriptlet('remove-node-text', 'script', '!document.getElementById(btoa(')
+! https://github.com/AdguardTeam/AdguardFilters/issues/176022
+arcfly.net#@#.ad-wrap:not(#google_ads_iframe_checktag)
+arcfly.net#%#//scriptlet('prevent-setTimeout', 'placebo.height')
+! https://github.com/AdguardTeam/AdguardFilters/issues/175218
+freewebcart.com#@#.ad-wrap:not(#google_ads_iframe_checktag)
+freewebcart.com#%#//scriptlet('prevent-setTimeout', 'placebo.height')
+! https://github.com/AdguardTeam/AdguardFilters/issues/175219
+igeeksblog.com#%#//scriptlet('prevent-setTimeout', 'placebo.height')
+! https://github.com/AdguardTeam/AdguardFilters/issues/175241
+ncaa.com#%#//scriptlet('prevent-fetch', 'adsbygoogle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/175092
+! https://github.com/AdguardTeam/AdguardFilters/issues/174997
+fmovies.limited,rarbg-official.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+||cinehub-official.site/js/dectector-2025.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/174968
+colnect.com#%#//scriptlet('set-constant', 'CAD.possiblyShowAdblockWarning', 'noopFunc')
+colnect.com##.main_page > div[style^="position: fixed; left: 0px; top: 0px; width: 100%; height: 100%; background"][style*="z-index:"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/174905
+qload.info##.adb
+! https://github.com/AdguardTeam/AdguardFilters/issues/113000
+poplinks.sbs,shorttrick.in##.popSc
+poplinks.sbs,shorttrick.in#%#//scriptlet('abort-on-property-write', 'checkAdsStatus')
+poplinks.sbs,sampledrive.in#%#//scriptlet('prevent-addEventListener', 'DOMContentLoaded', 'adsSrc')
+poplinks.sbs,sampledrive.in#%#//scriptlet('abort-on-stack-trace', 'DOMTokenList.prototype.contains', 'manageBodyClasses')
+! filemoon
+! https://github.com/AdguardTeam/AdguardFilters/issues/174871
+! Second part of the regexp ("break;case \$\.") is required to block popups/popunders, but two "abort-current-inline-script" cannot use the same property
+! so it's necessary to use it in one scriptlet
+fmembed.cc,rgeyyddl.skin,kerapoxy.cc,fmoonembed.*,defienietlynotme.com,embedme.*,filemoon.*,finfang.*,hellnaw.*,moonembed.*,sbnmp.bar,sulleiman.com,vpcxz19p.xyz,z12z0vla.*#%#//scriptlet('abort-current-inline-script', 'document.createElement', '/\.onerror|break;case \$\./')
+! https://github.com/AdguardTeam/AdguardFilters/issues/175034
+! https://github.com/AdguardTeam/AdguardFilters/issues/174876
+/js/adb.js$domain=instload.com|twitload.com
+twitload.com,instload.com#%#//scriptlet('prevent-setTimeout', '.check()')
+! https://github.com/AdguardTeam/AdguardFilters/issues/174746
+arabic-for-nerds.com#%#//scriptlet("prevent-fetch", "cookiebanner")
+arabic-for-nerds.com#%#//scriptlet("prevent-addEventListener", "DOMContentLoaded", "detect")
+! https://github.com/AdguardTeam/AdguardFilters/issues/174339
+treasl.com##.popSc
+treasl.com#%#//scriptlet('abort-on-property-write', 'checkAdsStatus')
+! https://github.com/AdguardTeam/AdguardFilters/issues/174290
+!+ NOT_PLATFORM(windows, mac, android, ext_ff)
+botrix.live#%#//scriptlet('set-constant', 'Object.prototype.isAdblock', 'undefined')
+! https://github.com/AdguardTeam/AdguardFilters/issues/173936
+@@||oddee.com/w_files/scripts/adblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/179267
+! https://github.com/AdguardTeam/AdguardFilters/issues/174120
+! https://github.com/AdguardTeam/AdguardFilters/issues/184437
+indgovtjobs.in,techiesavi.com,magesy.blog###superadblocker
+indgovtjobs.in,techiesavi.com,magesy.blog#%#//scriptlet('abort-current-inline-script', 'EventTarget.prototype.addEventListener', 'adsbygoogle.js')
+! https://link.streamelements.com/startrek_ribenchi anti-adb
+streamelements.com#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links.ad-text.adSense.adBlock.adContent.adBanner { display: block !important; }
+||macan-native.com^$script,redirect=noopjs,domain=streamelements.com
+||cloudflareinsights.com/beacon.min.js$script,redirect-rule=noopjs,domain=streamelements.com
+||redditstatic.com/ads/pixel.js$script,redirect-rule=noopjs,domain=streamelements.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/173875
+camsrip.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/174006
+@@||static.doubleclick.net/instream/ad_status.js$domain=mhdtvmax.net
+! shrinkall.com,paycut.io - URL shortener
+starkroboticsfrc.com,cryptednews.space,seoliv.com,waezg.xyz,blackwoodacademy.org,lifgam.online,crypto-radio.eu,tiktokcounter.net#%#//scriptlet('set-constant', 'isAdClickDone', 'true')
+starkroboticsfrc.com,cryptednews.space,seoliv.com,waezg.xyz,blackwoodacademy.org,lifgam.online,crypto-radio.eu,tiktokcounter.net#%#AG_onLoad(function() { var el=document.body; var ce=document.createElement('div'); if(el) { el.appendChild(ce); ce.setAttribute("id", "QGSBETJjtZkYH"); } });
+starkroboticsfrc.com,cryptednews.space,seoliv.com,waezg.xyz,blackwoodacademy.org,lifgam.online,crypto-radio.eu,tiktokcounter.net#%#AG_onLoad((function(){const e=document.querySelector("#widescreen1");if(e){const t=document.createElement("div");t.setAttribute("id","google_ads_iframe_"),e.appendChild(t)}}));
+starkroboticsfrc.com,cryptednews.space,seoliv.com,waezg.xyz,blackwoodacademy.org,lifgam.online,crypto-radio.eu,tiktokcounter.net#%#//scriptlet('remove-class', 'is-hidden', '#checkclick')
+@@||securepubads.g.doubleclick.net/*/gpt.js$domain=starkroboticsfrc.com|cryptednews.space|seoliv.com|waezg.xyz|blackwoodacademy.org|lifgam.online|crypto-radio.eu|tiktokcounter.net
+@@||securepubads.g.doubleclick.net/*/pubads_impl.js$domain=starkroboticsfrc.com|cryptednews.space|seoliv.com|waezg.xyz|blackwoodacademy.org|lifgam.online|crypto-radio.eu|tiktokcounter.net
+@@||googleads.g.doubleclick.net/pagead/interaction/$domain=starkroboticsfrc.com|cryptednews.space|seoliv.com|waezg.xyz|blackwoodacademy.org|lifgam.online|crypto-radio.eu|tiktokcounter.net
+@@||test.profitsfly.com/wp-content/uploads/*/bg-h2-pattern.png$domain=starkroboticsfrc.com|cryptednews.space|seoliv.com|waezg.xyz|blackwoodacademy.org|lifgam.online|crypto-radio.eu|tiktokcounter.net
+@@/adpartner.min.js$domain=starkroboticsfrc.com|cryptednews.space|seoliv.com|waezg.xyz|blackwoodacademy.org|lifgam.online|crypto-radio.eu|tiktokcounter.net
+@@/ad.js$domain=starkroboticsfrc.com|cryptednews.space|seoliv.com|waezg.xyz|blackwoodacademy.org|lifgam.online|crypto-radio.eu|tiktokcounter.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/173846
+dash.hyzen-cloud.com#%#//scriptlet('abort-on-property-write', 'adScript')
+! https://github.com/AdguardTeam/AdguardFilters/issues/173839
+apkmoddone.com###adBlock
+apkmoddone.com#%#//scriptlet('set-attr', '.adsbygoogle', 'data-ad-status', '0')
+apkmoddone.com#%#//scriptlet('prevent-element-src-loading', 'script', '/googletagmanager\.com|pagead2\.googlesyndication\.com/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/173804
+investguiding-com.custommapposter.com#%#//scriptlet('set-constant', 'Object.prototype.detect', 'noopFunc')
+investguiding-com.custommapposter.com#%#//scriptlet('prevent-fetch', 'adsbygoogle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/173633
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=alliptvlinks.com
+@@||static.doubleclick.net/instream/ad_status.js$domain=alliptvlinks.com
+@@||googleads.g.doubleclick.net/pagead/html/*/zrt_lookup_nohtml_fy2021.html$domain=alliptvlinks.com
+@@||googleads.g.doubleclick.net/pagead/html/*/zrt_lookup_inhead_fy2021.html$domain=alliptvlinks.com
+@@||pagead2.googlesyndication.com/pagead/managed/js/adsense/*/show_ads_impl_fy2021.js$domain=alliptvlinks.com
+alliptvlinks.com#@#ins.adsbygoogle[data-ad-client]
+alliptvlinks.com#@#ins.adsbygoogle[data-ad-slot]
+! https://github.com/AdguardTeam/AdguardFilters/issues/173728
+! TODO: Check after 2024 May 1.
+webeducate.top#%#//scriptlet('set-constant', 'adsBlocked', 'undefined')
+! https://github.com/AdguardTeam/AdguardFilters/issues/173706
+tunein.com#%#//scriptlet('prevent-element-src-loading', 'script', 'imasdk.googleapis.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/173424
+soninow.com#%#//scriptlet('prevent-setInterval', 'adsbygoogle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/173666
+xxlmag.com#%#//scriptlet('prevent-fetch', 'adsbygoogle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/173562
+mathdf.com#%#//scriptlet("set-constant", "adBlockEnabled", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/173608
+msfsaddon.com#%#//scriptlet('prevent-fetch', 'adsbygoogle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/173567
+gifok.com##.popSc
+gifok.com#%#//scriptlet('abort-on-property-write', 'checkAdsStatus')
+! https://github.com/AdguardTeam/AdguardFilters/issues/173434
+tipranks.com#%#//scriptlet('prevent-setTimeout', 'ad_blocker')
+tipranks.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/173374
+||us-east-1-cdn-ui-k8s.motorsport.com/629/design/dist/js/3619_fa432529226b845b1b7c.js$domain=autosport.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/173423
+gpfans.org##.adblock-wrapper
+gpfans.org#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/173251
+sportshub.to###player ~ div.modal
+||footy.to^
+! https://github.com/AdguardTeam/AdguardFilters/issues/172971
+dgb.lol#%#//scriptlet('set-constant', 'findCMP', 'noopFunc')
+dgb.lol#%#//scriptlet('prevent-element-src-loading', 'script', 'adlightning.com')
+||tagan.adlightning.com/setupad-hai/op.js$script,redirect=noopjs,domain=dgb.lol
+! https://github.com/AdguardTeam/AdguardFilters/issues/173052
+uflash.tv#%#//scriptlet('prevent-fetch', '/\/code\.js|xadsmart\.com/')
+uflash.tv#%#//scriptlet('prevent-window-open', 'adblock', '1')
+uflash.tv#%#//scriptlet('set-constant', 'popBlocked', 'falseFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/173118
+aviationsourcenews.com##body div.mfp-wrap
+aviationsourcenews.com##body div.mfp-bg
+! https://github.com/AdguardTeam/AdguardFilters/issues/172588
+sinonimos.de#%#//scriptlet("set-constant", "adbDetected", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/172596
+trackid.net#%#//scriptlet('prevent-fetch', 'www3.doubleclick.net')
+! https://github.com/AdguardTeam/AdguardFilters/issues/176200
+! https://github.com/AdguardTeam/AdguardFilters/issues/172504
+movies4u.*##.popSc
+movies4u.*#%#//scriptlet('abort-on-property-write', 'checkAdsStatus')
+! https://github.com/AdguardTeam/AdguardFilters/issues/176294
+! https://github.com/AdguardTeam/AdguardFilters/issues/172436
+armypowerinfo.com,artoffocas.com,bhugolinfo.com,bhugolinfo.com,cxissuegk.com,gknutshell.com,godstoryinfo.com,laweducationinfo.com,makeincomeinfo.com,rsfinanceinfo.com,rsgames.xyz,savemoneyinfo.com,vichitrainfo.com,workproductivityinfo.com,worldaffairinfo.com,rseducationinfo.com,rsinsuranceinfo.com,rsadnetworkinfo.com,rsfinanceinfo.com,rshostinginfo.com,rssoftwareinfo.com#%#//scriptlet('set-cookie', '__gads', '1')
+armypowerinfo.com,artoffocas.com,bhugolinfo.com,bhugolinfo.com,cxissuegk.com,gknutshell.com,godstoryinfo.com,laweducationinfo.com,makeincomeinfo.com,rsfinanceinfo.com,rsgames.xyz,savemoneyinfo.com,vichitrainfo.com,workproductivityinfo.com,worldaffairinfo.com,rseducationinfo.com,rsinsuranceinfo.com,rsadnetworkinfo.com,rsfinanceinfo.com,rshostinginfo.com,rssoftwareinfo.com#%#//scriptlet('abort-on-property-write', 'window.onload')
+armypowerinfo.com,artoffocas.com,bhugolinfo.com,bhugolinfo.com,cxissuegk.com,gknutshell.com,godstoryinfo.com,laweducationinfo.com,makeincomeinfo.com,rsfinanceinfo.com,rsgames.xyz,savemoneyinfo.com,vichitrainfo.com,workproductivityinfo.com,worldaffairinfo.com,rseducationinfo.com,rsinsuranceinfo.com,rsadnetworkinfo.com,rsfinanceinfo.com,rshostinginfo.com,rssoftwareinfo.com#%#//scriptlet('abort-on-stack-trace', 'document.getElementsByTagName', 'adsBlocked')
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=rseducationinfo.com|rsinsuranceinfo.com|rsadnetworkinfo.com|rsfinanceinfo.com|rshostinginfo.com|rssoftwareinfo.com|armypowerinfo.com|artoffocas.com|bhugolinfo.com|bhugolinfo.com|cxissuegk.com|gknutshell.com|godstoryinfo.com|laweducationinfo.com|makeincomeinfo.com|rsfinanceinfo.com|rsgames.xyz|savemoneyinfo.com|vichitrainfo.com|workproductivityinfo.com|worldaffairinfo.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/172399
+elamigos-games.net#%#//scriptlet('prevent-setTimeout', 'checkAdblockUser')
+elamigos-games.net#%#//scriptlet('set-constant', 'checkAdblockUser', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/172350
+fireliker.com#%#//scriptlet('remove-node-text', 'script', 'Ad Blocker')
+! https://github.com/AdguardTeam/AdguardFilters/issues/172359
+@@||dsharer.com/-ads-banner.js
+dsharer.com#%#//scriptlet('set-constant', 'showada', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/172095
+toolkitspro.com#%#//scriptlet('abort-current-inline-script', 'EventTarget.prototype.addEventListener', 'adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/172282
+@@||drivemoe.com/-ads-banner.js
+drivemoe.com#%#//scriptlet('set-constant', 'showada', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/172176
+holiholic.com#%#//scriptlet("abort-on-property-read", "initBlocked")
+! https://github.com/AdguardTeam/AdguardFilters/issues/171869
+snay.io#@#.ad-box:not(#ad-banner):not(:empty)
+snay.io#%#//scriptlet('prevent-setInterval', 'hasAdBlock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/171870
+vectr.com#%#//scriptlet('prevent-setTimeout', 'showAdBlockDialog')
+! https://github.com/AdguardTeam/AdguardFilters/issues/171977
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=copyseeker.net
+@@||pagead2.googlesyndication.com/pagead/managed/js/adsense/*/show_ads_impl_*.js$domain=copyseeker.net
+copyseeker.net#@#ins.adsbygoogle[data-ad-client]
+copyseeker.net#@#ins.adsbygoogle[data-ad-slot]
+copyseeker.net#@#.adsbygoogle-noablate
+! https://github.com/AdguardTeam/AdguardFilters/issues/171768
+xkeezmovies.com#%#//scriptlet('remove-node-text', 'script', 'eazy_ad')
+xkeezmovies.com#%#//scriptlet('prevent-element-src-loading', 'script', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/171758
+yoykp.com#@#ins.adsbygoogle[data-ad-client]
+yoykp.com#@#ins.adsbygoogle[data-ad-slot]
+yoykp.com#$#body ins.adsbygoogle { display: block !important; }
+yoykp.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/180020
+! https://github.com/AdguardTeam/AdguardFilters/issues/173291
+! https://github.com/AdguardTeam/AdguardFilters/issues/171651
+mhdmaxtv.net,mhdtvmax.com,mhdsportstv.com#%#//scriptlet('abort-on-stack-trace', 'DOMTokenList.prototype.contains', 'manageBodyClasses')
+mhdmaxtv.net,mhdtvmax.com,mhdsportstv.com#%#//scriptlet('prevent-addEventListener', 'DOMContentLoaded', 'adsSrc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/171597
+streamer4u.site#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! qwant.com
+qwant.com#@#div[class="_2NDle"]:has(div[data-testid="advertiserAdsDisplayUrl"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/185609
+! https://github.com/AdguardTeam/AdguardFilters/issues/171774
+! https://github.com/AdguardTeam/AdguardFilters/issues/171447
+soccerinhd.com,limpaso.com##.popSc
+soccerinhd.com,limpaso.com##body > #player ~ .modal
+soccerinhd.com,limpaso.com##body > div[style^="position: fixed; top:"][style*="z-index:"]
+soccerinhd.com,limpaso.com#%#//scriptlet('abort-on-property-write', 'checkAdsStatus')
+soccerinhd.com,limpaso.com#%#//scriptlet('prevent-addEventListener', 'DOMContentLoaded', 'adBlocker')
+soccerinhd.com,limpaso.com#%#//scriptlet('prevent-fetch', '/adsbygoogle|securepubads\.g\.doubleclick\.net/')
+||limpaso.com/mypages/terms-and-conditions/tt.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/171363
+mlwbd.to#%#//scriptlet('abort-on-property-write', 'antiAdBlockerHandler')
+! https://github.com/AdguardTeam/AdguardFilters/issues/171290
+textstudio.com#%#//scriptlet('abort-on-property-write', 'ADBLOCK')
+! https://github.com/AdguardTeam/AdguardFilters/issues/171168
+xmorex.com#@#.ad-content
+! https://github.com/AdguardTeam/AdguardFilters/issues/171120
+forja.me#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/151173
+@@||pagead2.googlesyndication.com/getconfig/sodar$domain=freemcserver.net
+freemcserver.net#%#AG_onLoad(function() { for (var key in window) { if (key.indexOf('shoveItWhereTheSunDosentShine') == 0) { window[key] = []; } }; });
+freemcserver.net#%#//scriptlet('prevent-setTimeout', '', '5000')
+@@||prod.fennec.atp.fox/js/fennec.js$domain=freemcserver.net
+@@||stpd.cloud^$domain=freemcserver.net
+freemcserver.net#%#//scriptlet('set-constant', 'findCMP', 'noopFunc')
+freemcserver.net#%#//scriptlet('abort-on-property-read', 'stpd')
+@@||static.foxnews.com/static/strike/scripts/libs/prebid.js$domain=freemcserver.net
+freemcserver.net#%#//scriptlet('abort-on-property-read', 'pbjs')
+! https://github.com/AdguardTeam/AdguardFilters/issues/170946
+||bbpic.ru/js/plears.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/170717
+$subdocument,redirect-rule=noopframe,domain=ytlarge.com
+@@||ytlarge.com^$script,subdocument,xmlhttprequest,~third-party
+@@||fundingchoicesmessages.google.com^$domain=ytlarge.com
+@@||pagead2.googlesyndication.com^$domain=ytlarge.com
+@@||tpc.googlesyndication.com^$domain=ytlarge.com
+@@||googleads.g.doubleclick.net/pagead/html/*/zrt_lookup_fy2021.html$domain=ytlarge.com
+@@||googleads.g.doubleclick.net/pagead/ads?client=ca-pub-*&adk=$~xmlhttprequest,~script,~image,domain=ytlarge.com
+ytlarge.com#@#ins.adsbygoogle[data-ad-client]
+ytlarge.com#@#ins.adsbygoogle[data-ad-slot]
+ytlarge.com#@##adcontent
+ytlarge.com#%#(()=>{let t,e,o,n=!1;const r={apply:(r,c,a)=>{if(!n&&c&&"string"==typeof c&&c.includes("$builder_")&&c.match(/(\d+)\+.*?Math.*?\*.*?(\d+)/))try{t=c.match(/(\d+)\*/)?.[1];const r=c.match(/(\d+)\+.*?Math.*?\*.*?(\d+)/);e=r?.[1],o=r?.[2],n=!0}catch(t){}return Reflect.apply(r,c,a)}};window.String.prototype.split=new Proxy(window.String.prototype.split,r),AG_onLoad((()=>{let n,r,c;t&&e&&o&&(n=Number(t),r=Number(e),c=Number(o));const a=n*Math.floor(r+c*Math.random())||window.xrandom1,d=n*Math.floor(r+c*Math.random())||window.xrandom1;if(!a||!d)return;const i=[a,d],l=()=>{m()},m=()=>{document.querySelectorAll("input#mxtime, input#mxtime1").forEach(((t,e)=>{i[e]&&(t.value=i[e])}))};m();const u=document.querySelector("button#checker");u&&u.addEventListener("click",l)}))})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/170718
+ultimate-guitar.com#%#//scriptlet('set-constant', 'UGAPP.bidding.prebidLoadError', 'false')
+ultimate-guitar.com#%#//scriptlet('set-constant', 'Object.prototype.setNeedShowAdblockWarning', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/170588
+efootballdb.com#%#//scriptlet('prevent-fetch', 'www3.doubleclick.net')
+! https://github.com/AdguardTeam/AdguardFilters/issues/170725
+pornbimbo.com#%#//scriptlet("set-constant", "flashvars.protect_block_html", "")
+! https://github.com/AdguardTeam/AdguardFilters/issues/170624
+||osuskinner.com/check|$xmlhttprequest
+osuskinner.com#%#//scriptlet('prevent-xhr', 's.nitropay.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/170753
+sportea.online#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/170613
+mtvema.com,mtv.co.uk,mtv.de,mtv.it#%#//scriptlet('prevent-fetch', 'imasdk.googleapis.com')
+||imasdk.googleapis.com/pal/sdkloader/pal.js$script,redirect=noopjs,domain=mtvema.com|mtv.co.uk|mtv.de|mtv.it
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=mtvema.com|mtv.co.uk|mtv.de|mtv.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/170545
+shineads.in#%#//scriptlet('abort-on-property-read', 'Datad1d6cd127')
+! https://github.com/AdguardTeam/AdguardFilters/issues/170424
+fm-arena.com###d-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/170295
+yad.com###moneyNoticeMessage
+yad.com#%#//scriptlet('prevent-setTimeout', 'moneyDetect')
+! https://github.com/AdguardTeam/AdguardFilters/issues/170276
+||hiraethtranslation.com/wp-content/plugins/e*.*?ver=
+hiraethtranslation.com#%#//scriptlet('prevent-addEventListener', 'DOMContentLoaded', 'adsSrc')
+hiraethtranslation.com#%#//scriptlet('abort-on-stack-trace', 'DOMTokenList.prototype.contains', 'manageBodyClasses')
+hiraethtranslation.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/170269
+pomofocus.io#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com', 'true')
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=pomofocus.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/170049
+nishankhatri.xyz##.adblock-wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/170240
+billingsmix.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/172601
+! https://github.com/AdguardTeam/AdguardFilters/issues/172272
+! https://github.com/AdguardTeam/AdguardFilters/issues/170175
+cc.com,nickjr.com,nick.com#%#//scriptlet('prevent-element-src-loading', 'script', 'imasdk.googleapis.com')
+||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$script,redirect=noopjs,domain=nick.com|nickjr.com|cc.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/170126
+||tubereader.me/build/assets/app-*.js
+tubereader.me#%#//scriptlet('abort-on-stack-trace', 'document.createElement', 'showAdblock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/170115
+24sport.stream#%#//scriptlet('prevent-setTimeout', 'keepChecking')
+||24sport.stream/public/js/dublocker.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/187001
+! https://github.com/AdguardTeam/AdguardFilters/issues/180587
+! https://github.com/AdguardTeam/AdguardFilters/issues/172154
+! https://github.com/AdguardTeam/AdguardFilters/issues/170084
+idlixofficialx.net,idlixofficial.net,idlixofficial.co,idlixofficials.com#@#.module_single_ads
+idlixofficialx.net,idlixofficial.net,idlixofficial.co,idlixofficials.com###ads.module_single_ads
+idlixofficialx.net,idlixofficial.net,idlixofficial.co,idlixofficials.com#$#body[class*="-blur"] > * { filter: none !important; }
+idlixofficialx.net,idlixofficial.net,idlixofficial.co,idlixofficials.com#%#//scriptlet('trusted-suppress-native-method', 'fetch', '"cdn.ocmhood.com/sdk/hood.js"')
+idlixofficialx.net,idlixofficial.net,idlixofficial.co,idlixofficials.com#%#//scriptlet('abort-on-stack-trace', 'Array.from', 'manageBodyClasses')
+idlixofficialx.net,idlixofficial.net,idlixofficial.co,idlixofficials.com#%#//scriptlet('abort-on-stack-trace', 'DOMTokenList.prototype.contains', 'manageBodyClasses')
+@@||static.doubleclick.net/instream/ad_status.js$domain=idlixofficials.com|idlixofficial.co|idlixofficial.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/169962
+nudecams.xxx###adb
+nudecams.xxx#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/169605
+modapkvn.com,apkmodvn.com###adBlock
+file.apkmoddone.com#%#//scriptlet('prevent-addEventListener', 'click', 'adElements')
+apkmoddone.phongroblox.com#%#//scriptlet('set-constant', 'checkStructure', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/169545
+gamecatandmouse.netlify.app,textcleaner.net##.adp
+gamecatandmouse.netlify.app,textcleaner.net##.adp-underlay
+gamecatandmouse.netlify.app,textcleaner.net#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/169613
+@@||isthischannelmonetized.com/wp-content/plugins/*/assets/js/bannerad.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/169724
+mhn.quest#%#//scriptlet('prevent-setTimeout', '/\.adblock|monster-home/')
+@@||mhn.quest/*.js$~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/172858
+! https://github.com/AdguardTeam/AdguardFilters/issues/169610
+hardreset.info#%#//scriptlet('set-constant', 'ezAardvarkDetected', 'false')
+hardreset.info#%#//scriptlet('set-constant', 'ezDetectAardvark', 'noopFunc')
+!+ NOT_OPTIMIZED
+hardreset.info###ez-content-blocker-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/172212
+! https://github.com/AdguardTeam/AdguardFilters/issues/169878
+! https://github.com/AdguardTeam/AdguardFilters/issues/169492
+lootdest.org,lootdest.com,loot-link.com,lootlinks.co,loot-links.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/169660
+flixscans.*#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=flixscans.*
+! https://github.com/AdguardTeam/AdguardFilters/issues/169130
+! 'Adblock Detected, please disable and Refresh page when done to watch.'
+freetvsports.xyz,poscishd.online#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/169101
+xszav1.com#%#//scriptlet('remove-node-text', 'script', 'ad blocker')
+! https://github.com/AdguardTeam/AdguardFilters/issues/169386
+elektrotanya.com#%#//scriptlet('set-constant', 'canRunAds', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/169282
+chickenkarts.io#%#//scriptlet('set-constant', 'blockedAds', 'false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/169297
+! https://github.com/AdguardTeam/AdguardFilters/issues/169259
+! Ads reinjection
+autoscout24.*#%#//scriptlet('abort-on-property-read', 'Object.prototype.autoRecov')
+autoscout24.*#%#//scriptlet('abort-on-stack-trace', 'document.createElement', 'HTMLImageElement')
+||autoscout24.*/frontend-metrics/
+! https://github.com/AdguardTeam/AdguardFilters/issues/169180
+themarysue.com#%#//scriptlet('prevent-addEventListener', 'error', 'Disable Your Adblocker')
+! https://github.com/AdguardTeam/AdguardFilters/issues/169123
+datasciencelearner.com#$#html { overflow: auto !important; padding-right: 0 !important; }
+datasciencelearner.com#$#.site-access-popup { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/168907
+alltechnerd.com#%#//scriptlet('set-constant', 'nitroAds.abp', 'true')
+||s.nitropay.com/2.gif?$image,redirect-rule=1x1-transparent.gif,domain=alltechnerd.com
+! zona11.com - adblock
+||zona11.com/public/js/dublocker.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/168646
+@@||ams.cdn.arkadiumhosted.com/advertisement/video/stable/video-ads.js$domain=play.dictionary.com
+play.dictionary.com#@#display-ad-component
+! https://github.com/AdguardTeam/AdguardFilters/issues/168598
+londonnewsonline.co.uk##body > div[id][class^="popup"][class$="wrap"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/168417
+panel.waifly.com#%#//scriptlet('set-constant', 'detectScriptError', 'noopFunc')
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,domain=panel.waifly.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/168480
+labrador.mayaremix.in#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/168521
+brainly.com,brainly.com.br,brainly.co.id,brainly.in,brainly.ph,brainly.pl,brainly.lat,brainly.in,brainly.ro,eodev.com,znanija.com#%#//scriptlet('set-local-storage-item', 'simple-funnel-name', '$remove$')
+! https://github.com/AdguardTeam/AdguardFilters/issues/168148
+@@||btloader.com/tag$domain=taming.io
+!#safari_cb_affinity(privacy)
+@@||googletagmanager.com/gtag/js$domain=taming.io
+!#safari_cb_affinity
+! https://github.com/AdguardTeam/AdguardFilters/issues/168146
+@@||api.poki.com/ads/houseads/$domain=ninja.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/168438
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=omegatv.com.cy
+! https://github.com/AdguardTeam/AdguardFilters/issues/168493
+! https://github.com/AdguardTeam/AdguardFilters/issues/168351
+kissanime.com.ru,kissanime.co#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com')
+kissanime.com.ru,kissanime.co#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/167581
+! I saw a http request related to https://unblockia.com/.
+androidpolice.com#@#.adsninja-ad-zone
+androidpolice.com#@#.ad-current
+androidpolice.com#@#.ad-zone-container
+androidpolice.com#@#.ad-zone
+androidpolice.com#@#.ima-ad-container
+androidpolice.com##.adsninja-ad-zone:not(.adsninja-valstream)
+androidpolice.com#%#//scriptlet('set-constant', 'ValstreamVideoPlayer.prototype.isAllowedToPlayAds', 'falseFunc')
+@@||cdn.adsninja.ca/adsninja_client.js$domain=androidpolice.com
+@@||cdn.adsninja.ca/adsninja_client_style.css$domain=androidpolice.com
+@@||video.adsninja.ca/valnetinc/AndroidPolice/*-projectRssVideoFile.mp4$domain=androidpolice.com
+||amazon-adsystem.com/aax2/apstag.js$script,redirect=amazon-apstag,domain=androidpolice.com
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=androidpolice.com
+! satdl.com - needless waiting time
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=satdl.com
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,important,domain=satdl.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/167345
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=live.alexsportz.online
+! https://github.com/AdguardTeam/AdguardFilters/issues/167294
+mad4wheels.com#@##adcontent
+mad4wheels.com#%#//scriptlet('set-constant', 'adblock.check', 'noopFunc')
+mad4wheels.com#%#//scriptlet('prevent-fetch', '/pagead2\.googlesyndication\.com|adblockanalytics\.com/')
+||mad4wheels.com/plugins/js-b/js/js-b.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/167270
+edealinfo.com#%#//scriptlet("abort-current-inline-script", "$", "fakeAd")
+! https://github.com/AdguardTeam/AdguardFilters/issues/167035
+rakuten.ca#@#.google-ads
+@@||googletagmanager.com/gtag/js$domain=rakuten.ca
+! https://github.com/AdguardTeam/AdguardFilters/issues/166654
+imgo.info#%#//scriptlet('prevent-fetch', 'adsbygoogle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/166327
+cdkm.com#%#//scriptlet('set-constant', 'adsbygoogle', 'emptyObj')
+! https://github.com/AdguardTeam/AdguardFilters/issues/166319
+gocmod.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! espnv2.online (embedded stream site on sport streaming page)
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=espnv2.online|live.hitsports.bond
+! https://github.com/AdguardTeam/AdguardFilters/issues/166101
+||ipaspot.app/assets/js/abdetectorpro.script.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/165486
+! To reproduce the anti-adblock message, it is necessary to click on a specific element, for example the search button
+@@||sextb.net^$generichide
+@@||sextb.xyz^$generichide
+sextb.xyz,sextb.net#$#body .sextb_728 { display: block !important; }
+sextb.xyz,sextb.net#$#body .sextb_728:not([id]) { position: absolute !important; left: -9999px !important; }
+sextb.net#$#body .sextb_700 { position: absolute !important; left: -9999px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/167445
+! https://github.com/AdguardTeam/AdguardFilters/issues/165730
+sparkful.co,mangoai.co#%#//scriptlet('prevent-fetch', 'www3.doubleclick.net')
+! https://github.com/AdguardTeam/AdguardFilters/issues/165407
+freewsad.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/165570
+deano.me#%#//scriptlet('abort-current-inline-script', 'jQuery', 'adsbygoogle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/165059
+thestockmarketwatch.com#%#//scriptlet('prevent-eval-if', 'adblock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/174861
+! https://github.com/AdguardTeam/AdguardFilters/issues/172737
+! https://github.com/AdguardTeam/AdguardFilters/issues/172131
+! https://github.com/AdguardTeam/AdguardFilters/issues/170304
+! https://github.com/AdguardTeam/AdguardFilters/issues/164995
+! rbtv77.com
+@@/\/[js].?[js]\/.*\.js/$script,xmlhttprequest,domain=rbtv77.*|live-streamfootball.*|superabbit77.*|superabbit33.*|superdom77.*|superlee77.*|superleo77.*|superargo77.*|superbarca77.*|linelocatemfsn.*|homebasis4d.*|mindmotion93y8.*|monkeynecktj4w.*|masterenjoyao.*|differenceprimitive85p.*|blewdiffera3j2.*|strangernervousql.*|leadmorning4ivn.*|somehowrockyng.*|currentcolorq2dv.*|determinemousecshe.*|publicspeed5c.*|limiteddollqjc.*
+@@/\.(quest|shop|autos)\/.*\./$script,xmlhttprequest,domain=rbtv77.*|live-streamfootball.*|superabbit77.*|superabbit33.*|superdom77.*|superlee77.*|superleo77.*|superargo77.*|superbarca77.*|linelocatemfsn.*|homebasis4d.*|mindmotion93y8.*|monkeynecktj4w.*|masterenjoyao.*|differenceprimitive85p.*|blewdiffera3j2.*|strangernervousql.*|leadmorning4ivn.*|somehowrockyng.*|currentcolorq2dv.*|determinemousecshe.*|publicspeed5c.*|limiteddollqjc.*
+limiteddollqjc.*,publicspeed5c.*,determinemousecshe.*,currentcolorq2dv.*,somehowrockyng.*,leadmorning4ivn.*,strangernervousql.*,blewdiffera3j2.*,differenceprimitive85p.*,masterenjoyao.*,monkeynecktj4w.*,mindmotion93y8.*,homebasis4d.*,linelocatemfsn.*,superbarca77.*,superargo77.*,superleo77.*,superlee77.*,superdom77.*,superabbit33.*,live-streamfootball.*,superabbit77.*,rbtv77.*#%#(()=>{const e=new Set(["fimg","faimg","fbmg","fcmg","fdmg","femg","ffmg","fgmg","fjmg","fkmg"]),t={apply:(t,c,n)=>{const s=n[2];if(s){const t=Object.keys(s).length;if(t>1&&t<20)for(let t in s)if(e.has(t)&&!0===n[2][t])try{n[2][t]=!1}catch(e){console.trace(e)}else if(!0===s[t])try{const e=(new Error).stack;/NodeList\.forEach|(|blob):[\s\S]{1,500}$/.test(e)&&(s[t]=!1)}catch(e){console.trace(e)}}return Reflect.apply(t,c,n)}};window.Object.assign=new Proxy(window.Object.assign,t)})();
+limiteddollqjc.*,publicspeed5c.*,determinemousecshe.*,currentcolorq2dv.*,somehowrockyng.*,leadmorning4ivn.*,strangernervousql.*,blewdiffera3j2.*,differenceprimitive85p.*,masterenjoyao.*,monkeynecktj4w.*,mindmotion93y8.*,homebasis4d.*,linelocatemfsn.*,superbarca77.*,superargo77.*,superleo77.*,superlee77.*,superdom77.*,superabbit33.*,live-streamfootball.*,superabbit77.*,rbtv77.*#%#(()=>{const e={apply:(e,t,p)=>{const o=p[1];return o&&"string"==typeof o&&o.match(/pagead2\.googlesyndication\.com|google.*\.js|\/.*?\/.*?ad.*?\.js|\.(shop|quest|autos)\/.*?\.(js|php|html)/)&&(t.prevent=!0),Reflect.apply(e,t,p)}};window.XMLHttpRequest.prototype.open=new Proxy(window.XMLHttpRequest.prototype.open,e);const t={apply:(e,t,p)=>{if(!t.prevent)return Reflect.apply(e,t,p)}};window.XMLHttpRequest.prototype.send=new Proxy(window.XMLHttpRequest.prototype.send,t)})();
+limiteddollqjc.*,publicspeed5c.*,determinemousecshe.*,currentcolorq2dv.*,somehowrockyng.*,leadmorning4ivn.*,strangernervousql.*,blewdiffera3j2.*,differenceprimitive85p.*,masterenjoyao.*,monkeynecktj4w.*,mindmotion93y8.*,homebasis4d.*,linelocatemfsn.*,superbarca77.*,superargo77.*,superleo77.*,superlee77.*,superdom77.*,superabbit33.*,live-streamfootball.*,superabbit77.*,rbtv77.*#%#//scriptlet('prevent-element-src-loading', 'script', '/pagead2\.googlesyndication\.com|google.*\.js|\/.*?\/.*?ad.*?\.js|\.(shop|quest|autos)\/.*?\.(js|php|html)/')
+! publicspeed5c.*,determinemousecshe.*,currentcolorq2dv.*,somehowrockyng.*,leadmorning4ivn.*,strangernervousql.*,blewdiffera3j2.*,differenceprimitive85p.*,masterenjoyao.*,monkeynecktj4w.*,mindmotion93y8.*,homebasis4d.*,linelocatemfsn.*,superbarca77.*,superargo77.*,superleo77.*,superlee77.*,superdom77.*,superabbit33.*,live-streamfootball.*,superabbit77.*,rbtv77.*#$#div[class*=" "] > img[src^="http"]:first-child:has(+ div > img) { visibility: hidden !important; z-index: -1 !important; position: absolute !important; }
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/169209
+||cdn.jsdelivr.net/gh/arufxuenzaku/apmody@1.4/js/main.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/164844
+fusevideo.io#%#//scriptlet('prevent-xhr', '/prebid|ads\./')
+! https://github.com/AdguardTeam/AdguardFilters/issues/174539
+! https://github.com/AdguardTeam/AdguardFilters/issues/164737
+!+ NOT_OPTIMIZED
+hortidaily.com,agf.nl,freshplaza.*#$?#input#block-ad-blockers { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/164724
+||buy.tinypass.com/checkout/template/cacheableShow?*&offerId=fakeOfferId*&url=*ibelieve.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/164705
+||writerhand.com/assets/js/unblock.js
+writerhand.com#%#//scriptlet('set-constant', 'AdBlocker', 'false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/164564
+tmailor.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! offidocs.com anti-adb
+offidocs.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=offidocs.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/164271
+ovabee.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/164231
+streambtw.com###overlay
+streambtw.com#%#//scriptlet('abort-current-inline-script', 'document.createElement', '.onerror')
+! https://github.com/AdguardTeam/AdguardFilters/issues/164418
+||loader.masthead.me/prod/masthead/loader.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/164162
+dessi.io#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/164205
+! https://github.com/AdguardTeam/AdguardFilters/issues/164007
+automoto.it,moto.it#%#//scriptlet('remove-class', 'app-cwall-shown', 'body')
+!+ NOT_OPTIMIZED
+automoto.it,moto.it#$#div#iubenda-cs-banner { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/163765
+putangclan.com#@#.advert-wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/163704
+govsfid.com#%#//scriptlet("set-constant", "isBrave", "noopFunc")
+govsfid.com#%#//scriptlet("set-constant", "AdBDetected", "noopFunc")
+@@||gplinks.in/track/js/$domain=govsfid.com
+@@||gplinks.in/track/data.php$domain=govsfid.com
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=govsfid.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/163705
+sankaku.app#$##anti-adblock { display: none !important; }
+sankaku.app#$#body { overflow: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/163314
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=dishy.co.ke
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=dishy.co.ke,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/163608
+@@||s.nitropay.com/ads-*.js$domain=soccerguru.live
+! https://github.com/AdguardTeam/AdguardFilters/issues/163601
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=myfilmyzilla.com,important
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=myfilmyzilla.com
+@@||myfilmyzilla.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/163562
+dzapk.com#%#//scriptlet("abort-current-inline-script", "mMcreateCookie")
+! https://github.com/AdguardTeam/AdguardFilters/issues/163563
+||tophostingapp.com/abdetectorpro.script.js
+tophostingapp.com#%#//scriptlet("prevent-addEventListener", "load", "abDetectorPro")
+! https://github.com/AdguardTeam/AdguardFilters/issues/163585
+@@||stripflix.cam^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/163471
+forum.release-apk.com#%#//scriptlet('abort-on-property-read', 'justDetectAdblock')
+forum.release-apk.com##body > style + div[id][class*=" "]
+! https://github.com/AdguardTeam/AdguardFilters/issues/163381
+djflpduniya.com,sattanewss.com,digiclown.com#%#//scriptlet("set-constant", "detectWithFakeAdsDiv", "noopFunc")
+djflpduniya.com,sattanewss.com,digiclown.com#%#//scriptlet("set-constant", "isBrave", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/163499
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=mta-resource.com
+mta-resource.com#$#ins.adsbygoogle[data-ad-slot] { display: block !important; height: 1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/163510
+cutsy.net#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/163457
+! https://github.com/AdguardTeam/AdguardFilters/issues/163517
+idol69.net#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/163412
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=foodbusinessnews.net
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=foodbusinessnews.net
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$redirect=googlesyndication-adsbygoogle,domain=foodbusinessnews.net,important
+||securepubads.g.doubleclick.net/tag/js/gpt.js$redirect=googletagservices-gpt,domain=foodbusinessnews.net,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/163194
+! https://github.com/AdguardTeam/AdguardFilters/issues/162165
+kickasstorrents.bio,extratorrent.bio,torrentfunk.bio,nyaa.bio,torrent9.bio,magnetdl.bio,idope.bio,demonoid.bio,torrentz2.bio,torrentgalaxy.bio,isohunt.bio,thepiratebays.bio,1337x.bio,1337x.help,eztv.wiki,rarbg.store,zooqle.ink,1337xproxies.com,eztvstatus.net,rutracker.bio##ab-detector
+/dectector.js$~third-party,domain=1337xproxies.com|eztvstatus.net|rutracker.bio|1337x.bio|1337x.help|eztv.wiki|rarbg.store|zooqle.ink|kickasstorrents.bio|extratorrent.bio|torrentfunk.bio|nyaa.bio|torrent9.bio|magnetdl.bio|idope.bio|demonoid.bio|torrentz2.bio|torrentgalaxy.bio|isohunt.bio|thepiratebays.bio
+kickasstorrents.bio,extratorrent.bio,torrentfunk.bio,nyaa.bio,torrent9.bio,magnetdl.bio,idope.bio,demonoid.bio,torrentz2.bio,torrentgalaxy.bio,isohunt.bio,thepiratebays.bio,1337x.bio,1337x.help,eztv.wiki,rarbg.store,zooqle.ink,1337xproxies.com,eztvstatus.net,rutracker.bio#%#//scriptlet('set-constant', 'AB_Detector', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/161970
+coinpayz.xyz#@##adsbox
+! https://github.com/AdguardTeam/AdguardFilters/issues/161918
+@@||devfiles.pages.dev/fonts/wp-content/plugins/best-ads-block-detector/main.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/161767
+filext.com#%#//scriptlet('trusted-replace-xhr-response', '/.*_preview_video.*/', '', '/acs')
+! https://github.com/AdguardTeam/AdguardFilters/issues/161726
+jwcuriosidades.com#%#//scriptlet('set-cookie', 'adSystem', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/161624
+55k.io#%#//scriptlet('set-constant', 'cRAds', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/161053
+165.22.246.130###adb
+165.22.246.130#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/160615
+pornleaks.in#%#//scriptlet("set-constant", "ftuappss", "true")
+||pornleaks.in/js/sample.js?version=
+! https://github.com/AdguardTeam/AdguardFilters/issues/160625
+@@||lilymanga.net/wp-content/uploads/ad-inserter*/*/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/159611
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=chromeactions.com
+! https://github.com/bogachenko/fuckfuckadblock/issues/440
+@@||advnetwork.net/advertising/*/advertising.js$xmlhttprequest,domain=bsshotel.it
+! https://github.com/bogachenko/fuckfuckadblock/issues/446
+/adblocker.js$domain=gameophobias.com|hindimearticles.net|solution-hub.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/165929
+! https://github.com/AdguardTeam/AdguardFilters/issues/160931
+! https://github.com/AdguardTeam/AdguardFilters/issues/156107
+! https://github.com/AdguardTeam/AdguardFilters/issues/185405
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=ravenscans.com|oatuu.org|techedubyte.com
+@@||cdn.pubfuture-ad.com/v2/unit/pt.js^$domain=techedubyte.com
+@@||static.doubleclick.net/instream/ad_status.js$domain=techedubyte.com
+techedubyte.com,oatuu.org,ravenscans.com#@#[data-adblockkey]
+techedubyte.com,oatuu.org,ravenscans.com#@#[data-advadstrackid]
+techedubyte.com,oatuu.org,ravenscans.com#@#[data-ad-width]
+techedubyte.com,oatuu.org,ravenscans.com#@#[data-ad-module]
+techedubyte.com,oatuu.org,ravenscans.com#@#[data-ad-manager-id]
+techedubyte.com,oatuu.org,ravenscans.com#@#.sidebar-ad
+techedubyte.com,oatuu.org,ravenscans.com#@#.ad-slot
+techedubyte.com,oatuu.org,ravenscans.com#@#.ad-placeholder
+techedubyte.com,oatuu.org,ravenscans.com#@#.Ad-Container
+techedubyte.com,oatuu.org,ravenscans.com#$#.adsbygoogle.Ad-Container.sidebar-ad.ad-slot.ad.ads.doubleclick.ad-placement.ad-placeholder.adbadge.BannerAd.adsbox { display: block !important; }
+oatuu.org,ravenscans.com#$#.tjewtsgyeszduwntfveteepbzzdajlhvjbrwdrcnroyuedzfvkjf { display: none !important; }
+techedubyte.com##.cdfjbgluvriuuuvzljdrfcymhgvwvjmwpitnymzjdqkwryudjsvjovtwghsb
+! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-6498761
+exactpay.online#%#//scriptlet('abort-on-property-read', 'Swal.fire')
+||exactpay.online/Bitmedia.html$subdocument,redirect=noopframe
+exactpay.online#%#//scriptlet('abort-on-property-read', 'htmls')
+! https://github.com/AdguardTeam/AdguardFilters/issues/158767
+@@||filelions.*/js/boxad.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/153846
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=technorozen.com
+! https://forum.adguard.com/index.php?threads/%D0%9A%D0%BE%D0%BD%D1%84%D0%BB%D0%B8%D0%BA%D1%82-%D1%81-vk-styles.53146/
+! https://chrome.google.com/webstore/detail/vk-styles-themes-for-vkco/ceibjdigmfbbgcpkkdpmjokkokklodmc/
+vk.com#@#[data-ad-cls]
+vk.com#@#div[data-ad]
+vk.com#$#div[data-ad][data-ad-cls] { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/153355
+okdebrid.com#@#ins.adsbygoogle[data-ad-client]
+okdebrid.com#@#ins.adsbygoogle[data-ad-slot]
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=okdebrid.com
+@@||static.yieldmo.com/ym.adv.min.js$domain=okdebrid.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/153352
+btvsports.click#@##ad-bigsize
+btvsports.click#@##ad-makeup
+btvsports.click#@##ad_left_top
+btvsports.click#@##googlead2
+btvsports.click#@##omnibar_ad
+btvsports.click#@##GoogleAd2
+! https://github.com/AdguardTeam/AdguardFilters/issues/153103
+@@||c.adsco.re^$domain=shorterall.com
+@@||adsco.re/p$domain=shorterall.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/151250
+emoji.gg###yousuck
+! https://github.com/AdguardTeam/AdguardFilters/issues/147423
+techedubyte.com##.popSc
+! https://github.com/AdguardTeam/AdguardFilters/issues/168330
+onworks.net##.adbn-wrap
+onworks.net#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/167911
+economictimes.indiatimes.com#%#//scriptlet('prevent-setTimeout', '/nltrShow30minFlag|js_primetargeting_popup/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/167905
+cosplay18.pics#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/167838
+boyhoodmovies.net#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'window.adblock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/167815
+bestx.stream#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/167559
+99corporates.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/167683
+! https://github.com/AdguardTeam/AdguardFilters/issues/169924
+statesville.com,wacotrib.com#%#//scriptlet('abort-on-property-read', 'TNCMS.Access')
+! https://github.com/AdguardTeam/AdguardFilters/issues/186431
+! https://github.com/AdguardTeam/AdguardFilters/issues/167727
+infidrive.net#%#//scriptlet('prevent-fetch', 'www3.doubleclick.net')
+infidrive.net#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com')
+infidrive.net#%#//scriptlet('prevent-element-src-loading', 'script', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/167531
+23dfbfad8cb2-stremio-addon-superflix.baby-beamup.club#%#//scriptlet('prevent-element-src-loading', 'script', 'crossroadparalysisnutshell.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/179376
+! https://github.com/AdguardTeam/AdguardFilters/issues/167432
+bonsaiprolink.*,lustesthd.*#%#//scriptlet('prevent-element-src-loading', 'script', 'pagead2.googlesyndication.com')
+bonsaiprolink.*,lustesthd.*#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/167387
+mrfreemium.blogspot.com##.popSc
+mrfreemium.blogspot.com#%#//scriptlet('abort-current-inline-script', 'EventTarget.prototype.addEventListener', 'adsbygoogle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/167073
+learnweb.top#%#//scriptlet('prevent-xhr', '/(showAds|ads?\.min)\.js/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/167356
+lenouvelliste.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/167014
+wholewellnesswhirl.life##.popSc
+wholewellnesswhirl.life#%#//scriptlet('abort-current-inline-script', 'EventTarget.prototype.addEventListener', 'adsbygoogle')
+! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-7667896
+kiddyshort.com#%#//scriptlet('prevent-addEventListener', 'load', 'htmls')
+! https://github.com/AdguardTeam/AdguardFilters/issues/166987
+vinstartheme.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/166938
+helpdice.com#%#//scriptlet('abort-current-inline-script', 'onload', 'document.body.innerHTML')
+! https://github.com/AdguardTeam/AdguardFilters/issues/166934
+yt-downloaderz.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/166863
+forum.cstalking.tv###adblock_msg
+forum.cstalking.tv#%#//scriptlet('prevent-fetch', 'ads.cstalking.tv')
+! https://github.com/AdguardTeam/AdguardFilters/issues/166883
+||dvdgayporn.com/wp-content/plugins/POit-*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/166747
+hostmath.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+||hostmath.com/Js/PromptShowAD.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/166721
+urlcut.ninja#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+||urlcut.ninja/static/nab.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/172589
+! https://github.com/AdguardTeam/AdguardFilters/issues/167165
+! https://github.com/AdguardTeam/AdguardFilters/issues/166454
+! cuty.io
+evernia.site,gamco.online,olkuj.com,zalbik.com,ijvam.com,mrgec.com,emxaw.com,cety.app,cutnet.net,cutado.com,cutlink.net#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/166266
+hax.co.id#%#//scriptlet('prevent-addEventListener', 'load', 'AdBlock')
+hax.co.id#%#//scriptlet('prevent-fetch', 'adsbygoogle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/166193
+sexwebvideo.net#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/176455
+fplstatistics.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+fplstatistics.com#%#//scriptlet('trusted-replace-node-text', 'script', '_0x', '/(var _0x\w+10) = 0;/', '$1 = 1;')
+! https://github.com/AdguardTeam/AdguardFilters/issues/166009
+archivebate.live#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/165993
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=njbeachcams.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/165830
+postedium.com##.adb-overlay
+! https://github.com/AdguardTeam/AdguardFilters/issues/165773
+mbjremix.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/165698
+brighthubengineering.com#%#//scriptlet('prevent-addEventListener', 'load', 'waitForAardvarkDetection')
+brighthubengineering.com#%#//scriptlet('prevent-addEventListener', 'load', 'create_ezolpl')
+! https://github.com/AdguardTeam/AdguardFilters/issues/165484
+||static.surfe.pro/js/net.js$domain=allfaucet.xyz,redirect=noopjs,important
+||googletagmanager.com/gtm.js$domain=allfaucet.xyz,redirect=noopjs,important
+@@||static.surfe.pro/js/net.js$domain=allfaucet.xyz
+@@||googletagmanager.com/gtm.js$domain=allfaucet.xyz
+! https://github.com/AdguardTeam/AdguardFilters/issues/167988
+! https://github.com/AdguardTeam/AdguardFilters/issues/167225
+! https://github.com/AdguardTeam/AdguardFilters/issues/165058
+tikmate.app#$#button#download-hd[onclick="downloadHD(this);"] { display: block !important; }
+tikmate.app#%#//scriptlet('set-constant', 'powerAPITag', 'emptyObj')
+tikmate.app#%#//scriptlet('set-constant', 'detectAdBlock', 'noopFunc')
+tikmate.app#%#//scriptlet('trusted-replace-node-text', 'script', 'Object.keys', 'document.getElementById(`download-hd-${data.id}`).remove();', '')
+tikmate.app#%#//scriptlet('trusted-replace-node-text', 'script', 'downloadHD(this)', '.adsbygoogle-noablate', 'body')
+tikmate.app#%#//scriptlet('trusted-replace-node-text', 'script', 'function downloadHD', '/(function downloadHD\(obj\) {)[\s\S]*?(datahref.*)[\s\S]*?(window.location.href = datahref;)[\s\S]*/', '$1$2$3}')
+! https://github.com/AdguardTeam/AdguardFilters/issues/165336
+! https://github.com/AdguardTeam/AdguardFilters/issues/165335
+cnpics.org,cnxx.me#%#//scriptlet('abort-on-property-write', 'detectAdBlock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/165282
+uptoearn.xyz#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+uptoearn.xyz#%#//scriptlet('trusted-replace-node-text', 'script', 'downloadConfig', '/"adb":\d/', '"adb":""')
+! https://github.com/AdguardTeam/AdguardFilters/issues/164653
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=anidraw.net,important
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=anidraw.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/165068
+@@||static.doubleclick.net/instream/ad_status.js$domain=bloggingsathi.com
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=bloggingsathi.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/178356
+! https://github.com/AdguardTeam/AdguardFilters/issues/167075
+! https://github.com/AdguardTeam/AdguardFilters/issues/164439
+infinityscans.net,infinityscans.xyz#%#//scriptlet('prevent-window-open', 'quackupsilon.com')
+infinityscans.net,infinityscans.xyz#%#//scriptlet("trusted-replace-node-text", "script", "quackupsilon", "win.location.href = 'https://quackupsilon.com/iqJ8S7L6e8u/95532';", "")
+infinityscans.net,infinityscans.xyz#%#//scriptlet("trusted-replace-node-text", "script", "chapterNavigation", "window['\x6d\x61\x74\x63\x68\x4d\x65\x64\x69\x61'](_0x327ad7('\x30\x78\x64\x33'))[_0x327ad7('\x30\x78\x64\x34')]?", "true?")
+infinityscans.net,infinityscans.xyz#%#//scriptlet("trusted-replace-node-text", "script", "chapterNavigation", "window.matchMedia('(display-mode: standalone)').matches", "true")
+infinityscans.net,infinityscans.xyz#%#//scriptlet('trusted-replace-node-text', 'script', '\x', '=!![]', '=![]')
+infinityscans.net,infinityscans.xyz#%#//scriptlet('trusted-replace-node-text', 'script', 'function _0x', '/\(?function( |\()_0x[\s\S]*?Detected[\s\S]*?\$\.ajax\(/', ' $.ajax(')
+! https://github.com/AdguardTeam/AdguardFilters/issues/164348
+porn4f.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/164148
+ipalibrary.me#$#.adsbygoogle.ads_above_banner { display: block !important; height: 1px !important; }
+ipalibrary.me#$#ins.adsbygoogle[data-ad-slot] { display: block !important; height: 1px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/164152
+nabzclan.vip#%#//scriptlet('set-constant', 'adsbygoogle', 'emptyObj')
+! https://github.com/AdguardTeam/AdguardFilters/issues/164213
+anisearch.*#$#.pagewidth > div.pcenter[id] { display: block !important; }
+@@||anisearch.*^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/163771
+ai18.pics#%#//scriptlet('prevent-fetch', 'adsbygoogle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/164103
+||thesimsresource.com/js/ad-loader.js
+thesimsresource.com#%#//scriptlet('set-constant', 'isAdBlocked', 'false')
+thesimsresource.com#%#//scriptlet('prevent-xhr', '/googletagmanager\.com|googleoptimize\.com|enthusiastgaming\.net/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/164039
+||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$script,redirect=google-ima3,domain=mtv.com
+! UKRadioLive
+irishradiolive.com,myonlineradio.at,myonlineradio.de,myonlineradio.hu,myonlineradio.nl,myonlineradio.sk,myradioendirect.fr,myradioenvivo.ar,myradioenvivo.mx,myradioonline.cl,myradioonline.es,myradioonline.it,myradioonline.pl,myradioonline.ro,ukradiolive.com#%#//scriptlet('prevent-element-src-loading', 'script', 'doubleclick.net')
+irishradiolive.com,myonlineradio.at,myonlineradio.de,myonlineradio.hu,myonlineradio.nl,myonlineradio.sk,myradioendirect.fr,myradioenvivo.ar,myradioenvivo.mx,myradioonline.cl,myradioonline.es,myradioonline.it,myradioonline.pl,myradioonline.ro,ukradiolive.com#%#//scriptlet('set-constant', 'ENABLE_PAGE_LEVEL_ADS', 'true')
+irishradiolive.com,myonlineradio.at,myonlineradio.de,myonlineradio.hu,myonlineradio.nl,myonlineradio.sk,myradioendirect.fr,myradioenvivo.ar,myradioenvivo.mx,myradioonline.cl,myradioonline.es,myradioonline.it,myradioonline.pl,myradioonline.ro,ukradiolive.com#%#//scriptlet('set-cookie', 'stpdsck', '1')
+$cookie=adblock,domain=irishradiolive.com|myonlineradio.at|myonlineradio.de|myonlineradio.hu|myonlineradio.nl|myonlineradio.sk|myradioendirect.fr|myradioenvivo.ar|myradioenvivo.mx|myradioonline.cl|myradioonline.es|myradioonline.it|myradioonline.pl|myradioonline.ro|ukradiolive.com
+!irishradiolive.com,myonlineradio.at,myonlineradio.de,myonlineradio.hu,myonlineradio.nl,myonlineradio.sk,myradioendirect.fr,myradioenvivo.ar,myradioenvivo.mx,myradioonline.cl,myradioonline.es,myradioonline.it,myradioonline.pl,myradioonline.ro,ukradiolive.com#%#//scriptlet('set-constant', 'AddAdsV2I.disableAds', 'true')
+!irishradiolive.com,myonlineradio.at,myonlineradio.de,myonlineradio.hu,myonlineradio.nl,myonlineradio.sk,myradioendirect.fr,myradioenvivo.ar,myradioenvivo.mx,myradioonline.cl,myradioonline.es,myradioonline.it,myradioonline.pl,myradioonline.ro,ukradiolive.com#%#//scriptlet('set-constant', 'AddAdsV2I.showBackupAds', 'false')
+!irishradiolive.com,myonlineradio.at,myonlineradio.de,myonlineradio.hu,myonlineradio.nl,myonlineradio.sk,myradioendirect.fr,myradioenvivo.ar,myradioenvivo.mx,myradioonline.cl,myradioonline.es,myradioonline.it,myradioonline.pl,myradioonline.ro,ukradiolive.com#%#//scriptlet('abort-on-property-write', 'FbTrack')
+!irishradiolive.com,myonlineradio.at,myonlineradio.de,myonlineradio.hu,myonlineradio.nl,myonlineradio.sk,myradioendirect.fr,myradioenvivo.ar,myradioenvivo.mx,myradioonline.cl,myradioonline.es,myradioonline.it,myradioonline.pl,myradioonline.ro,ukradiolive.com#%#//scriptlet('prevent-element-src-loading', 'script', 'adsbygoogle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/164006
+musicforchoir.com#%#//scriptlet('abort-current-inline-script', 'eval', 'split')
+! https://github.com/AdguardTeam/AdguardFilters/issues/163780
+epllive.net##.abblock-msg
+embed4u.xyz###_vliadb83
+! https://github.com/AdguardTeam/AdguardFilters/issues/163948
+infortechno.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/163865
+uploadsea.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+uploadsea.com#$#body .protection { display: none !important; }
+uploadsea.com#$#body.protection { overflow: auto !important; position: static !important; }
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,domain=uploadsea.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/163733
+listvpn.net#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/163326
+chatgptlogin.ai#%#//scriptlet('prevent-addEventListener', 'load', 'adsbygoogle')
+||chatgptlogin.ai/chat/assets/js/secret.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/163549
+estudyme.com#@#ins.adsbygoogle[data-ad-client]
+estudyme.com#@#ins.adsbygoogle[data-ad-slot]
+! https://github.com/AdguardTeam/AdguardFilters/issues/163406
+videosgay.me#%#//scriptlet('set-constant', 'cRAds', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/163449
+perchance.org#%#//scriptlet('set-constant', 'ad1sAreShowing', 'trueFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/163466
+smsonline.cloud#%#(()=>{const e=()=>{document.querySelectorAll(".chakra-portal").forEach((e=>{e.querySelector('.chakra-modal__overlay[style*="opacity"]')&&e.setAttribute("style","display: none !important;")}))},t=()=>{},a=function(t,a){const r={name:t,listener:a};requestAnimationFrame((()=>{try{"rewardedSlotGranted"===r.name&&setTimeout(e,2e3),r.listener()}catch(e){}}))};window.googletag={cmd:[],pubads:()=>({addEventListener:a,removeEventListener:t,refresh:t,getTargeting:()=>[],setTargeting:t,disableInitialLoad:t,enableSingleRequest:t,collapseEmptyDivs:t,getSlots:t}),defineSlot:()=>({addService(){}}),defineOutOfPageSlot:t,enableServices:t,display:t,enums:{OutOfPageFormat:{REWARDED:1}}},googletag.cmd.push=e=>{try{e()}catch(e){}return 1}})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/163297
+! https://github.com/AdguardTeam/AdguardFilters/issues/163284
+||ngontinh24.com/js/newsike.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/163292
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=cheersandgears.com
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=cheersandgears.com,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/163071
+morioh.com#%#//scriptlet('prevent-fetch', 'www3.doubleclick.net')
+! https://github.com/AdguardTeam/AdguardFilters/issues/162878
+fixno.in##div[id][class^="popup"][class$="wrap"][style]
+fixno.in#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/162790
+pig69.com#$#body #protection { display: none !important; }
+pig69.com#$#body.protection { overflow: auto !important; position: static !important; }
+pig69.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/63329#issuecomment-690657867
+2ip.io,2ip.ru#@#.advMenuTab
+2ip.io,2ip.ru#$#.advMenuTab { visibility: hidden !important; }
+2ip.io,2ip.ru#$#a[href^="https://krot.io"] { visibility: hidden !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/162299
+playstore.pw,adsy.pw#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'adsBlocked')
+playstore.pw,adsy.pw#%#//scriptlet('set-constant', 'navigator.brave', 'undefined')
+playstore.pw,adsy.pw#%#//scriptlet('prevent-addEventListener', 'load', 'htmls')
+$script,domain=adsy.pw|playstore.pw,redirect-rule=noopjs
+@@||d3u598arehftfk.cloudfront.net/prebid_hb_3922_6541.js$domain=adsy.pw|playstore.pw
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=adsy.pw|playstore.pw
+! https://github.com/AdguardTeam/AdguardFilters/issues/162661
+||cheater.ninja/assets/nab.js
+cheater.ninja#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/162654
+babiato.tech#%#//scriptlet('prevent-setTimeout', 'show', '10*1000')
+! https://github.com/AdguardTeam/AdguardFilters/issues/162587
+ytstv.co#%#//scriptlet('prevent-element-src-loading', 'script', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/162518
+cutyurls.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-7083013
+fc-lc.xyz#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/162449
+keyrblx.com#%#//scriptlet('prevent-fetch', 'chpadblock.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/47101
+messletters.com#%#//scriptlet("set-constant", "adsbygoogle.loaded", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/162109
+player.amperwave.net##.ad-block__overlay
+player.amperwave.net#$##adblocker-test-ad[class] { display: block !important; }
+player.amperwave.net#%#//scriptlet('prevent-xhr', 'yield-op-idsync.live.streamtheworld.com/partnerIds')
+! https://github.com/AdguardTeam/AdguardFilters/issues/162110
+sankakucomplex.com#$##anti-adblock { display: none !important; }
+sankakucomplex.com#$#body { overflow: auto !important; }
+sankakucomplex.com#@#.scad
+sankakucomplex.com#$#body div.scad.ad { display: block !important; }
+sankakucomplex.com#%#//scriptlet('set-constant', 'detected', 'false')
+sankakucomplex.com#%#//scriptlet('set-constant', 'Post.detected', 'undefined')
+sankakucomplex.com#%#//scriptlet('abort-current-inline-script', 'document.createElement', '.offsetHeight')
+! https://github.com/AdguardTeam/AdguardFilters/issues/162062
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,important,redirect=google-ima3,domain=observatornews.ro
+! https://github.com/AdguardTeam/AdguardFilters/issues/161630
+@@||pagead2.googlesyndication.com/pagead/managed/js/adsense/*/show_ads_impl_*.js$domain=production-api.androidacy.com
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=production-api.androidacy.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/162008
+newscon.org##.adblock-warning
+! https://github.com/AdguardTeam/AdguardFilters/issues/161800
+coinfola.com#%#//scriptlet('prevent-addEventListener', 'load', 'document.getElementById')
+! https://github.com/AdguardTeam/AdguardFilters/issues/161786
+techno360.in#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/168744
+! https://github.com/AdguardTeam/AdguardFilters/issues/161760
+@@||a.magsrv.com/ad-provider.js$domain=reshare.pm
+reshare.pm#@#.showads
+! https://github.com/AdguardTeam/AdguardFilters/issues/161715
+||media.salemwebnetwork.com/adverts/advertisement.js$redirect=noopjs,domain=biblestudytools.com,important
+@@||media.salemwebnetwork.com/adverts/advertisement.js$domain=biblestudytools.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/161294
+filmy4wab.pro#%#//scriptlet('set-constant', 'isBrave', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/161553
+vicksburgnews.com#%#//scriptlet('prevent-fetch', 'https://pagead2.googlesyndication.com/pagead/js/adsbygoogle.js')
+! adbn-wrap
+unitystr.com,azrotv.com,uptoplay.net,reviewtech.me##.adbn-wrap
+unitystr.com,azrotv.com,uptoplay.net,reviewtech.me#%#//scriptlet('prevent-fetch', '/histats\.com|pagead2\.googlesyndication\.com/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/161558
+||cdn.almaftuchin.com/js/no-adblock.js
+almaftuch.in#%#//scriptlet('prevent-element-src-loading', 'script', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/161405
+! Metroland Media Group
+thestar.com,thespec.com,therecord.com,thepeterboroughexaminer.com,stcatharinesstandard.ca,niagarafallsreview.ca,wellandtribune.ca,bramptonguardian.com,caledonenterprise.com,cambridgetimes.ca,durhamregion.com,flamboroughreview.com,guelphmercury.com,hamiltonnews.com,insidehalton.com,insideottawavalley.com,mississauga.com,muskokaregion.com,mykawartha.com,newhamburgindependent.ca,niagarathisweek.com,northbaynipissing.com,northumberlandnews.com,orangeville.com,ourwindsor.ca,parrysound.com,sachem.ca,simcoe.com,theifp.ca,toronto.com,waterloochronicle.ca,yorkregion.com,legacy.com,edition.pagesuite-professional.co.uk,hub.metroland.com#@#.pub_300x250
+thestar.com,thespec.com,therecord.com,thepeterboroughexaminer.com,stcatharinesstandard.ca,niagarafallsreview.ca,wellandtribune.ca,bramptonguardian.com,caledonenterprise.com,cambridgetimes.ca,durhamregion.com,flamboroughreview.com,guelphmercury.com,hamiltonnews.com,insidehalton.com,insideottawavalley.com,mississauga.com,muskokaregion.com,mykawartha.com,newhamburgindependent.ca,niagarathisweek.com,northbaynipissing.com,northumberlandnews.com,orangeville.com,ourwindsor.ca,parrysound.com,sachem.ca,simcoe.com,theifp.ca,toronto.com,waterloochronicle.ca,yorkregion.com,legacy.com,edition.pagesuite-professional.co.uk,hub.metroland.com#@#.pub_300x250m
+thestar.com,thespec.com,therecord.com,thepeterboroughexaminer.com,stcatharinesstandard.ca,niagarafallsreview.ca,wellandtribune.ca,bramptonguardian.com,caledonenterprise.com,cambridgetimes.ca,durhamregion.com,flamboroughreview.com,guelphmercury.com,hamiltonnews.com,insidehalton.com,insideottawavalley.com,mississauga.com,muskokaregion.com,mykawartha.com,newhamburgindependent.ca,niagarathisweek.com,northbaynipissing.com,northumberlandnews.com,orangeville.com,ourwindsor.ca,parrysound.com,sachem.ca,simcoe.com,theifp.ca,toronto.com,waterloochronicle.ca,yorkregion.com,legacy.com,edition.pagesuite-professional.co.uk,hub.metroland.com#@#.pub_728x90
+thestar.com,thespec.com,therecord.com,thepeterboroughexaminer.com,stcatharinesstandard.ca,niagarafallsreview.ca,wellandtribune.ca,bramptonguardian.com,caledonenterprise.com,cambridgetimes.ca,durhamregion.com,flamboroughreview.com,guelphmercury.com,hamiltonnews.com,insidehalton.com,insideottawavalley.com,mississauga.com,muskokaregion.com,mykawartha.com,newhamburgindependent.ca,niagarathisweek.com,northbaynipissing.com,northumberlandnews.com,orangeville.com,ourwindsor.ca,parrysound.com,sachem.ca,simcoe.com,theifp.ca,toronto.com,waterloochronicle.ca,yorkregion.com,legacy.com,edition.pagesuite-professional.co.uk,hub.metroland.com#@#.text-ad
+thestar.com,thespec.com,therecord.com,thepeterboroughexaminer.com,stcatharinesstandard.ca,niagarafallsreview.ca,wellandtribune.ca,bramptonguardian.com,caledonenterprise.com,cambridgetimes.ca,durhamregion.com,flamboroughreview.com,guelphmercury.com,hamiltonnews.com,insidehalton.com,insideottawavalley.com,mississauga.com,muskokaregion.com,mykawartha.com,newhamburgindependent.ca,niagarathisweek.com,northbaynipissing.com,northumberlandnews.com,orangeville.com,ourwindsor.ca,parrysound.com,sachem.ca,simcoe.com,theifp.ca,toronto.com,waterloochronicle.ca,yorkregion.com,legacy.com,edition.pagesuite-professional.co.uk,hub.metroland.com#@#.textAd
+thestar.com,thespec.com,therecord.com,thepeterboroughexaminer.com,stcatharinesstandard.ca,niagarafallsreview.ca,wellandtribune.ca,bramptonguardian.com,caledonenterprise.com,cambridgetimes.ca,durhamregion.com,flamboroughreview.com,guelphmercury.com,hamiltonnews.com,insidehalton.com,insideottawavalley.com,mississauga.com,muskokaregion.com,mykawartha.com,newhamburgindependent.ca,niagarathisweek.com,northbaynipissing.com,northumberlandnews.com,orangeville.com,ourwindsor.ca,parrysound.com,sachem.ca,simcoe.com,theifp.ca,toronto.com,waterloochronicle.ca,yorkregion.com,legacy.com,edition.pagesuite-professional.co.uk,hub.metroland.com#@#.text_ad
+thestar.com,thespec.com,therecord.com,thepeterboroughexaminer.com,stcatharinesstandard.ca,niagarafallsreview.ca,wellandtribune.ca,bramptonguardian.com,caledonenterprise.com,cambridgetimes.ca,durhamregion.com,flamboroughreview.com,guelphmercury.com,hamiltonnews.com,insidehalton.com,insideottawavalley.com,mississauga.com,muskokaregion.com,mykawartha.com,newhamburgindependent.ca,niagarathisweek.com,northbaynipissing.com,northumberlandnews.com,orangeville.com,ourwindsor.ca,parrysound.com,sachem.ca,simcoe.com,theifp.ca,toronto.com,waterloochronicle.ca,yorkregion.com,legacy.com,edition.pagesuite-professional.co.uk,hub.metroland.com#@#.text_ads
+thestar.com,thespec.com,therecord.com,thepeterboroughexaminer.com,stcatharinesstandard.ca,niagarafallsreview.ca,wellandtribune.ca,bramptonguardian.com,caledonenterprise.com,cambridgetimes.ca,durhamregion.com,flamboroughreview.com,guelphmercury.com,hamiltonnews.com,insidehalton.com,insideottawavalley.com,mississauga.com,muskokaregion.com,mykawartha.com,newhamburgindependent.ca,niagarathisweek.com,northbaynipissing.com,northumberlandnews.com,orangeville.com,ourwindsor.ca,parrysound.com,sachem.ca,simcoe.com,theifp.ca,toronto.com,waterloochronicle.ca,yorkregion.com,legacy.com,edition.pagesuite-professional.co.uk,hub.metroland.com#@#.text-ads
+thestar.com,thespec.com,therecord.com,thepeterboroughexaminer.com,stcatharinesstandard.ca,niagarafallsreview.ca,wellandtribune.ca,bramptonguardian.com,caledonenterprise.com,cambridgetimes.ca,durhamregion.com,flamboroughreview.com,guelphmercury.com,hamiltonnews.com,insidehalton.com,insideottawavalley.com,mississauga.com,muskokaregion.com,mykawartha.com,newhamburgindependent.ca,niagarathisweek.com,northbaynipissing.com,northumberlandnews.com,orangeville.com,ourwindsor.ca,parrysound.com,sachem.ca,simcoe.com,theifp.ca,toronto.com,waterloochronicle.ca,yorkregion.com,legacy.com,edition.pagesuite-professional.co.uk,hub.metroland.com#@#.text-ad-links
+thestar.com,thespec.com,therecord.com,thepeterboroughexaminer.com,stcatharinesstandard.ca,niagarafallsreview.ca,wellandtribune.ca,bramptonguardian.com,caledonenterprise.com,cambridgetimes.ca,durhamregion.com,flamboroughreview.com,guelphmercury.com,hamiltonnews.com,insidehalton.com,insideottawavalley.com,mississauga.com,muskokaregion.com,mykawartha.com,newhamburgindependent.ca,niagarathisweek.com,northbaynipissing.com,northumberlandnews.com,orangeville.com,ourwindsor.ca,parrysound.com,sachem.ca,simcoe.com,theifp.ca,toronto.com,waterloochronicle.ca,yorkregion.com,legacy.com,edition.pagesuite-professional.co.uk,hub.metroland.com#@#.ad-text
+thestar.com,thespec.com,therecord.com,thepeterboroughexaminer.com,stcatharinesstandard.ca,niagarafallsreview.ca,wellandtribune.ca,bramptonguardian.com,caledonenterprise.com,cambridgetimes.ca,durhamregion.com,flamboroughreview.com,guelphmercury.com,hamiltonnews.com,insidehalton.com,insideottawavalley.com,mississauga.com,muskokaregion.com,mykawartha.com,newhamburgindependent.ca,niagarathisweek.com,northbaynipissing.com,northumberlandnews.com,orangeville.com,ourwindsor.ca,parrysound.com,sachem.ca,simcoe.com,theifp.ca,toronto.com,waterloochronicle.ca,yorkregion.com,legacy.com,edition.pagesuite-professional.co.uk,hub.metroland.com#@#.adSense
+thestar.com,thespec.com,therecord.com,thepeterboroughexaminer.com,stcatharinesstandard.ca,niagarafallsreview.ca,wellandtribune.ca,bramptonguardian.com,caledonenterprise.com,cambridgetimes.ca,durhamregion.com,flamboroughreview.com,guelphmercury.com,hamiltonnews.com,insidehalton.com,insideottawavalley.com,mississauga.com,muskokaregion.com,mykawartha.com,newhamburgindependent.ca,niagarathisweek.com,northbaynipissing.com,northumberlandnews.com,orangeville.com,ourwindsor.ca,parrysound.com,sachem.ca,simcoe.com,theifp.ca,toronto.com,waterloochronicle.ca,yorkregion.com,legacy.com,edition.pagesuite-professional.co.uk,hub.metroland.com#@#.adBlock
+thestar.com,thespec.com,therecord.com,thepeterboroughexaminer.com,stcatharinesstandard.ca,niagarafallsreview.ca,wellandtribune.ca,bramptonguardian.com,caledonenterprise.com,cambridgetimes.ca,durhamregion.com,flamboroughreview.com,guelphmercury.com,hamiltonnews.com,insidehalton.com,insideottawavalley.com,mississauga.com,muskokaregion.com,mykawartha.com,newhamburgindependent.ca,niagarathisweek.com,northbaynipissing.com,northumberlandnews.com,orangeville.com,ourwindsor.ca,parrysound.com,sachem.ca,simcoe.com,theifp.ca,toronto.com,waterloochronicle.ca,yorkregion.com,legacy.com,edition.pagesuite-professional.co.uk,hub.metroland.com#@#.adContent
+thestar.com,thespec.com,therecord.com,thepeterboroughexaminer.com,stcatharinesstandard.ca,niagarafallsreview.ca,wellandtribune.ca,bramptonguardian.com,caledonenterprise.com,cambridgetimes.ca,durhamregion.com,flamboroughreview.com,guelphmercury.com,hamiltonnews.com,insidehalton.com,insideottawavalley.com,mississauga.com,muskokaregion.com,mykawartha.com,newhamburgindependent.ca,niagarathisweek.com,northbaynipissing.com,northumberlandnews.com,orangeville.com,ourwindsor.ca,parrysound.com,sachem.ca,simcoe.com,theifp.ca,toronto.com,waterloochronicle.ca,yorkregion.com,legacy.com,edition.pagesuite-professional.co.uk,hub.metroland.com#@#.adBanner
+! https://github.com/AdguardTeam/AdguardFilters/issues/161334
+smartfityoga.com,mangareleasedate.com###AdbModel
+! https://github.com/AdguardTeam/AdguardFilters/issues/161342
+chatgptdemo.info,chatgptdemo.net###ADS-block-detect
+chatgptdemo.info,chatgptdemo.net#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! reddit.com - possible anti-adblock
+reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion#$##adblock-test { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/161150
+pmsarkarijob.com#%#//scriptlet('abort-on-property-write', 'AdbModel')
+! https://github.com/AdguardTeam/AdguardFilters/issues/161188
+! https://github.com/AdguardTeam/AdguardFilters/issues/161169
+te-it.com,mobi2c.com,gold-24.net,3rabsports.com#%#//scriptlet("set-constant", "getalladblocks", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/161156
+snapwordz.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/161127
+gsmware.com#%#//scriptlet('prevent-eval-if', 'adblock')
+gsmware.com#$#.gsmware-com { height: 1px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/161128
+theshedend.com#%#//scriptlet('prevent-setTimeout', 'adblock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/160762
+gofile.io#$?#body > div:has(> div.modal #AppLixirAdBtn) { display: none !important; }
+gofile.io#$#.modal-backdrop { display: none !important; }
+gofile.io#$#body.modal-open { overflow: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/161036
+manga18fx.com###detect_modal
+manga18fx.com###detect_modal ~ .modal-backdrop
+manga18fx.com#%#//scriptlet('prevent-fetch', 'realsrv.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/161014
+bchtechnologies.com#%#//scriptlet('abort-current-inline-script', 'document.createElement', '_0x')
+! https://github.com/AdguardTeam/AdguardFilters/issues/160927
+vstdrive.in#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/160871
+free-sms-receive.com#%#//scriptlet('prevent-setTimeout', 'adb-mask', '1000')
+! https://github.com/AdguardTeam/AdguardFilters/issues/160820
+@@||appnee.com/clever_ads.js
+appnee.com#%#//scriptlet('abort-current-inline-script', 'document.getElementById', 'alert')
+! https://github.com/AdguardTeam/AdguardFilters/issues/160772
+heavy.com###fp-popup-modal
+heavy.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/160710
+rainostream.net##.abblock-msg
+rainostream.net#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/160560
+participation.dtect.io#@#.ad-box:not(#ad-banner):not(:empty)
+! https://github.com/AdguardTeam/AdguardFilters/issues/160439
+alpinecorporate.com###abDetectorModal
+alpinecorporate.com#$#.adsbox.doubleclick.ad-placement { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/160481
+codingbeautydev.com###ez-content-blocker-container
+codingbeautydev.com#%#//scriptlet('set-constant', 'ezDetectAardvark', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/160334
+mcafee-com.com#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'adsBlocked')
+! https://github.com/AdguardTeam/AdguardFilters/issues/160317
+@@||yunjiema.top/static/ad/ads.js$domain=yunjiema.top
+! https://github.com/AdguardTeam/AdguardFilters/issues/160275
+||svgcolor.com/assets/js/template/anti-block.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/160289
+scamtel.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/160088
+archivebate.com###detect
+archivebate.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/160164
+getthit.com#%#//scriptlet('prevent-fetch', '/pagead2\.googlesyndication\.com|googletagmanager\.com/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/160234
+!+ NOT_OPTIMIZED
+shabdkosh.com##.modal-backdrop
+!+ NOT_OPTIMIZED
+shabdkosh.com###adblocker-detected-modal
+shabdkosh.com#$#.textads.adsbox { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/159491
+amateurporn.co#%#//scriptlet('set-constant', 'isAdBlockActive', 'false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/159881
+shroomers.app#%#//scriptlet('set-constant', 'isAdBlockerActive', 'noopFunc')
+||shroomers.app/static/modules/base/js/shr-ads-enforcer.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/159869
+meetdownload.com#@#.ad-slot
+! https://github.com/AdguardTeam/AdguardFilters/issues/159811
+exeurl.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/159554
+gktech.uk#$##overlay-ad { display: none !important; }
+gktech.uk#%#//scriptlet('set-constant', 'scrollTo', 'noopFunc')
+gktech.uk#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/159455
+tvtv.ca,tvtv.us#%#//scriptlet('set-constant', 'paAddUnit', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/159481
+deletedspeedstreams.blogspot.com###adblocker-popup
+deletedspeedstreams.blogspot.com#%#//scriptlet('abort-current-inline-script', 'document.addEventListener', 'onerror')
+! https://github.com/AdguardTeam/AdguardFilters/issues/159560
+crictracker.com#$#.adsbox.doubleclick.ad-placement { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/159578
+fctvlive.com#$#body { overflow: auto !important; }
+fctvlive.com#$##adblock_msg { display: none !important; }
+fctvlive.com#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/159530
+||acacdn.com^$script,redirect=noopjs,domain=dflix.top
+! https://github.com/uBlockOrigin/uAssets/issues/19372
+||imasdk.googleapis.com/pal/sdkloader/pal.js$script,redirect-rule=noopjs,domain=channel5.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/158932
+! https://github.com/AdguardTeam/AdguardFilters/issues/159342
+blog24.me#%#//scriptlet('prevent-xhr', 'czilladx.com')
+blog24.me#%#//scriptlet('abort-on-property-read', 'htmls')
+blog24.me#%#//scriptlet('abort-on-property-read', 'detectADB')
+blog24.me#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'adsBlocked')
+!+ NOT_PLATFORM(windows, mac, android)
+$script,redirect-rule=noopjs,domain=blog24.me
+! https://github.com/AdguardTeam/AdguardFilters/issues/159335
+exego.app#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/159211
+olarila.com#%#//scriptlet('prevent-fetch', 'adsbygoogle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/158244
+! https://github.com/AdguardTeam/AdguardFilters/issues/160758
+! https://github.com/AdguardTeam/AdguardFilters/issues/158753
+! https://github.com/AdguardTeam/AdguardFilters/issues/143385
+||cdn.jsdelivr.net/gh/*/js/AdsenseAds.min.js
+ittoolspack.com,woxreview.com,aimtuto.com###antiAdB
+ittoolspack.com,woxreview.com,aimtuto.com#%#//scriptlet('prevent-element-src-loading', 'script', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/158303
+aconvert.com#%#//scriptlet('set-constant', 'numblock', '0')
+! https://github.com/AdguardTeam/AdguardFilters/issues/158698
+theprodkeys.com###adb
+theprodkeys.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/155956
+gayfor.us#%#//scriptlet('abort-on-stack-trace', 'olplayer.error', 'Be.o.dispatcher.o.dispatcher')
+gayfor.us#%#//scriptlet('set-constant', 'adblockcheck', 'false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/181781
+! https://github.com/AdguardTeam/AdguardFilters/issues/179088
+! https://github.com/AdguardTeam/AdguardFilters/issues/158630
+||tapisa.online/playerone/plugins/block/js/deblocker.min.js
+@@||tapisa.online^$generichide
+@@||perrzo.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/158573
+forasm.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/158325
+||genoanime.tv/block-ads/main.js
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$redirect=googlesyndication-adsbygoogle,domain=genoanime.tv,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/158469
+themodellingnews.com##.adblcr
+! https://github.com/AdguardTeam/AdguardFilters/issues/158476
+app.neilpatel.com#%#//scriptlet('prevent-xhr', '/googletagmanager\.com\/gtm\.js|static\.hotjar\.com/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/158247
+wionews.com#%#//scriptlet('set-constant', 'vgrAdBlock', 'false')
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=wionews.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/158079
+||interest.co.nz/modules/custom/presspatron/js/pp-ablock-banner.js
+interest.co.nz#%#//scriptlet('prevent-element-src-loading', 'script', 'fastlane.rubiconproject.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/157909
+! https://github.com/AdguardTeam/AdguardFilters/issues/157990
+yify-subs.xyz##ab-detector
+||yify-subs.xyz/dectector.js
+yify-subs.xyz#%#//scriptlet('set-constant', 'AB_Detector', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/157874
+yts-official.com##ab-detector
+||yts-official.com/js/dectector.js
+yts-official.com#%#//scriptlet('set-constant', 'AB_Detector', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/157862
+worldhistory.org#%#//scriptlet('set-constant', 'AHE.adsLoaded', 'true')
+||worldhistory.org/js/ay-ad-loader.js$script,redirect=noopjs
+! https://github.com/AdguardTeam/AdguardFilters/issues/157422
+sport-tv-guide.live#%#//scriptlet('prevent-setTimeout', 'bb', '150')
+! https://github.com/AdguardTeam/AdguardFilters/issues/157796
+freecoursesonline.me#@#.ad-placeholder
+freecoursesonline.me#$#body { overflow-y: auto !important; }
+freecoursesonline.me#$##abDetectorModal { display: none !important; }
+freecoursesonline.me#%#//scriptlet('set-constant', 'ABDetector', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/157742
+yalla-shoots.tv#@##ads_top
+yalla-shoots.tv#@##content-left-ad
+yalla-shoots.tv#@##footer_ad_modules
+yalla-shoots.tv#@##google_ad_inline
+yalla-shoots.tv#@##top_wide_ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/157584
+mytempsms.com#@##container-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/166599
+! https://github.com/AdguardTeam/AdguardFilters/issues/136476
+@@||dragontea.ink^$generichide
+dragontea.ink#$?#html { overflow: visible !important; }
+dragontea.ink#$?#html > body { overflow: visible !important; }
+dragontea.ink#$#body .reading-content img { display: block !important; }
+dragontea.ink#%#//scriptlet('prevent-setInterval', '_0x')
+dragontea.ink#%#//scriptlet('prevent-setInterval', '/errorcode|img:[\s\S]*?\)\.remove\(\)/')
+dragontea.ink#%#//scriptlet('remove-attr', 'style', 'body > div[style]:not([id])')
+dragontea.ink#%#AG_onLoad((function(){if(window.CryptoJSAesJson&&window.CryptoJSAesJson.decrypt){const e=document.createElement("link");function t(){const t=document.querySelector(".entry-header.header");return parseInt(t.getAttribute("data-id"))}e.setAttribute("rel","stylesheet"),e.setAttribute("media","all"),e.setAttribute("href","/wp-content/cache/autoptimize/css/autoptimize_5bd1c33b717b78702e18c3923e8fa4f0.css"),document.head.appendChild(e);const r=3,n=5,o=13,a="07";let c="",i="";const d=1,l=6,g=1,s=5,u=2,p=8,m=8,A=(t,e)=>parseInt(t.toString()+e.toString()),b=(t,e,r)=>t.toString()+e.toString()+r.toString(),S=()=>{const e=document.querySelectorAll(".reading-content .page-break img").length;let c=parseInt((t()+A(o,a))*r-e);return c=A(2*n+1,c),c},h=()=>{const e=document.querySelectorAll(".reading-content .page-break img").length;let r=parseInt((t()+A(p,m))*(2*d)-e-(2*d*2+1));return r=b(2*l+g+g+1,c,r),r},y=()=>{const e=document.querySelectorAll(".reading-content .page-break img").length;return b(t()+2*s*2,i,e*(2*u))},f=(t,e)=>CryptoJSAesJson.decrypt(t,e);let k=document.querySelectorAll(".reading-content .page-break img");k.forEach((t=>{const e=t.getAttribute("id"),r=f(e,S().toString());t.setAttribute("id",r)})),k=document.querySelectorAll(".reading-content .page-break img"),k.forEach((t=>{const e=t.getAttribute("id"),r=parseInt(e.replace(/image-(\d+)[a-z]+/i,"$1"));document.querySelectorAll(".reading-content .page-break")[r].appendChild(t)})),k=document.querySelectorAll(".reading-content .page-break img"),k.forEach((t=>{const e=t.getAttribute("id"),r=e.slice(-1);c+=r,t.setAttribute("id",e.slice(0,-1))})),k=document.querySelectorAll(".reading-content .page-break img"),k.forEach((t=>{const e=t.getAttribute("dta"),r=f(e,h().toString());t.setAttribute("dta",r)})),k=document.querySelectorAll(".reading-content .page-break img"),k.forEach((t=>{const e=t.getAttribute("dta").slice(-2);i+=e,t.removeAttribute("dta")})),k.forEach((t=>{var e=t.getAttribute("data-src"),r=f(e,y().toString());t.setAttribute("data-src",r)})),k.forEach((t=>{t.classList.add("wp-manga-chapter-img","img-responsive","lazyload","effect-fade")}))}}));
+! https://github.com/AdguardTeam/AdguardFilters/issues/157523
+godtspeed.xyz#%#//scriptlet('prevent-element-src-loading', 'script', 'adsbygoogle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/157502
+@@||lifesurance.info/-ads-banner.js
+lifesurance.info#%#//scriptlet('set-constant', 'showada', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/157449
+emulatorgames.onl###cg > #button
+emulatorgames.onl#%#//scriptlet('set-constant', 'aiptag.adplayer', 'emptyObj')
+! https://github.com/AdguardTeam/AdguardFilters/issues/157372
+rewayatcafe.com###adb
+! https://github.com/AdguardTeam/AdguardFilters/issues/157392
+! TODO: use redirect resource when it will be added - https://github.com/AdguardTeam/Scriptlets/issues/401
+southparkstudios.com#%#(()=>{const e=new Map,t=function(){},o=t;o.prototype.dispose=t,o.prototype.setNetwork=t,o.prototype.resize=t,o.prototype.setServer=t,o.prototype.setLogLevel=t,o.prototype.newContext=function(){return this},o.prototype.setParameter=t,o.prototype.addEventListener=function(t,o){t&&(console.debug(`Type: ${t}, callback: ${o}`),e.set(t,o))},o.prototype.removeEventListener=t,o.prototype.setProfile=t,o.prototype.setCapability=t,o.prototype.setVideoAsset=t,o.prototype.setSiteSection=t,o.prototype.addKeyValue=t,o.prototype.addTemporalSlot=t,o.prototype.registerCustomPlayer=t,o.prototype.setVideoDisplaySize=t,o.prototype.setContentVideoElement=t,o.prototype.registerVideoDisplayBase=t,o.prototype.submitRequest=function(){const t={type:tv.freewheel.SDK.EVENT_SLOT_ENDED},o=e.get("EVENT_SLOT_ENDED");o&&setTimeout((()=>{try{o(t)}catch(e){console.error(e)}}),1)},window.tv={freewheel:{SDK:{Ad:t,AdManager:o,AdListener:t,_instanceQueue:{},setLogLevel:t,EVENT_SLOT_ENDED:"EVENT_SLOT_ENDED"}}}})();
+southparkstudios.com#%#//scriptlet('prevent-fetch', 'imasdk.googleapis.com')
+||imasdk.googleapis.com/pal/sdkloader/pal.js$script,redirect=noopjs,domain=southparkstudios.com
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=southparkstudios.com
+! #abDetectorModal
+okpeliz.com,ftuapps.dev,onehack.us#$#.adsbox.doubleclick.ad-placement { display: block !important; }
+okpeliz.com,ftuapps.dev,onehack.us#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com')
+okpeliz.com,ftuapps.dev,onehack.us#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+!+ NOT_OPTIMIZED
+okpeliz.com,ftuapps.dev,onehack.us###abDetectorModal
+! https://github.com/AdguardTeam/AdguardFilters/issues/157086
+fordownloader.com###freezePopup
+fordownloader.com#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/157022
+srvy.ninja#%#//scriptlet('prevent-xhr', 'adsbygoogle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/157008
+playertv.net#%#//scriptlet('abort-current-inline-script', 'document.getElementsByTagName', 'adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/156982
+betrugsalarm.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+||betrugsalarm.com/assets/*/pubPolicy/customEvent.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/156852
+! https://github.com/AdguardTeam/AdguardFilters/issues/156850
+mangindo.xyz,adikhealth.xyz#@#.showads
+@@||adikpm.github.io/repo/assets/js-v3/prebid.js$domain=adikhealth.xyz|mangindo.xyz
+mangindo.xyz,adikhealth.xyz#%#//scriptlet('set-constant', 'dsinvudsNSJnjdnsjv', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/156834
+egao.in#%#//scriptlet('prevent-eval-if', 'checker')
+! https://github.com/AdguardTeam/AdguardFilters/issues/156642
+hecker.likesyou.org#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/156806
+conceptartworld.com,themezon.net,mrproblogger.com#%#//scriptlet('abort-on-stack-trace', 'document.createElement', 'doTest')
+! https://github.com/AdguardTeam/AdguardFilters/issues/156737
+emailnator.com#%#//scriptlet('prevent-setTimeout', 'adsbygoogle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/156181
+ad-maven.com#%#//scriptlet('prevent-fetch', 'adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/156706
+xfreehd.com#%#//scriptlet('prevent-fetch', 'ads.exosrv.com')
+xfreehd.com#%#//scriptlet('abort-current-inline-script', '$', 'abk_vmsg')
+xfreehd.com#%#//scriptlet('abort-on-stack-trace', 'String.fromCharCode', 'HTMLScriptElement.onerror')
+xfreehd.com##div[style^="height:"][style*="position: relative;"] > div[class][style^="position:"][style*="absolute"][style*="z-index:"]
+xfreehd.com##div[style^="height:"][style*="position: relative;"] > div[class][style^="position:"][style*="absolute"][style*="z-index:"] + div[class][style*="position:"][style*="absolute"][style*="opacity:"]
+!+ NOT_PLATFORM(windows, mac, android)
+$script,redirect-rule=noopjs,domain=xfreehd.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/156515
+@@||all3dp.com/gpt.min.js
+all3dp.com#%#//scriptlet('set-constant', 'ALL3DP_ABDC', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/156599
+citytv.com#%#//scriptlet('prevent-xhr', 'get_ad_targets_by_url', 'true')
+||citytv.com/wp-json/rsm-adutil/$xmlhttprequest,redirect-rule=noopjson
+! https://github.com/easylist/easylist/issues/16724
+sharer.pm#%#//scriptlet('set-constant', 'hadeh_ads', 'false')
+sharer.pm#@#.showads
+! https://github.com/uBlockOrigin/uAssets/issues/16317
+! https://github.com/uBlockOrigin/uAssets/issues/16317
+$script,domain=blog.carstopia.net|blog.coinsvalue.net|blog.cookinguide.net|blog.freeoseocheck.com|blog.makeupguide.net,redirect=noopjs
+||bitcotasks.com/*.php$script,domain=carsmania.net|carstopia.net|coinsvalue.net|cookinguide.net|freeoseocheck.com|makeupguide.net
+@@||d3u598arehftfk.cloudfront.net/prebid_hb_1670_2903.js$domain=blog.carstopia.net|blog.coinsvalue.net|blog.cookinguide.net|blog.freeoseocheck.com|blog.makeupguide.net
+@@||googletagmanager.com/gtag/js?id=$domain=blog.carstopia.net|blog.coinsvalue.net|blog.cookinguide.net|blog.freeoseocheck.com|blog.makeupguide.net
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=blog.carstopia.net|blog.coinsvalue.net|blog.cookinguide.net|blog.freeoseocheck.com|blog.makeupguide.net
+@@||js.wpadmngr.com/static/adManager.js$domain=blog.carstopia.net|blog.coinsvalue.net|blog.cookinguide.net|blog.freeoseocheck.com|blog.makeupguide.net
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=blog.carstopia.net|blog.coinsvalue.net|blog.cookinguide.net|blog.freeoseocheck.com|blog.makeupguide.net
+blog.carstopia.net,blog.carstopia.net,blog.coinsvalue.net,blog.cookinguide.net,blog.freeoseocheck.com,blog.makeupguide.net#%#//scriptlet('set-constant', 'navigator.brave', 'undefined')
+blog.carstopia.net,blog.carstopia.net,blog.coinsvalue.net,blog.cookinguide.net,blog.freeoseocheck.com,blog.makeupguide.net#%#//scriptlet("prevent-fab-3.2.0")
+blog.carstopia.net,blog.carstopia.net,blog.coinsvalue.net,blog.cookinguide.net,blog.freeoseocheck.com,blog.makeupguide.net#@#.floating-banner
+blog.carstopia.net,blog.carstopia.net,blog.coinsvalue.net,blog.cookinguide.net,blog.freeoseocheck.com,blog.makeupguide.net#%#//scriptlet('prevent-addEventListener', 'DOMContentLoaded', 'detected.html')
+blog.carstopia.net,blog.carstopia.net,blog.coinsvalue.net,blog.cookinguide.net,blog.freeoseocheck.com,blog.makeupguide.net#%#//scriptlet('prevent-addEventListener', 'load', 'detected.html')
+blog.carstopia.net,blog.carstopia.net,blog.coinsvalue.net,blog.cookinguide.net,blog.freeoseocheck.com,blog.makeupguide.net#%#//scriptlet('abort-on-property-write', 'adBlockDetected')
+blog.carstopia.net,blog.carstopia.net,blog.coinsvalue.net,blog.cookinguide.net,blog.freeoseocheck.com,blog.makeupguide.net###ad\.js
+blog.carstopia.net,blog.carstopia.net,blog.coinsvalue.net,blog.cookinguide.net,blog.freeoseocheck.com,blog.makeupguide.net#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'adsBlocked')
+blog.carstopia.net,blog.carstopia.net,blog.coinsvalue.net,blog.cookinguide.net,blog.freeoseocheck.com,blog.makeupguide.net#%#//scriptlet('prevent-addEventListener', 'load', 'htmls')
+! https://github.com/AdguardTeam/AdguardFilters/issues/156164
+technofino.in#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/156249
+||ad-delivery.net/px.gif?$image,redirect-rule=1x1-transparent.gif
+linuxcapable.com#%#//scriptlet('set-constant', 'nitroAds.abp', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/155956
+hqq.to#%#//scriptlet('abort-on-stack-trace', 'olplayer.error', 'Be.o.dispatcher.o.dispatcher')
+hqq.to#%#//scriptlet('set-constant', 'adblockcheck', 'false')
+! Clickadu reinjection
+klmanga.app,mangarawjp.tv,coomer.su,kemono.su,safestream.cc,javmix.tv,hentai2read.com,sxyprn.com,xmoviesforyou.com,fapfappy.com,jav.direct,syosetu.*,telorku.xyz,kissjav.li,lovingsiren.com,mesex.pro,vlxyz.tv,xanimeporn.com#%#//scriptlet('abort-current-inline-script', 'WebAssembly', 'atob')
+/aas/r45d/vki/*$script,redirect=noopjs
+! https://github.com/AdguardTeam/AdguardFilters/issues/155761
+wellness4live.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/155887
+! https://github.com/AdguardTeam/AdguardFilters/issues/155883
+10minuteemails.com,luxusmail.org#%#//scriptlet('prevent-setTimeout', '/Ad Blocker|ad_block/')
+@@/storage/js/taboola_ads.js$~third-party,domain=luxusmail.org|10minuteemails.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/156120
+topbubbleindex.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/155507
+vwforum.ro#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/155181
+freepikdownloader.com,freepic-downloader.com#%#//scriptlet('prevent-addEventListener', 'load', 'modal_blocker')
+! https://github.com/AdguardTeam/AdguardFilters/issues/155375
+bedfix.wurstclient.net#@#ins.adsbygoogle[data-ad-client]
+bedfix.wurstclient.net#@#ins.adsbygoogle[data-ad-slot]
+bedfix.wurstclient.net#$?#ins[data-ad-client^="ca-pub-"] { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/155341
+||mycoding.id/assets/seosecret/seosecretidnblockads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/171301
+! https://github.com/AdguardTeam/AdguardFilters/issues/169958
+! https://github.com/AdguardTeam/AdguardFilters/issues/161650
+! https://github.com/AdguardTeam/AdguardFilters/issues/160545
+! https://github.com/AdguardTeam/AdguardFilters/issues/155510
+! https://github.com/AdguardTeam/AdguardFilters/issues/155332
+ytsyifytorrent.com,torrents.vip,ytsyifymovie.com,ytstv.me,ytstvmovies.*#%#//scriptlet('prevent-element-src-loading', 'script', 'pagead2.googlesyndication.com')
+ytsyifytorrent.com,torrents.vip,ytsyifymovie.com,ytstv.me,ytstvmovies.*#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/154197#issuecomment-1616180413
+globalnews.ca#@#.ad-placeholder
+! https://github.com/AdguardTeam/AdguardFilters/issues/155110
+@@||tvfreak.cz/*/pubfig.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/155104
+!+ NOT_OPTIMIZED
+foodxor.com,files.technicalatg.com###adb
+! https://github.com/AdguardTeam/AdguardFilters/issues/154992
+thequint.com#$#.textads.banner-ads.banner_ads.ad-unit.ad-zone.ad-space.adsbox { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/184779
+! https://github.com/AdguardTeam/AdguardFilters/issues/154563
+javgg.net,javgg.co#@##AD_160
+! https://github.com/AdguardTeam/AdguardFilters/issues/166097
+! https://github.com/AdguardTeam/AdguardFilters/issues/156959
+! https://github.com/AdguardTeam/AdguardFilters/issues/154877
+@@||terabox.fun^$generichide
+@@||hotmediahub.com^$generichide
+@@||terashare.me^$generichide
+@@||teraearn.com^$generichide
+@@||teralink.me^$generichide
+@@||fansonlinehub.com^$generichide
+fansonlinehub.com,teralink.me,teraearn.com,terashare.me,hotmediahub.com,terabox.fun#$#body { overflow: auto !important; }
+fansonlinehub.com,teralink.me,teraearn.com,terashare.me,hotmediahub.com,terabox.fun#%#AG_onLoad(function(){setTimeout(()=>{document.querySelectorAll("ins.adsbygoogle").forEach(a=>{a.appendChild(document.createElement("div"))})},1e3)});
+! https://github.com/AdguardTeam/AdguardFilters/issues/154833
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=lascimmiapensa.com
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=lascimmiapensa.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/154790
+resistthemainstream.com###ez-content-blocker-container
+resistthemainstream.com#%#//scriptlet('set-constant', 'ezDetectAardvark', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/154755
+zeste.ca#?#.text-center > div#modal-root:has(>div > div#modal div:contains(utilisez un bloqueur))
+zeste.ca#@##adBanner:not([style^="position: absolute; left: -5000px"]):not([data-testid="adBlockTest"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/154687
+needrom.com#%#//scriptlet('prevent-setTimeout', '/adsbygoogle|\.offsetHeight&&0!=|\.innerHTML=[\s\S]*?(Adblock|advertisement)/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/155552
+! https://github.com/AdguardTeam/AdguardFilters/issues/154666
+! https://github.com/AdguardTeam/AdguardFilters/issues/154664
+fag/js/lol.js$~third-party,domain=dropnudes.com|privatenudes.com|bin.sx
+bin.sx,privatenudes.com,dropnudes.com#%#//scriptlet('set-constant', 'ABDetector', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/154584
+mtg-print.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/154443
+cambb.xxx#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/154411
+gameissue05.blogspot.com#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/154384
+sheetmusic-free.com#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/187817
+! https://github.com/AdguardTeam/AdguardFilters/issues/154315
+ontools.net###modal_blocker
+ontools.net##.modal-backdrop
+ontools.net#$##AdBlockModal { display: none !important; }
+ontools.net#$#body { overflow: auto !important; padding-right: 0 !important; }
+ontools.net#%#//scriptlet('prevent-fetch', '/google-analytics\.com|adblockanalytics\.com/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/154286
+! https://github.com/AdguardTeam/AdguardFilters/issues/154288
+@@||vatchus.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/154235
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$redirect=googlesyndication-adsbygoogle,domain=themodellingnews.com,important
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=themodellingnews.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/154005
+canirunthegame.com##div[class^="blocker-"]
+canirunthegame.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/153796
+rekidai-info.github.io#%#//scriptlet('prevent-fetch', 'googlesyndication')
+rekidai-info.github.io#%#!function(){const e={set:(e,t,n,o)=>!(!t||"defineProperties"!==t)||Reflect.set(e,t,n,o)};window.Object=new Proxy(window.Object,e)}();
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=rekidai-info.github.io
+@@||pagead2.googlesyndication.com^$xmlhttprequest,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/153596
+infotamizhan.xyz#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/153643
+reidoplacar.com#%#//scriptlet('prevent-setTimeout', '.innerHTML')
+! https://github.com/AdguardTeam/AdguardFilters/issues/153644
+@@||avpgalaxy.net/gpt.js
+avpgalaxy.net#%#//scriptlet('set-constant', 'passthetest', 'false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/153305
+loudwire.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/153377
+techedubyte.com###superadblocker
+techedubyte.com#%#//scriptlet('abort-current-inline-script', 'EventTarget.prototype.addEventListener', 'adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/153224
+||aeroxplorer.com/articles/veneranda.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/153150
+! https://github.com/AdguardTeam/AdguardFilters/issues/153151
+goo.st#$#.ad.ads.adsbox.doubleclick.ad-placement.ad-placeholder.adbadge.BannerAd { display: block !important; }
+goo.st#$##leaderboard.ad { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/153152
+theconomy.me###adb
+! https://github.com/AdguardTeam/AdguardFilters/issues/153146
+@@||lifesurance.info/-cpm-ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/152642
+galaxyfirmware.com#@#.textad
+! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-6076196
+||acceptable.a-ads.com/1^$xmlhttprequest,redirect=nooptext,domain=go.freetrx.fun,important
+||surfe.pro/js/net.js$script,redirect=noopjs,domain=go.freetrx.fun,important
+@@||acceptable.a-ads.com/1^$domain=go.freetrx.fun
+@@||surfe.pro/js/net.js$domain=go.freetrx.fun
+! https://github.com/AdguardTeam/AdguardFilters/issues/152706
+ask4movie.net##div[id][class^="popup"][class$="wrap"][style^="opacity"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/152563
+||rxd-mods.xyz/assets/js/zblocker.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/152003
+||leak.sx/fag/style/abdetector.style.min.css
+leak.sx##.abdmodal
+! https://github.com/AdguardTeam/AdguardFilters/issues/152467
+@@/advt.png$domain=freevpn4you.net
+freevpn4you.net#@##adBanner:not([style^="position: absolute; left: -5000px"]):not([data-testid="adBlockTest"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/153087
+/cloudflare.js$domain=comohoy.com|pornleaks.in|leak.sx
+leak.sx,comohoy.com,pornleaks.in#%#//scriptlet("prevent-addEventListener", "load", "abDetectorPro")
+! https://github.com/AdguardTeam/AdguardFilters/issues/152388
+||zefoy.com/assets/89f614a5c6751bbc2a7045cfaa8a1a48.js
+@@||pagead2.googlesyndication.com/pagead/managed/js/adsense/*/show_ads_impl_*.js$domain=zefoy.com
+zefoy.com#$?#ins.adsbygoogle[data-ad-slot] { height: 0 !important; }
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=zefoy.com
+zefoy.com#@#ins.adsbygoogle[data-ad-slot]
+! https://github.com/AdguardTeam/AdguardFilters/issues/171608
+! https://github.com/AdguardTeam/AdguardFilters/issues/152204
+quackr.io#%#//scriptlet('prevent-fetch', 'cdn.fuseplatform.net', '', 'opaque')
+! https://github.com/AdguardTeam/AdguardFilters/issues/152212
+tempumail.com#%#//scriptlet('prevent-setTimeout', 'Ad Blocker')
+! https://github.com/AdguardTeam/AdguardFilters/issues/152095
+fotor.com#%#//scriptlet('prevent-setTimeout', 't.hasAdBlock')
+fotor.com#$?##main > div > div + div:matches-property(offsetWidth=160) { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/152092
+uprot.net#$##butok { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/152260
+cordtpoint.co.in,mealcold.com###adb
+! Link shorteners - oko.sh, tii.la
+! https://github.com/AdguardTeam/AdguardFilters/issues/171361
+! Health2Wealth
+! oko.sh,tii.la#%#//scriptlet('prevent-eval-if', '/document[\s\S]*?_0x/')
+! oko.sh,tii.la#%#//scriptlet('prevent-xhr', '/pagead2\.googlesyndication\.com|inklinkor\.com/')
+! oko.sh,tii.la#%#//scriptlet('prevent-fetch', '/ads/load.js')
+! oko.sh,tii.la#%#//scriptlet('prevent-setTimeout', 'getComputedStyle')
+! ||shrinkearn.com/modern_theme/img/dwndbnr1.png$image,redirect=1x1-transparent.gif,domain=tii.la
+! tii.la,oko.sh#@%#//scriptlet('prevent-setTimeout', 'window.getComputedStyle')
+! oko.sh,tii.la#$#.banner-inner > * { visibility: hidden !important; }
+! oko.sh,tii.la#%#//scriptlet('abort-current-inline-script', 'document.querySelector', 'adb_detected')
+oko.sh,tii.la#%#//scriptlet('prevent-xhr', '/^(?!.*(oko\.sh|tii\.la)).*/ method:GET')
+oii.la,tpi.li,tvi.la,aii.sh,oko.sh,tii.la#$#.banner-inner { display: block; width: 0 !important; }
+oko.sh,tii.la#$#.myads > a { visibility: hidden !important; }
+oko.sh,tii.la#%#//scriptlet('abort-current-inline-script', 'XMLHttpRequest', '.innerHTML')
+oko.sh,tii.la#%#//scriptlet('abort-current-inline-script', 'document.addEventListener', 'innerHTML')
+oko.sh,tii.la#%#//scriptlet('abort-current-inline-script', 'document.createElement', '/\.innerHTML|break;case \$\./')
+oko.sh,tii.la#%#//scriptlet('prevent-fetch', '/pagead2\.googlesyndication\.com|inklinkor\.com/')
+oii.la,tpi.li,tvi.la,oko.sh#%#//scriptlet('set-constant', 'app_vars.force_disable_adblock', 'undefined')
+oii.la,tpi.li,tvi.la,aii.sh#%#//scriptlet('prevent-xhr', '/pagead2\.googlesyndication\.com|inklinkor\.com/')
+$xmlhttprequest,redirect-rule=nooptext,domain=oko.sh|tii.la
+$script,redirect-rule=noopjs,domain=oko.sh|tii.la
+! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-6011881
+@@||shortlinks.tech^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/151833
+webmatrices.com#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/151805
+kbjfree.com#%#//scriptlet('set-constant', 'Object.prototype.adblockDetected', 'false')
+kbjfree.com#%#//scriptlet('prevent-fetch', 'method:HEAD')
+kbjfree.com#%#//scriptlet('prevent-fetch', '/cloudflareinsights\.com\/beacon\.min\.js|ccmiocw\.com|doubleclick\.net|tapioni\.com|wpadmngr\.com|wyhifdpatl\.com|wbilvnmool\.com|cloudfront\.net\/\?|\/scripts\/popad\.js/')
+kbjfree.com#%#//scriptlet('prevent-element-src-loading', 'script', '/cloudflareinsights\.com\/beacon\.min\.js|ccmiocw\.com|doubleclick\.net|tapioni\.com|wpadmngr\.com|wyhifdpatl\.com|wbilvnmool\.com|cloudfront\.net\/\?|\/scripts\/popad\.js/')
+$script,redirect-rule=noopjs,domain=kbjfree.com
+$xmlhttprequest,redirect-rule=nooptext,domain=kbjfree.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/158583
+! https://github.com/AdguardTeam/AdguardFilters/issues/151668
+! TODO: use redirect=google-ima3 when scriptlets library version 1.9.57 or newer will be used in apps and extensions
+! Related to - https://github.com/AdguardTeam/Scriptlets/issues/331
+! ||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=gbnews.com
+@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$domain=gbnews.com
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=gbnews.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/151424
+royalroad.com#%#//scriptlet('set-constant', 'AdblockPlus.detect', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/151553
+techtobo.com#%#//scriptlet('abort-current-inline-script', '$', 'adBlockAction')
+! https://github.com/AdguardTeam/AdguardFilters/issues/151360
+filerice.com#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/151344
+quackr.io#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/151243
+ancientrom.xyz#%#//scriptlet('prevent-fetch', 'www3.doubleclick.net')
+! https://github.com/AdguardTeam/AdguardFilters/issues/150851
+computerpedia.in#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/150850
+@@||ay.delivery/client-v2.js$script,domain=diep.io
+@@||c.amazon-adsystem.com/aax2/apstag.js$script,domain=diep.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/150763
+albkinema.in##div[id][class^="popup"][class$="wrap"][style]
+albkinema.in#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/148974
+@@||louishide.com/js/boxad.js
+louishide.com#%#//scriptlet('set-constant', 'cRAds', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/150762
+slideshare.net#@#.ad-space
+slideshare.net#$#.textads.banner-ads.banner_ads.adsbox { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/150726
+wellness4live.com##.adb
+! https://github.com/AdguardTeam/AdguardFilters/issues/160111
+btcbitco.in#%#//scriptlet('set-constant', 'isRequestPresent', 'true')
+@@||surfe.pro/net/teaser$domain=btcbitco.in|btcsatoshi.net
+@@||static.surfe.pro/js/net.js$domain=btcbitco.in|btcsatoshi.net
+btcbitco.in,btcsatoshi.net,wiour.com#$#div.text-center[id] { height: 100px !important; }
+btcbitco.in,btcsatoshi.net,wiour.com#%#//scriptlet('prevent-window-open', '?key=')
+||acceptable.a-ads.com^$subdocument,redirect=noopframe,domain=btcbitco.in|btcsatoshi.net|wiour.com
+||cryptocoinsad.com/ads/js/popunder.js$script,redirect=noopjs,domain=btcbitco.in|btcsatoshi.net|wiour.com
+/invoke.js$script,redirect-rule=noopjs,domain=btcbitco.in|btcsatoshi.net|wiour.com
+exactpay.online,bitcotasks.com#%#//scriptlet('prevent-setTimeout', 'offsetWidth')
+||cryptocoinsad.com/ads/show.php$subdocument,redirect=noopframe,domain=btcbitco.in|btcsatoshi.net|cempakajaya.com|gainl.ink|manofadan.com|wiour.com
+manofadan.com#%#//scriptlet('abort-current-inline-script', 'addEventListener', 'ads')
+btcbitco.in,btcsatoshi.net,wiour.com#%#//scriptlet('abort-current-inline-script', 'document.getElementById', 'ads')
+gainl.ink#@##adclose
+btcbitco.in,btcsatoshi.net,cempakajaya.com,gainl.ink,wiour.com#%#//scriptlet('prevent-fetch', '/adoto|\/ads\/js/')
+@@||acceptable.a-ads.com/1^$xmlhttprequest,domain=gainl.ink
+||surfe.pro/js/net.js$script,xmlhttprequest,redirect=noopjs,important,domain=btcbitco.in|btcsatoshi.net|cempakajaya.com|gainl.ink|wiour.com
+@@||surfe.pro/js/net.js$script,xmlhttprequest,domain=btcbitco.in|btcsatoshi.net|cempakajaya.com|gainl.ink|wiour.com
+@@||googletagmanager.com/gtm.js$domain=btcbitco.in|btcsatoshi.net|gainl.ink|wiour.com
+! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-5871745
+phineypet.com#@##adsiframe
+@@||banner.infoey.com/adbanner.png$domain=phineypet.com
+@@||ad.a-ads.com/*?size=320x50$domain=phineypet.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/150023#issuecomment-1545062673
+@@||static.doubleclick.net/instream/ad_status.js$domain=youtube.com
+youtube.com#%#//scriptlet('set-constant', 'google_ad_status', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/150536
+btcbunch.com#%#//scriptlet('abort-current-inline-script', 'EventTarget.prototype.addEventListener', 'window.location')
+@@||g.adspeed.net/ad.php?do=detectadblocker$domain=btcbunch.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/150233
+! https://github.com/AdguardTeam/AdguardFilters/issues/150234
+@@/js/fuckadb.js$~third-party,domain=megaurl.in
+megaurl.in,megafly.in#%#//scriptlet("abort-current-inline-script", "document.getElementById", "').style.display='none';")
+! https://github.com/AdguardTeam/AdguardFilters/issues/150408
+incredibox.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/150446
+filmypoints.in##div[id][class^="popup"][class$="wrap"][style]
+filmypoints.in#$##wpsafe-snp { display: block !important; }
+filmypoints.in#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/150414
+morbidkuriosity.com#%#//scriptlet('prevent-addEventListener', 'np.detect', 'detail.blocking')
+morbidkuriosity.com##body > div[style^="background:"][style*="position: fixed; display: flex; align-items: center; justify-content: center; inset: 0px; z-index:"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/150286
+uservideo.xyz#%#//scriptlet('prevent-fetch', 'imasdk.googleapis.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/150287
+fulltime-predict.com#%#//scriptlet('prevent-fetch', 'www3.doubleclick.net')
+! https://github.com/AdguardTeam/AdguardFilters/issues/150243
+maxcheaters.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/150235
+@@||cdn.adrise.tv/js/ads.js$domain=tubitv.com
+tubitv.com#%#//scriptlet('prevent-fetch', 'adrise.tv/js/ads.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/150310
+2baksa.ws##.antiblock
+2baksa.ws#%#//scriptlet('abort-current-inline-script', 'EventTarget.prototype.addEventListener', 'Adblock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/149070
+phimlongtieng.net,watchx.top#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,domain=watchx.top|phimlongtieng.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/149890
+4allprograms.me##div[id][class^="popup"][class$="wrap"][style^="opacity"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/178566
+! https://github.com/AdguardTeam/AdguardFilters/issues/160507
+! https://github.com/AdguardTeam/AdguardFilters/issues/160020
+! https://github.com/AdguardTeam/AdguardFilters/issues/151674
+! https://github.com/AdguardTeam/AdguardFilters/issues/150149
+! Vidguard
+go-streamer.net,vgfplay.xyz,elbailedeltroleo.site,tioplayer.com,listeamed.net,bembed.net,fslinks.org,embedv.net,vembed.net,vid-guard.com,v6embed.xyz,gaystream.online,vgembed.com,vgfplay.com#%#//scriptlet('prevent-element-src-loading', 'script', '/acacdn\.com|oaphoace\.net|thermometerinconceivablewild\.com|heardaccumulatebeans\.com/')
+||heardaccumulatebeans.com/*.js$script,redirect-rule=noopjs
+||oaphoace.net/*/$script,redirect-rule=noopjs
+||acacdn.com/script/*.js$script,redirect-rule=noopjs
+! https://github.com/AdguardTeam/AdguardFilters/issues/149932
+freemodsapp.xyz#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/150030
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=littlebigsnake.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/149984
+mixrootmod.com#%#//scriptlet('prevent-fetch', '/adoto\.net|pagead2\.googlesyndication\.com/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/149912
+mixrootmods.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/149748
+@@||anyporn.com/js_ads/banner.js$~third-party
+anyporn.com#%#//scriptlet('set-constant', 'banner_is_blocked', 'false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/149704
+||purposegames.com/api/*/adblock?token=
+purposegames.com#%#//scriptlet('set-constant', 'googletag.apiReady', 'true')
+! www.mcoc-guide.com anti-adb
+mcoc-guide.com#@#ins.adsbygoogle[data-ad-client]
+mcoc-guide.com#@#ins.adsbygoogle[data-ad-slot]
+! https://github.com/AdguardTeam/AdguardFilters/issues/149402
+! https://github.com/AdguardTeam/AdguardFilters/issues/149326
+atefaucet.com,coinsrev.com#%#//scriptlet("prevent-addEventListener", "load", "lipfoJyjxTvn")
+coinsrev.com#%#//scriptlet("abort-current-inline-script", "decodeURIComponent", "_0x")
+||static.surfe.pro/js/net.js$script,xmlhttprequest,redirect=nooptext,domain=atefaucet.com|coinsrev.com
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=coinsrev.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/149355
+now.us,now.gg#$#.ad-zone.textads.banner-ads { display: block !important; }
+now.us,now.gg#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+now.us,now.gg#%#//scriptlet('prevent-element-src-loading', 'script', '/\/prebid-load\.js|fundingchoicesmessages\.google\.com/')
+||fundingchoicesmessages.google.com/i/pub$script,redirect=noopjs,domain=now.gg|now.us
+||dn0qt3r0xannq.cloudfront.net/nowgg-*/video/prebid-load.js$script,redirect=noopjs,domain=now.gg|now.us
+||dn0qt3r0xannq.cloudfront.net/nowgg-*/display/prebid-load.js$script,redirect=noopjs,domain=now.gg|now.us
+! https://github.com/AdguardTeam/AdguardFilters/issues/149154
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=news8000.com
+@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$domain=news8000.com
+@@||pubads.g.doubleclick.net/ssai/event/*/streams$xmlhttprequest,domain=news8000.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/149041
+||djnf6e5yyirys.cloudfront.net/js/friendbuy.min.js$domain=coursera.org,redirect=noopjs
+! https://github.com/AdguardTeam/AdguardFilters/issues/149262
+dlpanda.com#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/149147
+faqwiki.us#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/149258
+w3resource.com#%#//scriptlet('prevent-setTimeout', 'ins.adsbygoogle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/149182
+! https://github.com/AdguardTeam/AdguardFilters/issues/149075
+examword.com#%#//scriptlet('prevent-setTimeout', 'data-ad-status')
+examword.com#%#//scriptlet('set-constant', 'check_pl_ad', 'undefined')
+! https://github.com/AdguardTeam/AdguardFilters/issues/149092
+tempsmss.com##div[id][class^="popup"][class$="wrap"][style]
+tempsmss.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/149017
+noviello.it###overlayyy
+noviello.it#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/147810
+winaero.com#$#a[href^="/"][target="_blank"][rel*="nofollow"].subrec { height: 48px !important; }
+winaero.com#%#//scriptlet('prevent-eval-if', '.style.getPropertyValue("display")')
+winaero.com#%#//scriptlet('abort-current-inline-script', 'jQuery', '/\.innerHTML[\s\S]*?(R[ЕE]COMM[ЕE]ND[ЕE]D|to fix Wind[оo]ws|\.parentNode\.insertBefore)/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/149195
+z-lib.io#%#//scriptlet('set-constant', 'isAdBlockActive', 'false')
+!+ NOT_PLATFORM(windows, mac, android)
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=z-lib.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/148373
+!+ NOT_OPTIMIZED
+bondagevalley.cc###pleasedoit
+! https://github.com/AdguardTeam/AdguardFilters/issues/148904
+receivesms.org,receivesms.co#%#//scriptlet('prevent-setTimeout', 'ins.adsbygoogle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/148822
+/^https?:\/\/[0-9a-z]{13,14}\.cloudfront\.net\/\?[a-z]{3,5}=\d{6}$/$domain=workink.click,xmlhttprequest,redirect=noopjs
+! https://github.com/AdguardTeam/AdguardFilters/issues/148189
+quienhabla.mx#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com')
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=quienhabla.mx,xmlhttprequest
+! https://github.com/AdguardTeam/AdguardFilters/issues/148698
+toeic-testpro.com#@#.ad-placement
+toeic-testpro.com#$#.adsbox.doubleclick.ad-placement { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/148760
+bazadecrypto.com#%#//scriptlet('abort-current-inline-script', 'document.createElement', '_0x')
+! https://github.com/AdguardTeam/AdguardFilters/issues/148376
+||veganab.co/wp-content/uploads/ozlrxj.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/148612
+replica-watch.info#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/148485
+||hager.com/*/youtubeblocker.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/148436
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=winknews.com
+@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$domain=winknews.com
+@@||pubads.g.doubleclick.net/ssai/event/*/streams$xmlhttprequest,domain=winknews.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/148090
+oldroms.com###adb
+oldroms.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/148155
+streamspass.to##.abblock-msg
+streamspass.to#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/148112
+elitebabes.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/147765
+||tpc.googlesyndication.com/simgad/$image,redirect=2x2-transparent.png,domain=a2zapk.io
+||steepto.com/g/$image,redirect=nooptext,domain=a2zapk.io
+! In case of DNS filtering
+! https://github.com/AdguardTeam/AdguardFilters/issues/147980
+pracezdopravy.cz#%#//scriptlet('set-constant', 'adBlockEnabled', 'false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/147717
+forexit.online#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/147719
+forexit.online#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/147899
+||rackusreads.com/*/dh-anti-adblocker/
+rackusreads.com#%#//scriptlet('remove-attr', 'style', 'html')
+! https://github.com/AdguardTeam/AdguardFilters/issues/147556
+programmingeeksclub.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! app.axenthost.com
+app.axenthost.com#%#//scriptlet('set-constant', 'nitroAds.loaded', 'true')
+!+ NOT_PLATFORM(ext_ublock)
+app.axenthost.com#%#//scriptlet('prevent-fetch', 'stripe.com')
+!#safari_cb_affinity(privacy)
+@@||bidder.criteo.com/cdb|$domain=app.axenthost.com
+!#safari_cb_affinity
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,domain=app.axenthost.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/147153
+! https://github.com/AdguardTeam/AdguardFilters/issues/147123
+! https://github.com/AdguardTeam/AdguardFilters/issues/147396
+@@||linkvertise.download^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/147327
+quicksounds.com#%#//scriptlet("abort-current-inline-script", "document.getElementById", "fcca")
+! https://github.com/AdguardTeam/AdguardFilters/issues/176303
+! https://github.com/AdguardTeam/AdguardFilters/issues/150892
+! https://github.com/AdguardTeam/AdguardFilters/issues/147110
+emurom.net#%#//scriptlet('set-constant', 'dvsize', '258')
+! https://github.com/AdguardTeam/AdguardFilters/issues/147113
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=pac-12.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/147278
+! https://github.com/AdguardTeam/AdguardFilters/issues/75968
+$script,redirect-rule=noopjs,domain=linkebr.com
+linkebr.com#%#//scriptlet('abort-current-inline-script', 'document.createElement', '/head\.appendChild|body\.innerHTML|\.onerror/')
+linkebr.com#%#//scriptlet('prevent-addEventListener', '', '.onerror =')
+linkebr.com###antiAdBlock
+! https://github.com/AdguardTeam/AdguardFilters/issues/144579
+happy-living.online#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/146796
+streamonsport-ldc.top#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/146480
+darksoftware.net#%#//scriptlet('set-constant', 'xv_ad_block', '0')
+darksoftware.net#%#//scriptlet('set-constant', 'XV', 'emptyObj')
+darksoftware.net#%#//scriptlet('set-constant', 'XV.ad_text', 'undefined')
+darksoftware.net#%#//scriptlet('set-constant', 'XV.ad_block', 'undefined')
+darksoftware.net#$?#.ad_block { remove: true; }
+darksoftware.net#$?#.adsbygoogle { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/146825
+! https://github.com/AdguardTeam/AdguardFilters/issues/146755
+sanjun.com.np,acharyar.com.np###antiAdBlocker
+sanjun.com.np,acharyar.com.np#%#//scriptlet('abort-current-inline-script', 'EventTarget.prototype.addEventListener', 'adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/146467
+javb1.com#%#//scriptlet('set-constant', 'cRAds', 'true')
+@@||javb1.com/js/boxad.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/146605
+newson.us#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/146564
+pornhub.com##.videoPremiumBlock
+! https://github.com/AdguardTeam/AdguardFilters/issues/146297
+oneslidephotography.com,apasih.my.id,financekami.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/146163
+@@||xpornium.net/imgs/160x600.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/146128
+@@||jpopsingles.eu/ddl/banner-ad-300x250.png
+adslink.pw,jpopsingles.eu#$##all-good { display: none !important; }
+adslink.pw,jpopsingles.eu#$##no-blocking { display: block !important; }
+jpopsingles.eu#%#//scriptlet('set-constant', 'adblock.check', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/145830
+@@||tempinbox.xyz/storage/js/adex.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/145997
+bankvacency.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/146014
+technewsrooms.com#%#//scriptlet('prevent-addEventListener', 'DOMContenLoaded', 'AdBlock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/145748
+webgradee.com#%#//scriptlet('prevent-setTimeout', '.offsetHeight')
+! https://github.com/AdguardTeam/AdguardFilters/issues/146269
+! https://github.com/AdguardTeam/AdguardFilters/issues/136189
+! https://github.com/AdguardTeam/AdguardFilters/issues/145796
+stfly.xyz,stfly.me#%#//scriptlet('abort-current-inline-script', 'document.createElement', '.onerror')
+! https://github.com/AdguardTeam/AdguardFilters/issues/145653 Brave detected on Vidstreaming
+rapid-cloud.co#%#//scriptlet('set-constant', 'navigator.brave', 'undefined')
+! https://github.com/AdguardTeam/AdguardFilters/issues/145586
+linea.io###overlay
+linea.io#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/145282
+hdstockimages.com#%#//scriptlet('abort-current-inline-script', 'jQuery', 'adblocker-popup')
+hdstockimages.com##.adblocker-popup
+! https://github.com/AdguardTeam/AdguardFilters/issues/145402
+@@||jsdelivr.net/gh/niihen/niihen.github.io/niihen-com/safelink/$script,domain=link.idblog.eu.org|niihen.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/145374
+staige.tv#%#//scriptlet('prevent-xhr', '/adblock/advert')
+@@||storage.googleapis.com/aisw-assets/fanpage/adblock/advert*_.json$domain=staige.tv
+! white screen on video playbck - access from Hong Kong
+viu.tv#@#.ad-placement
+! https://github.com/AdguardTeam/AdguardFilters/issues/145284
+/wp-content/plugins/best-ads-block-detector/*
+! https://github.com/AdguardTeam/AdguardFilters/issues/145039
+pentafaucet.com,simplebits.io,getitall.top,satoshilabs.net,hitbits.io#%#//scriptlet('prevent-element-src-loading', 'script', '/(googlesyndication|coinzillatag|cpx-research)\.com/')
+pentafaucet.com,simplebits.io,getitall.top,satoshilabs.net,hitbits.io#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+$script,redirect-rule=noopjs,domain=pentafaucet.com|simplebits.io|getitall.top|satoshilabs.net|hitbits.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/152736
+! https://github.com/AdguardTeam/AdguardFilters/issues/144160
+rubystm.com,vidhidevip.com,stmruby.com,wolfstream.tv,sfastwish.com,wishfast.top,awish.pro,leakslove.net,embedwish.com,mwish.pro,streamxxx.online,streamwish.to,ahvsh.com,streamhide.to#%#//scriptlet('set-constant', 'cRAds', 'true')
+@@/js/*.js?ads*1&AdType=1&$~third-party,script,domain=streamhide.to|ahvsh.com|streamwish.to|streamxxx.online|mwish.pro|embedwish.com|leakslove.net|awish.pro|wishfast.top|sfastwish.com|wolfstream.tv|vidhidevip.com|rubystm.com
+@@/js/*.js?ad*=popup&ads=DisplayAd$~third-party,script,domain=streamhide.to|ahvsh.com|streamwish.to|streamxxx.online|mwish.pro|embedwish.com|leakslove.net|awish.pro|wishfast.top|sfastwish.com|wolfstream.tv|vidhidevip.com|rubystm.com
+@@||stmruby.com/js/ads_adverts.js
+@@||streamwish.com/js/dnsads.js?ads
+@@||streamhide.com/js/dnsads.js?ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/155918
+! https://github.com/AdguardTeam/AdguardFilters/issues/144996
+! https://github.com/AdguardTeam/AdguardFilters/issues/124312
+@@/static/*/js/plugins/adview_*_ads.js$~third-party,domain=zebranovel.com|panda-novel.com|pandasnovel.com
+pandasnovel.com,panda-novel.com,zebranovel.com#%#//scriptlet('set-constant', 'pandaAdviewValidate', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/144925
+androidecuatoriano.xyz#%#//scriptlet('set-constant', 'adblockDetector', 'emptyObj')
+androidecuatoriano.xyz#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/145793
+! https://github.com/AdguardTeam/AdguardFilters/issues/144471
+sinonimos.de#$##checkclick { display: block !important; }
+bluetechno.net,healthy4pepole.com,world2our.com,mobi2c.com#%#//scriptlet('set-constant', 'SanadLoadAds', 'true')
+bluetechno.net,healthy4pepole.com,world2our.com,mobi2c.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+@@/wp-content/themes/publisher/*/ads/static/adv/sailthru.js$domain=mobi2c.com|world2our.com|healthy4pepole.com|bluetechno.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/144893
+x265lk.com#$#.adsbox.doubleclick.ad-placement { display: block !important; }
+x265lk.com#%#//scriptlet('abort-current-inline-script', 'document.querySelector', 'getComputedStyle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/144579
+ask4movie.mx#%#//scriptlet('prevent-fetch', 'https://pagead2.googlesyndication.com/pagead/js/adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/144806
+@@||forum.admiregirls.com/js/*/ad160.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/144751
+osmanonline.co.uk#$#.ad { height: 10px !important; position: absolute !important; left: -3000px !important; }
+osmanonline.co.uk#%#//scriptlet('abort-current-inline-script', '$', '.height()')
+! https://github.com/AdguardTeam/AdguardFilters/issues/144431
+sportsplays.com#%#//scriptlet('abort-on-stack-trace', 'XMLHttpRequest', 'vfT')
+! winknews.com
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=winknews.com
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=winknews.com,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/144459
+castracoin.com##.cc_adblock
+castracoin.com#$#.textads.adsbox { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/143996
+coins-town.com#$#.adsbox.doubleclick.ad-placement { display: block !important; }
+coins-town.com#%#//scriptlet('set-constant', 'noAdBlock', 'undefined')
+coins-town.com#%#//scriptlet('prevent-addEventListener', 'load', 'window.getComputedStyle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/144293
+@@||in91vip.win/default_ad_js/ad_code.js
+! techcyan.com - https://listauthorschat.slack.com/archives/C010PK1A022/p1677591789790399
+techcyan.com#%#//scriptlet('prevent-setTimeout', 'google_ads_iframe_')
+! https://github.com/AdguardTeam/AdguardFilters/issues/143871
+upzone.ga#@#.sponsorad
+! https://github.com/AdguardTeam/AdguardFilters/issues/143808
+broadwayworld.com#%#//scriptlet('prevent-addEventListener', 'load', 'detectAdBlock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/144195
+!+ NOT_PLATFORM(windows, mac, android)
+$script,redirect-rule=noopjs,domain=diudemy.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/144202
+/block-ads/*$domain=b9good.us|b9good.in|genoanime.tv
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=b9good.us|b9good.in|genoanime.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/143921
+techacrobat.com#%#//scriptlet('prevent-fetch', 'https://pagead2.googlesyndication.com/pagead/js/adsbygoogle.js')
+techacrobat.com#%#//scriptlet('prevent-fetch', 'https://ads-api.twitter.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/143984
+sitelike.org#%#//scriptlet('prevent-fetch', 'https://pagead2.googlesyndication.com/pagead/js/adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/144137
+chaturflix.cam#%#//scriptlet('prevent-setTimeout', '"none"===getComputedStyle')
+chaturflix.cam#$#.adsbox.doubleclick.ad-placement { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/143171
+playok.com#%#//scriptlet('abort-on-property-read', 'abask')
+! https://github.com/AdguardTeam/AdguardFilters/issues/144086
+! https://github.com/AdguardTeam/AdguardFilters/issues/144071
+sbembed1.com,lvturbo.com,embedsb.com,sbchill.com,japopav.tv#%#//scriptlet('set-constant', 'isadb', 'false')
+@@||appcdn01.xyz/vast.js
+||appcdn01.xyz^$badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/143809
+bstlar.com#@#.ad-placement
+bstlar.com#@#.ad-placeholder
+bstlar.com#$#body > [id].adsbox { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/157933
+! https://github.com/AdguardTeam/AdguardFilters/issues/143676
+bhojpuritop.in,amritadrino.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/156088
+! https://github.com/AdguardTeam/AdguardFilters/issues/143771
+deezer.com#%#//scriptlet('set-constant', 'smartLoaded', 'true')
+@@||e-cdns-assets.dzcdn.net/common/js/*.js$domain=deezer.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/143274
+summarizingtool.net,allmath.com#$#.adsbox.doubleclick.ad-placement { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/143320
+watchhentai.net#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/143321
+hanime.xxx#%#//scriptlet('prevent-fetch', 'ads-twitter.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/143219
+!+ NOT_OPTIMIZED
+||toolbaz.com/assets/js/unblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/143474
+ufreegames.com###blckr-notice
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,xmlhttprequest,subdocument,redirect=google-ima3,domain=ufreegames.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/143278
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,domain=topsporter.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/143395
+garoetpos.com,ketubanjiwa.com##div[id][class^="popup"][class$="wrap"][style]
+garoetpos.com,ketubanjiwa.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/143402
+@@||request-global.czilladx.com/serve/popunder.php$domain=faucetcrypto.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/143146
+@@||browserleaks.com/img/9.gif$domain=browserleaks.com
+@@||browserleaks.com^$generichide
+browserleaks.com##.adsbygoogle
+! https://github.com/AdguardTeam/AdguardFilters/issues/142903
+modzilla.in#%#//scriptlet('prevent-fetch', 'https://pagead2.googlesyndication.com/pagead/js/adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/142554
+photooxy.com##.i-said-no-thing-can-stop-me-warning
+photooxy.com#%#//scriptlet('abort-on-property-read', 'blockAdBlock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/142843
+winscreener.live#@#.ad-block
+! https://github.com/AdguardTeam/AdguardFilters/issues/142453
+meracalculator.com#%#//scriptlet('set-constant', 'addBlocker', 'trueFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/141987
+||codeflareblogspot.github.io/code/KillAdBlock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/141979
+! ezAdBlockDetected
+diyphotography.net#%#//scriptlet('prevent-addEventListener', 'load', 'detectAdBlock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/142326
+scamwatcher.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/142301
+xszav2.com#@#.ad-content
+xszav2.com#%#//scriptlet('prevent-setTimeout', '$("body").html')
+! https://github.com/AdguardTeam/AdguardFilters/issues/142291
+||pobierzgrepc.com/templates/games/js/blocker.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/130807
+sonixgvn.net#@#.Ad-Container
+sonixgvn.net#@#.sidebar-ad
+sonixgvn.net#@#ins.adsbygoogle[data-ad-client]
+sonixgvn.net#@#ins.adsbygoogle[data-ad-slot]
+! https://github.com/AdguardTeam/AdguardFilters/issues/141883
+||topsporter.net/wp-content/plugins/wptqn
+! https://github.com/AdguardTeam/AdguardFilters/issues/142189
+luvsquad-links.com,premiumhubs.com,best-links.org#%#//scriptlet('prevent-element-src-loading', 'script', '/adserver')
+||dfdgfruitie.xyz/adserver/yzfdmoan.js$script,redirect=noopjs
+! https://github.com/AdguardTeam/AdguardFilters/issues/142199
+sshkit.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/141808
+bia2.xyz###adbd
+bia2.xyz#%#//scriptlet("set-constant", "xads", "false")
+bia2.xyz#%#//scriptlet("set-constant", "_p", "1")
+! https://github.com/AdguardTeam/AdguardFilters/issues/141327
+interestingengineering.com#%#//scriptlet('prevent-fetch', 'www3.doubleclick.net')
+! https://github.com/AdguardTeam/AdguardFilters/issues/141710
+! https://github.com/AdguardTeam/AdguardFilters/issues/141084
+@@||mysocceraustralia.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/141683
+sbanime.com#%#//scriptlet('prevent-element-src-loading', 'script', 'pagead2.googlesyndication.com')
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=sbanime.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/141410
+*$image,redirect=1x1-transparent.gif,domain=examtadka.com|proviralhost.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/141373
+mylivewallpapers.com#%#//scriptlet("set-constant", "adsBlocked", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/141303
+vidmoly.to#%#//scriptlet("prevent-setTimeout", "=document['createElement']")
+vidmoly.to##body > div[style*="opacity:"][style*="position: fixed; width:"][style*="z-index:"]:not([class], [id])
+! https://github.com/AdguardTeam/AdguardFilters/issues/141106
+edealinfo.com#%#//scriptlet('abort-on-property-write', 'detectAdBlock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/140977
+ttsfree.com#%#//scriptlet('prevent-setInterval', 'show_alert_adblock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/140927
+!+ NOT_OPTIMIZED
+||tuttotech.net/wp-content/plugins/ta2022-plugin-adblock/
+! https://github.com/AdguardTeam/AdguardFilters/issues/140694
+airportinfo.live#%#//scriptlet('prevent-setTimeout', 'AdBlocker')
+! https://github.com/AdguardTeam/AdguardFilters/issues/140788
+hacksnation.com#%#//scriptlet("abort-on-property-read", "isSiteOnline")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=hacksnation.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/140764
+@@||mastaklomods.com/wp-content/uploads/*/adex.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/140585
+techcyan.com#%#//scriptlet('abort-current-inline-script', 'RegExp', '/fetch[\s\S]*?constructor[\s\S]*?0x/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/140451
+@@||affiliates.sankmo.com/iframe-redirect$domain=latestcooldeals.blogspot.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/140362
+! https://github.com/AdguardTeam/AdguardFilters/issues/140070
+sportfacts.net#%#//scriptlet('abort-on-stack-trace', 'XMLHttpRequest.prototype.send', 'adsBlocked')
+||static.cloudflareinsights.com/beacon.min.js$domain=sportfacts.net|topsporter.net,redirect=nooptext
+||googleads.g.doubleclick.net/pagead/js/adsbygoogle.js$domain=sportfacts.net|topsporter.net,redirect=nooptext
+||ssl.google-analytics.com^$domain=sportfacts.net|topsporter.net,redirect=nooptext
+||pagead2.googleadservices.com^$domain=sportfacts.net|topsporter.net,redirect=nooptext
+||stats.g.doubleclick.net^$domain=sportfacts.net|topsporter.net,redirect=nooptext
+||stats.wp.com^$domain=sportfacts.net|topsporter.net,redirect=nooptext
+||static.media.net^$domain=sportfacts.net|topsporter.net,redirect=nooptext
+! https://github.com/AdguardTeam/AdguardFilters/issues/146007
+! https://github.com/uBlockOrigin/uAssets/issues/16373
+vebma.com,pinloker.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/140041
+vikatan.com#%#//scriptlet('set-constant', 'isBlock', 'false')
+vikatan.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/140262
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=railstream.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/140312
+bluedollar.net#%#//scriptlet("abort-current-inline-script", "document.getElementById", "adblockEnabled")
+! lyricskpop.net anti-adb
+lyricskpop.net##body > div[id][class^="popup"][style^="opacity"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/140197
+@@||audiotag.info/images/banner
+audiotag.info##.awt
+! https://github.com/AdguardTeam/AdguardFilters/issues/140073
+ckk.ai#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/140217
+@@||crackle.com/vendor/adex.js
+! https://github.com/AdguardTeam/AdguardFilters/pull/140050
+schaken-mods.com#%#//scriptlet('prevent-setTimeout', 'adblockdetector_')
+! https://github.com/AdguardTeam/AdguardFilters/issues/139929
+||cdn.wendycode.com/blogger/antiAdbLazy.js
+writedroid.eu.org###anti-ad-blocker
+writedroid.eu.org#%#//scriptlet('abort-current-inline-script', 'Defer', 'adsbygoogle.js')
+writedroid.eu.org#%#//scriptlet('abort-current-inline-script', 'EventTarget.prototype.addEventListener', 'adblocker')
+! https://github.com/AdguardTeam/AdguardFilters/issues/139932
+secretflying.com#$##abd-ad-iframe { display: block !important; visibility: visible !important; }
+secretflying.com#%#//scriptlet('abort-current-inline-script', 'jQuery', 'showAdbMsg')
+! https://github.com/AdguardTeam/AdguardFilters/issues/139888
+av-th.xyz#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/139812
+vocalley.com#@#.ad-area
+vocalley.com#@#.ads_container
+! https://github.com/AdguardTeam/AdguardFilters/issues/139851
+daemonanime.net#@#.ad-space
+daemonanime.net#@#.ad-unit
+daemonanime.net#@#.ad-zone
+daemonanime.net#@#div[id^="div-gpt-"]
+daemonanime.net#@#[id^="div-gpt-ad"]
+daemonanime.net#%#//scriptlet('prevent-element-src-loading', 'script', 'a.magsrv.com/video-slider.js')
+||a.magsrv.com/video-slider.js$script,redirect=noopjs,domain=daemonanime.net
+@@||daemonanime.net/*/adex.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/139451
+||dubznetwork.com/playerone/plugins/block/js/deblocker.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/139670
+wikitraveltips.com,naukrilelo.in#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/139448
+magesy.download#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/139341
+||azpelis.com/dectector.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/139544
+nevcoins.club#%#//scriptlet("abort-on-property-read", "adsBlocked")
+nevcoins.club#%#//scriptlet("set-constant", "NoAdBlock", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/139681
+||carewellpharma.in/assets/unadblock.js
+carewellpharma.in#%#//scriptlet('set-constant', 'unadblock', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/139688
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js|$domain=iconmonstr.com,xmlhttprequest
+! https://github.com/AdguardTeam/AdguardFilters/issues/139000
+cinemablind.com##div[id][class^="popup"][class$="wrap"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/139118
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=anydebrid.com,important
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,domain=anydebrid.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/139286
+bagpipe.news#%#//scriptlet("abort-current-inline-script", "document.getElementById", "adsanityAdBlock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/139244
+@@||ads.kiktu.com/index.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/139239
+imagetotext.info#%#//scriptlet('set-constant', 'detectadsbocker', 'false')
+@@||cdn.snigelweb.com/adengine/imagetotext.info/loader.js$domain=imagetotext.info
+! https://github.com/AdguardTeam/AdguardFilters/issues/139100
+tool-box.xyz##body > #loading
+tool-box.xyz#%#//scriptlet("set-constant", "adBlock", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/139041
+9koala.com##.adblock-wrapper
+9koala.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/138903
+blog.nationapk.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/138858
+$image,third-party,denyallow=cdn77.org|fpbns.net|others-cdn.com|rncdn7.com|sb-cd.com|stream.highwebmedia.com|upsiloncdn.net|xvideos-cdn.com|youjizz.com|ypncdn.com,domain=pussyspace.com|pussyspace.net
+pussyspace.com,pussyspace.net#?#img:matches-property(naturalWidth=/^(3[0-2][0-9]|2[89][0-9])/):matches-property(naturalHeight=/^2[3-7][0-9]/)
+pussyspace.com,pussyspace.net#?#img:matches-property(naturalWidth=/^7[0-5][0-9]/):matches-property(naturalHeight=/^([7-9][0-9]|1[0-2][0-9])/)
+pussyspace.com,pussyspace.net#?#img:matches-property(naturalWidth=/^1[4-8][0-9]/):matches-property(naturalHeight=/^(5[89][0-9]|6[0-2][0-9])/)
+pussyspace.com,pussyspace.net#?#a:matches-attr(/^on/=/event/)
+pussyspace.com,pussyspace.net#?#a:matches-attr(/-h?ref/)
+pussyspace.com,pussyspace.net##img[src^="data:image"]:not(a.cam_img > [id]):not(a.cat_img > span > [data-src*="/upload/"]):not(a.video_img > span > [id])
+pussyspace.com,pussyspace.net##.mainBox div[id] img:not(a img)
+||pussyspace.$image
+@@||st.pussyspace.com/player/playBTN.png|
+@@||st.pussyspace.com/favicon.ico|
+@@||st.pussyspace.com/style/03/img/bg.png|
+@@||st.pussyspace.com/style/03/img/dropmenudownarrow.png|
+@@||st.pussyspace.com/style/03/img/navbg.hover.png|
+@@||st.pussyspace.com/style/03/img/navbg.png|
+@@||st.pussyspace.com/style/03/img/pinkbg.gif|
+@@||st.pussyspace.com/style/03/img/speed-dials.png|
+@@||st.pussyspace.com/style/03/img/x-sprite.png|
+@@||st.pussyspace.com/style/10/img/logo.png|
+@@||st.pussyspace.com/style/10/img/logo_mobile.png|
+@@||st.pussyspace.com/style/webcam.jpg|
+@@||st.pussyspace.net/player/playBTN.png|
+@@||st.pussyspace.net/favicon.ico|
+@@||st.pussyspace.net/style/03/img/bg.png|
+@@||st.pussyspace.net/style/03/img/dropmenudownarrow.png|
+@@||st.pussyspace.net/style/03/img/navbg.hover.png|
+@@||st.pussyspace.net/style/03/img/navbg.png|
+@@||st.pussyspace.net/style/03/img/pinkbg.gif|
+@@||st.pussyspace.net/style/03/img/speed-dials.png|
+@@||st.pussyspace.net/style/03/img/x-sprite.png|
+@@||st.pussyspace.com/style/05/img/JhsdsSD221.svg|
+@@||st.pussyspace.net/style/10/img/logo.png|
+@@||st.pussyspace.net/style/10/img/logo_mobile.png|
+@@||st.pussyspace.net/style/webcam.jpg|
+@@/^https:\/\/[a-z]\.pussyspace\.(?:com|net)\/(?:yip?|xvs)\/videos\/20\d{4}\/\d{2}\/\d{9}\/(?:original|thumbs_\d{2})\/\d{0,2}(?:\(m=e[0-9A-Za-z]{5,7}(?:aaaa)?\)\(mh=[-_0-9A-Za-z]{16}\))?\d{0,2}\.jpg$/$image,~third-party,domain=pussyspace.com|pussyspace.net
+@@/^https:\/\/[a-z]\.pussyspace\.(?:com|net)\/(?:yip?|xvs)\/videos\/thumbs169l\/[0-9a-f]{2}\/[0-9a-f]{2}\/[0-9a-f]{2}\/[0-9a-f]{32}(?:-\d)?\/[0-9a-f]{32}\.\d{1,2}\.jpg$/$image,~third-party,domain=pussyspace.com|pussyspace.net
+@@/^https:\/\/[a-z]\.pussyspace\.(?:com|net)\/(?:yip?|xvs)\/videos\/thumbs_5\/\d{1,2}(?:\(m=e[0-9A-Za-z]{5,7}aaaa\)\(mh=[-_0-9A-Za-z]{16}\))?\.jpg$/$image,~third-party,domain=pussyspace.com|pussyspace.net
+@@/^https:\/\/[a-z]\.pussyspace\.(?:com|net)\/[a-z]?jz\/(?:[0-9a-f]\/){3,5}[0-9a-f]{42}-?(?:\d{2,3}|(?:(?:\d{3,4}-){3}h264)?\.(?:mp4-\d{1,2}|flv-\d))\.jpg$/$image,~third-party,domain=pussyspace.com|pussyspace.net
+@@/^https:\/\/[a-z]\.pussyspace\.(?:com|net)\/sb\/t\/\d{6,8}\/\d\/\d\/w:300\/t\d{1,2}-enh\/(?:[0-9a-z]+-)*[0-9a-z]+\.jpg$/$image,~third-party,domain=pussyspace.com|pussyspace.net
+@@/^https:\/\/st\.pussyspace\.(?:com|net)\/upload\/cat\.image\/[_3a-z]{2,16}\.jpg$/$image,~third-party,domain=pussyspace.com|pussyspace.net
+@@/^https:\/\/st\.pussyspace\.(?:com|net)\/upload\/poster_img_url\/par\/c3Rhci9[%0-9A-Za-z]{16,32}&size_width\/par\/160\/l\.jpg$/$image,~third-party,domain=pussyspace.com|pussyspace.net
+@@||www.pussyspace.com/ajax/contact/exo-logo.png|
+@@||www.pussyspace.com/upload/no_img.jpg|
+@@||www.pussyspace.com/favicon.ico|
+@@||www.pussyspace.com/class/captcha/captcha.php|
+@@||www.pussyspace.com/class/captcha/arrow.png|
+@@||www.pussyspace.com/player/loading.gif|
+@@||www.pussyspace.com/style/img/abuse.email.png#|
+@@||www.pussyspace.com/style/img/navbg.hover.png|
+@@||www.pussyspace.net/ajax/contact/exo-logo.png|
+@@||www.pussyspace.net/upload/no_img.jpg|
+@@||www.pussyspace.net/favicon.ico|
+@@||www.pussyspace.net/class/captcha/captcha.php|
+@@||www.pussyspace.net/class/captcha/arrow.png|
+@@||www.pussyspace.net/player/loading.gif|
+@@||www.pussyspace.net/style/img/abuse.email.png#|
+@@||www.pussyspace.net/style/img/navbg.hover.png|
+pussyspace.com,pussyspace.net#%#//scriptlet('prevent-addEventListener', '', '=loader')
+pussyspace.com,pussyspace.net#%#//scriptlet('prevent-requestAnimationFrame', 'exoframe')
+pussyspace.com,pussyspace.net#%#//scriptlet('prevent-addEventListener', 'load', 'exoJsPop101')
+! https://github.com/AdguardTeam/AdguardFilters/issues/138725
+imagetotext.info#@##top_ad
+! https://github.com/uBlockOrigin/uAssets/issues/16166
+shareus.site#%#//scriptlet('prevent-setTimeout', '_0x')
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/137947
+! UpFiles.com
+upfiles-urls.com,falpus.com,fooak.com,plknu.com,nexnoo.com,simana.online,efhjd.com,upfilesurls.com#@#.ad-element
+upfiles-urls.com,falpus.com,fooak.com,plknu.com,nexnoo.com,simana.online,efhjd.com,upfilesurls.com#@#.ad-inner
+upfiles-urls.com,falpus.com,fooak.com,plknu.com,nexnoo.com,simana.online,efhjd.com,upfilesurls.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! BUG: https://github.com/AdguardTeam/tsurlfilter/issues/131
+! TODO: enable the hint after fixing
+!!+ PLATFORM(ios, ext_android_cb, ext_safari)
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,domain=fooak.com|plknu.com|nexnoo.com|simana.online|efhjd.com|upfilesurls.com|falpus.com|upfiles-urls.com
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/138484
+@@||citynews.ca/*/get_ad_$domain=citynews.ca
+||citynews.ca/*/get_ad_$xmlhttprequest,redirect=noopjson,domain=citynews.ca,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/135504
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$redirect=googlesyndication-adsbygoogle,domain=t2bot.ru,important
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=t2bot.ru
+! https://github.com/AdguardTeam/AdguardFilters/issues/137878
+redketchup.io#%#//scriptlet("adjust-setTimeout", "adBlockerCountdown", "*", "0.02")
+redketchup.io#%#//scriptlet('prevent-element-src-loading', 'script', 'securepubads.g.doubleclick.net/tag/js/gpt.js')
+||securepubads.g.doubleclick.net/tag/js/gpt.js$script,redirect=noopjs,domain=redketchup.io,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/137898
+darkhub-v4.maxt.church#%#//scriptlet('prevent-xhr', 'googletagmanager.com/gtag/js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/137335
+namethatporn.com#%#//scriptlet("set-constant", "maniblok", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/137876
+scamdoc.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/137605
+paketmu.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/137856
+hentaidude.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/137823
+! https://github.com/AdguardTeam/AdguardFilters/issues/147635
+! https://github.com/AdguardTeam/AdguardFilters/issues/141231
+! https://github.com/uBlockOrigin/uAssets/issues/16011
+motorsport.com#%#//scriptlet('abort-current-inline-script', 'EventTarget.prototype.dispatchEvent', 'ms-article-comments')
+||mstm.motorsport.com^$script,~third-party,redirect-rule=noopjs
+motorsport.com#%#//scriptlet('prevent-addEventListener', 'gtmloaderror')
+!#safari_cb_affinity(privacy)
+@@||googletagmanager.com/gtm.js$domain=motorsport.com
+@@||mstm.motorsport.com/mstm.js
+!#safari_cb_affinity
+! https://github.com/AdguardTeam/AdguardFilters/issues/137487
+s0ft4pc.com##.popup02778wrap
+! https://github.com/AdguardTeam/AdguardFilters/issues/137442
+galaxytranslations97.com#?#body .dialog-root
+galaxytranslations97.com#$#html { overflow-y: auto !important; }
+galaxytranslations97.com#$#body #ads-classes[class] { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/137457
+@@||api.production.k8s.y3o.tv/*/video-ads/$domain=yallo.tv
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=yallo.tv,important
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=yallo.tv
+yallo.tv#%#//scriptlet('set-constant', 'google.ima.AdsManager.start', 'undefined')
+! Rule $referrerpolicy is required for apps, because source of ima3.js is not detected and due to this it's not redirected
+! https://github.com/AdguardTeam/AdguardFilters/issues/137365
+||media.lajornadafilipina.com/bheyjmz.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/137263
+myrateplan.com#%#//scriptlet("set-constant", "adblockEnabled", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/137298
+calibercorner.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/137248
+||cdn.bmcdn3.com/js/*aab.js$script,redirect=noopjs,important,domain=earnhub.net
+||googletagmanager.com/gtag/js$script,redirect=noopjs,important,domain=earnhub.net
+@@||cdn.bmcdn3.com/js/*aab.js$domain=earnhub.net
+@@||googletagmanager.com/gtag/js$domain=earnhub.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/136612
+||coinzillatag.com/lib/fp.js$script,redirect=noopjs,domain=faucetcrypto.com,important
+@@||coinzillatag.com/lib/fp.js$domain=faucetcrypto.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/136812
+thehouseofportable.com#%#//scriptlet('prevent-setTimeout', 'openInNewTab')
+thehouseofportable.com#$##htp { display: none !important; }
+thehouseofportable.com#$##mt + div.diva { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/136815
+idmlover.com###antiAdBlock
+idmlover.com#%#//scriptlet("abort-current-inline-script", "EventTarget.prototype.addEventListener", "adsbygoogle.js")
+! https://github.com/AdguardTeam/AdguardFilters/issues/166152
+ftuapps.dev#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/136843
+cboxera.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/136688
+codingdeft.com#$#.textads.banner-ads.banner_ads.ad-unit.ad-zone.ad-space.adsbox { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/136431
+sportsguild.net#%#//scriptlet('abort-current-inline-script', '$', 'keepChecking')
+sportsguild.net#?#.wpb_wrapper > div.wpb_content_element:has(> div.wpb_wrapper > h3:contains(Disable Adblocker))
+||sportsguild.net/block/dublocker.css
+sportsguild.net##.ad-modal
+! https://github.com/AdguardTeam/AdguardFilters/issues/136293
+@@||ads2.banaraswap.in^$xmlhttprequest,domain=banaraswap.in|kiktu.com
+@@||ads2.filescreed.buzz^$xmlhttprequest,domain=techcyan.com
+@@||banaraswap.in^$xmlhttprequest,domain=techcyan.com
+kiktu.com,techcyan.com#$#a[target="_blank"][rel] { clip-path: circle(0) !important; }
+techcyan.com#$#iframe[src^="https://www.google.com/recaptcha/"] { display: block !important; }
+techcyan.com#%#//scriptlet('prevent-fetch', 'ads.kiktu.com')
+upshrink.com,kiktu.com,techcyan.com#$#body { overflow: auto !important; }
+upshrink.com,kiktu.com,techcyan.com#?#section#xx:has(> span:contains(Detected))
+upshrink.com,kiktu.com,techcyan.com#%#//scriptlet("prevent-addEventListener", "DOMContentLoaded", "/_0x|\\x|google_ads_iframe/")
+upshrink.com,kiktu.com,techcyan.com#@##ads-text
+upshrink.com#$#a.get-link { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/130225
+ipacrack.com#%#//scriptlet("prevent-setInterval", "", "3000")
+! https://github.com/AdguardTeam/AdguardFilters/issues/136237
+@@||cnt.streamz.ws/count.php
+! https://github.com/AdguardTeam/AdguardFilters/issues/150379
+! https://github.com/AdguardTeam/AdguardFilters/issues/136173
+watchtv24.com#%#//scriptlet('set-constant', 'Brid.A9.prototype.backfillAdUnits', 'emptyArr')
+watchtv24.com#%#//scriptlet('prevent-element-src-loading', 'script', 'imasdk.googleapis.com/js/sdkloader/ima3.js')
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=noopjs,domain=watchtv24.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/136199
+codingnepalweb.com#%#//scriptlet('trusted-set-attr', '.adsbygoogle', 'data-ad-status', 'unfilled')
+codingnepalweb.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+codingnepalweb.com#%#AG_onLoad(function(){const a=document.querySelector("ins.adsbygoogle");if(a){const b=document.createElement("iframe");a.appendChild(b)}});
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$redirect=googlesyndication-adsbygoogle,domain=codingnepalweb.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/135818
+misirtune.blogspot.com#%#//scriptlet("abort-current-inline-script", "document.createElement", "adsbygoogle.js")
+! https://github.com/AdguardTeam/AdguardFilters/issues/135946
+jiocinema.com#@##videoAd
+jiocinema.com#$#body .ad-zone { display: block !important; height: 1px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/135993
+! https://github.com/AdguardTeam/AdguardFilters/issues/135812
+/nilesoft.org\/assets\/js\/lib\/[a-f0-9]+$/$domain=nilesoft.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/135793
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$redirect=googlesyndication-adsbygoogle,domain=techkeshri.com,important
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=techkeshri.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/138488
+cutty.app#@#ins.adsbygoogle[data-ad-client]
+cutty.app#@#ins.adsbygoogle[data-ad-slot]
+cutty.app#$#.adsbygoogle { position: absolute !important; left: -4000px !important; }
+cutty.app#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+cutty.app#%#//scriptlet('prevent-element-src-loading', 'script', 'adsbygoogle')
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=cutty.app
+! https://github.com/AdguardTeam/AdguardFilters/issues/135281
+faucetcrypto.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/135305
+editpad.org#$#body #detect[class] { display: block !important; }
+editpad.org#%#//scriptlet('prevent-addEventListener', 'error', 'blockedUrl')
+! https://github.com/AdguardTeam/AdguardFilters/issues/135568
+||s1cdn.vnecdn.net/*/production/modules/home.defer.js$domain=vnexpress.net
+vnexpress.net##a[data-event-label="Button-TatAdblock"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/135567
+ipacrack.com#$##myTestAdd { height: 1px !important; }
+ipacrack.com#%#//scriptlet("prevent-setTimeout", ".clientHeight")
+! https://github.com/AdguardTeam/AdguardFilters/issues/135219
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js|$domain=noor-book.com
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=noopjs,domain=noor-book.com,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/135435
+codevn.net#$#.ads-above-content > div[id] { height: 1px !important; }
+codevn.net#%#//scriptlet("prevent-setInterval", "['offsetHeight']")
+! https://github.com/AdguardTeam/AdguardFilters/issues/135481
+h-game18.xyz#%#//scriptlet('prevent-element-src-loading', 'script', 'pagead2.googlesyndication.com')
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=h-game18.xyz
+! https://github.com/AdguardTeam/AdguardFilters/issues/135457
+truffeonline.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js|$domain=truffeonline.com
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=noopjs,domain=truffeonline.com,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/135379
+@@||cdn.ptztv.live/flyads/streaming.js
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=portmiamiwebcam.com
+portmiamiwebcam.com#@##adbannerdiv
+portmiamiwebcam.com#@#div[id^="div-gpt-"]
+portmiamiwebcam.com#@#[id^="div-gpt-ad"]
+@@||d2kv6n94eruxg9.cloudfront.net/Prebid_$domain=portmiamiwebcam.com
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=portmiamiwebcam.com
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=portmiamiwebcam.com
+@@||securepubads.g.doubleclick.net/gampad/ads?pvsid=$domain=portmiamiwebcam.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/135365
+calculatored.com#%#//scriptlet("prevent-setTimeout", "adsbygoogle")
+! https://github.com/AdguardTeam/AdguardFilters/issues/135029
+getpaidstock.com###anti_ab
+! https://github.com/AdguardTeam/AdguardFilters/issues/134653
+||te4h.ru/wp-content/uploads/elbnpo.
+! https://github.com/AdguardTeam/AdguardFilters/issues/134975
+10alert.com#@#.adbanner
+10alert.com#%#//scriptlet("prevent-setTimeout", "siteAccessPopup()")
+! https://github.com/AdguardTeam/AdguardFilters/issues/134564
+@@||hdwatched.me/*/js/banger.js$domain=hdwatched.me
+! https://github.com/AdguardTeam/AdguardFilters/issues/134639
+!+ NOT_OPTIMIZED
+japannews.yomiuri.co.jp###tpModal
+! https://github.com/AdguardTeam/AdguardFilters/issues/133295
+! https://github.com/AdguardTeam/AdguardFilters/issues/134216
+dlpanda.com#%#//scriptlet('prevent-addEventListener', 'load', 'adDLPanda')
+! https://github.com/AdguardTeam/AdguardFilters/issues/134535
+letmeread.net#@##google-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/134407
+fromfahad.com##div[id][class^="popup"][class$="wrap"][style]
+fromfahad.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/133882
+forums-fastunlock.com#%#//scriptlet("abort-on-property-read", "XV")
+! https://github.com/AdguardTeam/AdguardFilters/issues/134288
+2ix2-alternative.de###abmm
+2ix2-alternative.de#%#//scriptlet("prevent-setTimeout", ".clientHeight")
+! https://github.com/uBlockOrigin/uAssets/issues/15479
+tpaste.io#%#//scriptlet("abort-on-property-read", "adBlockDetected")
+@@||incolumitas.com/data/neutral.js?&adserver=$script,domain=tpaste.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/133291
+||pviewer.site/element_view/adblock_detected.html
+! https://github.com/AdguardTeam/AdguardFilters/issues/133255
+apkhex.com#%#//scriptlet("abort-on-property-read", "adsBlocked")
+! https://github.com/AdguardTeam/AdguardFilters/issues/171414
+! https://github.com/AdguardTeam/AdguardFilters/issues/133205
+sbs.com.au#%#//scriptlet('set-constant', 'odabd', 'false')
+sbs.com.au#%#//scriptlet("set-constant", "adBlockerDetected", "false")
+sbs.com.au#%#(()=>{const e=window.Promise,o={construct:(o,t,n)=>t[0]&&t[0]?.toString()?.includes("[!1,!1,!1,!1]")&&t[0]?.toString()?.includes(".responseText")?e.resolve(!1):Reflect.construct(o,t,n)},t=new Proxy(window.Promise,o);Object.defineProperty(window,"Promise",{set:e=>{},get:()=>t})})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/133108
+hentai.guru,hentaihaven.vip#%#//scriptlet('prevent-fetch', 'ads-twitter.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/133101
+paraphraser.io#$#body #detect[class] { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/133102
+rephrase.info#$#body #detect[class] { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/175907
+! https://github.com/AdguardTeam/AdguardFilters/issues/132820
+fastssh.com#%#//scriptlet('prevent-fetch', '/pagead2\.googlesyndication\.com|www3\.doubleclick\.net/')
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,domain=fastssh.com
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=fastssh.com,important
+@@||fastssh.com/dfp.min.js
+fastssh.com#@#.ad-box:not(#ad-banner):not(:empty)
+fastssh.com#@#.ad-wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/132661
+teamkong.tk#%#//scriptlet('prevent-element-src-loading', 'script', 'pagead2.googlesyndication.com')
+! https://github.com/uBlockOrigin/uAssets/issues/14345
+||ad-delivery.net/px.gif?$image,redirect=1x1-transparent.gif,domain=explorecams.com,important
+@@||ad-delivery.net/px.gif?$domain=explorecams.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/132701
+shoot-yalla.live,adnews.me,koora.golato.tv#%#//scriptlet("prevent-addEventListener", "load", "ofc9")
+! https://github.com/AdguardTeam/AdguardFilters/issues/132754
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,important,redirect=googlesyndication-adsbygoogle,domain=warsawnow.pl
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,domain=warsawnow.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/132249
+sportfacts.net##.ad-modal
+sportfacts.net#%#//scriptlet("prevent-setTimeout", "keepChecking")
+! https://github.com/AdguardTeam/AdguardFilters/issues/132593
+||d3u598arehftfk.cloudfront.net/prebid_hb_1670_2319.js$domain=blog.wiki-topia.com,redirect=noopjs,important
+@@||d3u598arehftfk.cloudfront.net/prebid_hb_1670_2319.js$domain=blog.wiki-topia.com
+||lib.wtg-ads.com/publisher/wiki-topia.com/732ddef10898663e15a5.js$domain=blog.wiki-topia.com,redirect=noopjs,important
+@@||lib.wtg-ads.com/publisher/wiki-topia.com/732ddef10898663e15a5.js$domain=blog.wiki-topia.com
+||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=blog.wiki-topia.com,redirect=noopjs,important
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=blog.wiki-topia.com
+||googletagmanager.com/gtag/js$domain=blog.wiki-topia.com,redirect=noopjs,important
+@@||googletagmanager.com/gtag/js$domain=blog.wiki-topia.com
+||googletagmanager.com/gtm.js$domain=blog.wiki-topia.com,redirect=noopjs,important
+@@||googletagmanager.com/gtm.js$domain=blog.wiki-topia.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/132582
+s0ft4pc.com,portable4pc.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,important,redirect=googlesyndication-adsbygoogle,domain=s0ft4pc.com|portable4pc.com
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,domain=s0ft4pc.com|portable4pc.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/132546
+! https://github.com/AdguardTeam/AdguardFilters/issues/132527
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=gamingnews.live
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=gamingnews.live,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/132341
+donghua.in#%#//scriptlet("abort-current-inline-script", "atob", "decodeURIComponent")
+! https://github.com/AdguardTeam/AdguardFilters/issues/132356
+nohat.cc,psd.world,png.is#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/132009
+elahmad.com##div[id^="adsads"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/131979
+hypebeast.com###ad-blocker-popup
+! https://github.com/AdguardTeam/AdguardFilters/issues/131962
+kinemaster.cc#@##ad-top
+kinemaster.cc#%#//scriptlet("abort-current-inline-script", "document.createElement", "adsbygoogle.js")
+! https://github.com/AdguardTeam/AdguardFilters/issues/131883
+upshrink.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/131917
+sabishare.com,thenetnaija.net#@#.ad-slot
+! https://github.com/AdguardTeam/AdguardFilters/issues/131819
+@@||scamwatcher.com/js/pubPolicy/ads-prebid.js$domain=scamwatcher.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/131760
+binaryfork.com###blocker-message
+binaryfork.com#%#//scriptlet("prevent-setTimeout", ".offsetHeight&&0!==")
+! ! https://github.com/AdguardTeam/AdguardFilters/issues/131613
+video.bestjavporn.com#@#.ad-placement
+! https://github.com/AdguardTeam/AdguardFilters/issues/50850
+viki.com#%#//scriptlet("set-constant", "VikiPlayer.prototype.pingAbFactor", "noopFunc")
+viki.com#%#//scriptlet("set-constant", "player.options.disableAds", "true")
+viki.com#%#//scriptlet("set-constant", "VikiMediaPlayer.prototype.executeAdblockBreak", "noopFunc")
+viki.com#%#//scriptlet("set-constant", "VikiMediaPlayer.prototype.requestAdblockBreak", "noopFunc")
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=viki.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/131471
+rephrase.info#$?#div[id^="adngin-incontent_"] { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/131445
+vector-eps.com#%#//scriptlet("prevent-setTimeout", ".adsbygoogle")
+vector-eps.com#$#.download-home { display: block !important; }
+vector-eps.com#$#.download-home + .disableadblock { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/131230
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=kdbhbd.blogspot.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/131369
+kissanime.com.ru#%#//scriptlet("set-constant", "check_adblock", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/131308
+i-polls.com#%#//scriptlet("abort-on-property-read", "detectAdBlock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/131089
+@@||tsyndicate.com/iframes2/$domain=xfreehd.com
+@@||ads.exosrv.com/iframe.php$domain=xfreehd.com
+||ads.exosrv.com/iframe.php$domain=xfreehd.com,redirect=nooptext,important
+||tsyndicate.com/iframes2/$domain=xfreehd.com,redirect=nooptext,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/130986
+||googletagmanager.com/gtag/js$script,redirect=noopjs,domain=hackerranksolution.in
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=noopjs,domain=hackerranksolution.in
+! https://github.com/AdguardTeam/AdguardFilters/issues/130968
+adikhealth.xyz###adb
+! https://github.com/AdguardTeam/AdguardFilters/issues/130891
+karvitt.com#$#ins.adsbygoogle[data-ad-slot] { height: 1px!important; }
+karvitt.com#@#.adsbygoogle-noablate
+karvitt.com#@#ins.adsbygoogle[data-ad-client]
+karvitt.com#@#ins.adsbygoogle[data-ad-slot]
+! https://github.com/AdguardTeam/AdguardFilters/issues/130888
+blisseyhusband.in#@#.ad-unit
+blisseyhusband.in#@#.ad_unit
+blisseyhusband.in#@#.adsBanner
+blisseyhusband.in#$#.ad_unit.ad-unit.text-ad.text_ad.pub_300x250 { display: block !important; }
+blisseyhusband.in#%#//scriptlet("set-constant", "eazy_ad_unblocker_msg_var", "")
+blisseyhusband.in#%#//scriptlet("set-constant", "advanced_ads_check_adblocker", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/130814
+gogoanime.*#@#.ad-placement
+! https://github.com/AdguardTeam/AdguardFilters/issues/130774
+primetechieforum.com#%#//scriptlet('prevent-element-src-loading', 'img', 'doubleclick.net')
+@@||doubleclick.net/favicon.ico$domain=primetechieforum.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/130592
+hacoscripts.com#$#.textads.adsbox { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/130701
+! Indian Paid URL shortener
+topnewsmp.com,link.vipurl.in,bhram.hydtech.in,moddingthrones.freemodsapp.xyz##.adb
+! https://github.com/AdguardTeam/AdguardFilters/issues/130637
+||donnaglamour.it/adblock-tracking.html
+donnaglamour.it#%#//scriptlet("set-constant", "adBlockRunning", "false")
+donnaglamour.it###detect ~ div[style^="display: flex; align-items: center; justify-content: center; position: fixed;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/130541
+techcyan.com#%#//scriptlet("abort-current-inline-script", "$", "div-gpt-ad")
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/132509
+!+ NOT_PLATFORM(windows, mac, android)
+$script,redirect-rule=noopjs,domain=insurancegold.in
+! https://github.com/AdguardTeam/AdguardFilters/issues/130503
+blog.insurancegold.in,blog.cryptowidgets.net#%#//scriptlet('set-constant', 'navigator.brave', 'undefined')
+blog.insurancegold.in,blog.cryptowidgets.net#%#//scriptlet('prevent-setTimeout', 'detected')
+blog.insurancegold.in,blog.cryptowidgets.net#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'adsBlocked')
+blog.insurancegold.in,blog.cryptowidgets.net#%#//scriptlet('prevent-addEventListener', 'load', 'htmls')
+$redirect-rule=noopjs,domain=cryptowidgets.net|insurancegold.in
+! Probably an extension bug - redirect is not applied
+! TODO: check after fixing https://github.com/AdguardTeam/AdguardBrowserExtension/issues/2208 [19.10.22]
+!+ NOT_PLATFORM(windows, mac, android)
+@@||snobdomobeyeo.com^$script,domain=blog.cryptowidgets.net|blog.insurancegold.in
+blog.insurancegold.in,blog.cryptowidgets.net#%#function preventError(d){window.addEventListener("error",function(a){if(a.srcElement&&a.srcElement.src){const b=new RegExp(d);b.test(a.srcElement.src)&&(a.srcElement.onerror=function(){})}},!0)}preventError("^.");
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/130397
+emsnow.com#%#//scriptlet("abort-current-inline-script", "document.getElementById", "adsanityAdBlock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/130031
+xfreehd.com##.video-container-bxPower > div:not(.fluid_video_wrapper)
+! https://github.com/AdguardTeam/AdguardFilters/issues/130167
+tiger-algebra.com##.adt-layout-fade
+tiger-algebra.com##.ad-blocker-detector
+tiger-algebra.com#%#//scriptlet("prevent-addEventListener", "DOMContentLoaded", "adsbox")
+! https://github.com/AdguardTeam/AdguardFilters/issues/130155
+@@||digworm.io^$generichide
+@@||zertalious.xyz^$generichide
+@@||incolumitas.com/data/*.js$domain=zertalious.xyz|digworm.io
+@@/weborama.js$~third-party,domain=zertalious.xyz|digworm.io
+$~third-party,xmlhttprequest,script,redirect-rule=nooptext,domain=zertalious.xyz|digworm.io
+zertalious.xyz,digworm.io#%#//scriptlet('prevent-fetch', '/\/(ad(ex|gpt)|weborama)\.js/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/129934
+! https://github.com/AdguardTeam/AdguardFilters/issues/187275
+ksl.com#%#//scriptlet('set-constant', 'isSearchBot', 'falseFunc')
+@@||d3njgrq4uvb497.cloudfront.net/videojs/videojs-contrib-ads.js$domain=ksl.com
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=ksl.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/129840
+ufacw.com###adb
+ufacw.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/129839
+beelink.pro###adb
+beelink.pro#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/129838
+||makefreecallsonline.com/includes/AB-code.min.js
+makefreecallsonline.com#$#body { overflow: auto !important; }
+makefreecallsonline.com#$##adblockbyspider { display: none !important; }
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=makefreecallsonline.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/129829
+@@||tools.dik.si/assets/js/prebid-ads.js
+tools.dik.si#%#//scriptlet("set-constant", "canRunAds", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/129850
+javdock.com#@#.ad-placement
+! https://github.com/AdguardTeam/AdguardFilters/issues/131116
+! https://github.com/uBlockOrigin/uAssets/issues/10291#issuecomment-1247746003
+allcryptoz.net,crewbase.net,crewus.net,shinchu.net,thumb8.net,thumb9.net,uniqueten.net#%#//scriptlet("abort-current-inline-script", "setInterval", "_0x")
+allcryptoz.net,crewbase.net,crewus.net,shinchu.net,thumb8.net,thumb9.net,uniqueten.net#%#//scriptlet('prevent-addEventListener', '', 'window.location')
+||ads.sportslocalmedia.com^$script,redirect=noopjs,domain=allcryptoz.net|crewbase.net|crewus.net|shinchu.net|thumb8.net|thumb9.net|uniqueten.net
+||dsh7ky7308k4b.cloudfront.net^$script,redirect=noopjs,domain=allcryptoz.net|crewbase.net|crewus.net|shinchu.net|thumb8.net|thumb9.net|uniqueten.net
+||connect.facebook.net/en_US/fbevents.js$script,redirect=noopjs,domain=allcryptoz.net|crewbase.net|crewus.net|shinchu.net|thumb8.net|thumb9.net|uniqueten.net
+||a.pub.network/crewbase-net/pubfig.min.js$script,redirect=noopjs,domain=allcryptoz.net|crewbase.net|crewus.net|shinchu.net|thumb8.net|thumb9.net|uniqueten.net
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=allcryptoz.net|crewbase.net|crewus.net|shinchu.net|thumb8.net|thumb9.net|uniqueten.net
+||securepubads.g.doubleclick.net/tag/js/gpt.js$script,redirect=googletagservices-gpt,domain=allcryptoz.net|crewbase.net|crewus.net|shinchu.net|thumb8.net|thumb9.net|uniqueten.net
+||scripts.cleverwebserver.com^$script,redirect=noopjs,domain=allcryptoz.net|crewbase.net|crewus.net|shinchu.net|thumb8.net|thumb9.net|uniqueten.net
+@@||g.adspeed.net/ad.php?do=detectadblocker$domain=allcryptoz.net|crewbase.net|crewus.net|shinchu.net|thumb8.net|thumb9.net|uniqueten.net
+allcryptoz.net,crewbase.net,crewus.net,shinchu.net,thumb8.net,thumb9.net,uniqueten.net#$?#form:has(button[class^="btn-"]) { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/129683
+fcportables.com##div[class^="popup"][class$="wrap"][id]
+! https://github.com/AdguardTeam/AdguardFilters/issues/152383
+! https://github.com/AdguardTeam/AdguardFilters/issues/129556
+! https://github.com/AdguardTeam/AdguardFilters/issues/129658
+@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$domain=cbs.com|paramountplus.com|history.com
+@@||pubads.g.doubleclick.net/ondemand/*/content/*/vid/*/streams$domain=cbs.com|paramountplus.com|history.com
+||pubads.g.doubleclick.net/ondemand/*/content/*/vid/*/streams/*/time-events.json$important,domain=cbs.com|paramountplus.com|history.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/129547
+comohoy.com#%#//scriptlet("set-constant", "checkAdBlock", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/169369
+! https://github.com/AdguardTeam/AdguardFilters/issues/129563
+rakuten.tv#%#//scriptlet('prevent-xhr', '/springserve\.com|cdn\.spotxcdn\.com\/media\//')
+! https://github.com/AdguardTeam/AdguardFilters/issues/129441
+latest-files.com###blockedmessagewrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/129435
+vijaysolution.com#@#.adbanner
+vijaysolution.com#%#//scriptlet("prevent-setTimeout", "siteAccessPopup()")
+! https://github.com/AdguardTeam/AdguardFilters/issues/129526
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,important,redirect=googlesyndication-adsbygoogle,domain=btcpany.com
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js^$domain=btcpany.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/129225
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=leet365.cc
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=noopjs,domain=leet365.cc,important
+||leet365.cc/cfx.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/129155
+dubznetwork.com#@#.adsbyvli
+! https://github.com/AdguardTeam/AdguardFilters/issues/129165
+||shortx.net/js/block00.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/129118
+9anime.skin#@#.ad-placement
+! https://github.com/AdguardTeam/AdguardFilters/issues/129114
+@@||toolsincloud.com/assets/js/prebid-ads.js
+toolsincloud.com#%#//scriptlet("set-constant", "canRunAds", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/128916
+raider.io##.rio-block-message
+raider.io#%#//scriptlet('abort-on-property-read', 'RIO_OnProviderBlocked')
+! https://github.com/AdguardTeam/AdguardFilters/issues/128950
+ustream.click#$#body { overflow: auto !important; }
+ustream.click#$#body > img[alt="Adblock Plus"] { display: none !important; }
+ustream.click#%#//scriptlet("set-constant", "moneyAbovePrivacyByvCDN", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/128696
+freepremiumcourse.com#%#//scriptlet("abort-current-inline-script", "document.createElement", "adsbygoogle.js")
+! https://github.com/AdguardTeam/AdguardFilters/issues/128650
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=noopjs,domain=visalist.io,important
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,domain=visalist.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/128621
+@@||affiliates.sankmo.com/iframe-redirect$domain=getcashfree7.blogspot.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/156952
+! https://www.reddit.com/r/uBlockOrigin/comments/x2exom/
+thothd.com,thothd.to#@#.ads-iframe
+thothd.com,thothd.to#$#iframe#ads_iframe[src*="/player_ads.html"] { display: block !important; }
+thothd.com,thothd.to#%#//scriptlet('prevent-element-src-loading', 'img', 'stats.php?event=')
+||thothd.com/player/stats.php?event=Init$image,redirect=1x1-transparent.gif,domain=thothd.com|thothd.to
+||thothd.com/player/player_ads.html?advertising_id=$subdocument,redirect=noopframe,domain=thothd.com|thothd.to
+! https://github.com/AdguardTeam/AdguardFilters/issues/128618
+viefaucet.com#%#//scriptlet('prevent-element-src-loading', 'script', 'coinzillatag.com')
+! https://www.crazygames.com/game/bullet-force-multiplayer
+@@||crazygames.com/prebid.js$script,~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/128402
+||gstatic.com/firebasejs/9.6.10/firebase-messaging.js$script,redirect=noopjs,domain=smallseotools.com
+smallseotools.com#%#//scriptlet('prevent-fetch', '/firebase-messaging.js')
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=smallseotools.com
+smallseotools.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+||cdn.adpushup.com/*/adpushup.js$script,xmlhttprequest,redirect=noopjs,domain=smallseotools.com
+@@||smallseotools.com^$generichide,badfilter
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=smallseotools.com,badfilter
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,domain=smallseotools.com
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=noopjs,domain=smallseotools.com,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/128230
+bestreamsports.org#%#//scriptlet("abort-current-inline-script", "document.createElement", "adsbygoogle.js")
+! https://github.com/AdguardTeam/AdguardFilters/issues/178343
+! https://github.com/AdguardTeam/AdguardFilters/issues/128388
+opentunnel.net#@#.textad
+opentunnel.net#$#body .textad { display: block !important; }
+opentunnel.net#%#//scriptlet('prevent-xhr', 'ad.plus')
+! https://github.com/AdguardTeam/AdguardFilters/issues/170231
+! https://github.com/AdguardTeam/AdguardFilters/issues/128306
+howdy.id#%#//scriptlet('prevent-fetch', '/www3\.doubleclick\.net|pagead2\.googlesyndication\.com/')
+howdy.id#@#.ad-box:not(#ad-banner):not(:empty)
+howdy.id#@#.ad-wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/128185
+supercloudsms.com###adb-mask
+! adshnk.com
+@@||pagead2.googlesyndication.com/pagead/*?fcd=true$domain=adshnk.com
+@@||incolumitas.com/data^$domain=adshnk.com
+@@||fundingchoicesmessages.google.com/f^$domain=adshnk.com
+@@||adshnk.com^$generichide
+! https://github.com/uBlockOrigin/uAssets/issues/14545
+kpopjams.com#%#//scriptlet('abort-current-inline-script', 'dataLayer', 'detectAdBlock')
+!+ NOT_OPTIMIZED
+kpopjams.com###add-blocker-wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/128080
+course-downloader.com#$#body { overflow: auto !important; }
+course-downloader.com#$##modal_blocker { display: none !important; }
+course-downloader.com#$#.modal-backdrop { display: none !important; }
+course-downloader.com#%#//scriptlet('prevent-addEventListener', 'load', 'blocker')
+!#safari_cb_affinity(privacy)
+!#safari_cb_affinity
+! https://github.com/AdguardTeam/AdguardFilters/issues/128026
+modshost.net#$##wrapfabtest { height: 1px !important; display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/128066
+gpudrops.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/178608
+! https://github.com/AdguardTeam/AdguardFilters/issues/127726
+4fans.gay,cdnm4m.nl#%#//scriptlet('set-constant', 'adBlocker', 'false')
+play.cdnm4m.nl,4fans.gay,men4menporn.eu,player.cdnm4m.nl#%#//scriptlet("set-constant", "canRunAds", "true")
+@@/assets/js/prebid-ads.js$domain=player.cdnm4m.nl|play.cdnm4m.nl
+! https://github.com/AdguardTeam/AdguardFilters/issues/127924
+$script,redirect-rule=noopjs,domain=uniqueten.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/127996
+! https://github.com/AdguardTeam/AdguardFilters/issues/164365
+||woiden.id/dist/js/red.js
+woiden.id#@#.ad-box:not(#ad-banner):not(:empty)
+woiden.id#@#.ad-wrapper
+! https://github.com/uBlockOrigin/uAssets/issues/14510
+xsz-av.com#@#.ad-content
+! https://github.com/AdguardTeam/AdguardFilters/issues/167992
+! https://github.com/AdguardTeam/AdguardFilters/issues/160924
+! https://github.com/AdguardTeam/AdguardFilters/issues/127937
+zeroupload.com###superadblocker
+zeroupload.com#$?#body > center[id]:has(> p:contains(Disable Your ad blocker)) { remove: true; }
+zeroupload.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+zeroupload.com#%#//scriptlet('abort-current-inline-script', 'EventTarget.prototype.addEventListener', '/nextFunction|google_ad_client|adsbygoogle\.js/')
+$script,redirect-rule=noopjs,domain=zeroupload.com
+!+ NOT_PLATFORM(windows, mac, android)
+@@||zeroupload.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/127547
+bitsfree.net#%#//scriptlet("abort-on-property-read", "adsBlocked")
+! https://github.com/AdguardTeam/AdguardFilters/issues/127897
+xranks.com#%#//scriptlet('prevent-element-src-loading', 'script', 'm2d.m2.ai')
+! https://github.com/AdguardTeam/AdguardFilters/issues/101723
+dudestream.com#%#//scriptlet('prevent-requestAnimationFrame', 'style.opacity')
+dudestream.com#$#body > div[id^="\30"][class^="popup0"][class$="wrap"] { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/127789
+juba-get.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/127824
+!+ NOT_OPTIMIZED
+bluedollar.net##div[id^="aub"]
+! quick adblock detection script
+@@||eegybest.xyz^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/127651
+@@||tpc.googlesyndication.com/simgad/$domain=financemonk.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/127611
+rakuten.com#@#.google-ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/127506
+||sellthing.co/?advertiserId=&platform=$important,redirect=noopjs
+@@||sellthing.co//?advertiserId=&platform=
+! https://github.com/AdguardTeam/AdguardFilters/issues/127430
+store.asus.com#%#//scriptlet('prevent-fetch', 'adblockanalytics.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/127333
+magesy.pro,magesy.blog###adb
+magesy.pro,magesy.blog#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/126738
+@@||getpasteleaks.link/js/prebid-ads.js
+getpasteleaks.link#%#//scriptlet("set-constant", "isAdBlockActive", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/127216
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=googlesyndication-adsbygoogle,important,domain=pharmaguideline.com
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,domain=pharmaguideline.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/155590
+mail.com#%#//scriptlet('abort-current-inline-script', 'Date', 'uabp')
+! https://github.com/AdguardTeam/AdguardFilters/issues/125973
+@@||fautsy.com/libs/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/126620
+@@||avpgalaxy.net/advert.js
+avpgalaxy.net#%#//scriptlet('prevent-xhr', '/advert.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/126619
+osuskins.net#%#//scriptlet('prevent-addEventListener', 'np.detect', 'detail.blocking')
+osuskins.net##body > div[style^="background:"][style*="position: fixed; display: flex; align-items: center; justify-content: center; inset: 0px; z-index:"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/126595
+@@||s.jacquieetmichelelite.com/assets/popunder.js
+jacquieetmichelelite.com#%#//scriptlet("set-constant", "window.is_adblocked", "false")
+! https://github.com/uBlockOrigin/uAssets/issues/14189
+shorterall.com#%#//scriptlet('set-cookie', '_popfired', '1')
+@@||shorterall.com/folder/ad-test/$script,~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/126385
+mangas-raw.com#%#//scriptlet("abort-on-property-write", "showInfoAdBlock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/125923
+iphoneincanada.ca##.slbElement
+! https://github.com/AdguardTeam/AdguardFilters/issues/126202
+yt2save.com#@#.showads
+yt2save.com#%#//scriptlet("prevent-setTimeout", "document.body.innerHTML")
+! https://github.com/AdguardTeam/AdguardFilters/issues/125829
+$script,redirect-rule=noopjs,domain=freebnb.top
+! https://github.com/AdguardTeam/AdguardFilters/issues/125474
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=dogeen.xyz
+dogeen.xyz#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/125716
+darksoftware.net#%#//scriptlet("abort-current-inline-script", "$", "/initDetection|!document\.getElementById\(btoa/")
+darksoftware.net##body > div[class*=" "][style^="background"][style*="display: block;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/125610
+vods.tv#%#//scriptlet('prevent-fetch', 'www3.doubleclick.net')
+! https://github.com/AdguardTeam/AdguardFilters/issues/125296
+||elamigosedition.com/*/js/blocker.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/125719
+orbispatches.com#@#.adsbyvli
+orbispatches.com#$#body .adsbyvli { display: block !important; height: 30px !important; }
+orbispatches.com#%#AG_onLoad(function(){const a=document.querySelectorAll(".adsbyvli");a.forEach(a=>{a.setAttribute("data-id","vi_")})});
+orbispatches.com#%#(()=>{window.viAPItag={init(){}}})();
+orbispatches.com#%#//scriptlet('prevent-fetch', 'services.vlitag.com/adv')
+! https://github.com/uBlockOrigin/uAssets/issues/14141
+@@||et.novelgames.com/ads.js?adTagUrl=
+! https://github.com/AdguardTeam/AdguardFilters/issues/125602
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=anycodings.com
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,important,domain=anycodings.com
+! in case of a DNS blocking
+anycodings.com#$##myblock { display: none !important; }
+anycodings.com#$#body[style^="overflow:"] { overflow: auto !important; background-color: unset !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/125597
+kiemlua24h.co###d7b2
+! https://github.com/AdguardTeam/AdguardFilters/issues/125523
+onlinehacking.in#$##adblock_msg { display: none!important; }
+onlinehacking.in#$#body { overflow: visible!important; }
+@@||pagead2.googlesyndication.com/pagead/managed/js/adsense/*/show_ads_impl_fy2019.js$domain=onlinehacking.in
+||pagead2.googlesyndication.com/pagead/managed/js/adsense/*/show_ads_impl_fy2019.js$script,redirect=googlesyndication-adsbygoogle,important,domain=onlinehacking.in
+! https://github.com/AdguardTeam/AdguardFilters/issues/125507
+xfreehd.com##.video-container > div:not(.fluid_video_wrapper)
+xfreehd.com#%#//scriptlet("abort-on-property-write", "axtest01")
+! https://github.com/AdguardTeam/AdguardFilters/issues/125462
+@@||matystudios.github.io/banner_ad.png$domain=serialyzdarma.eu
+! https://github.com/AdguardTeam/AdguardFilters/issues/122282
+10play.com.au#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=10play.com.au
+! https://github.com/AdguardTeam/AdguardFilters/issues/125445
+@@||obagg.com/js/sailthru.js$domain=obagg.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/125135
+ansedo.com#%#//scriptlet("set-constant", "canRunAdvertBanner", "true")
+@@||ansedo.com/js/advert-banner.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/124619
+teachoo.com###adblockModal
+teachoo.com###adblockModal ~ div.modal-backdrop
+! https://github.com/AdguardTeam/AdguardFilters/issues/163937
+! https://github.com/AdguardTeam/AdguardFilters/issues/124919
+getintoway.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=googlesyndication-adsbygoogle,important,domain=getintoway.com
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,domain=getintoway.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/124861
+nullforums.net#%#//scriptlet('prevent-setTimeout', 'show', '0*1000')
+@@||nullforums.net/js/*/uvb-tag-ad.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/124475
+mohammedkhc.com#@#ins.adsbygoogle[data-ad-client]
+mohammedkhc.com#@#ins.adsbygoogle[data-ad-slot]
+mohammedkhc.com#%#//scriptlet('set-constant', 'detectAdblock', 'emptyObj')
+! https://github.com/AdguardTeam/AdguardFilters/issues/124348#issuecomment-1185811321
+||static.surfe.pro/js/net.js$script,xmlhttprequest,redirect=nooptext,domain=claim.fun
+! mailgen.biz#%#//scriptlet('prevent-setTimeout', 'enable_ad_block_detector')
+mailgen.biz#%#//scriptlet('prevent-setTimeout', 'enable_ad_block_detector')
+! https://github.com/AdguardTeam/AdguardFilters/issues/124326
+cardscanner.co#%#//scriptlet("prevent-setTimeout", "('body').css('overflow'")
+! https://github.com/AdguardTeam/AdguardFilters/issues/124278
+satoshitap.com#%#//scriptlet("abort-current-inline-script", "document.getElementById", "ads_")
+! https://github.com/AdguardTeam/AdguardFilters/issues/124280
+@@||pastesearch.xyz/js/prebid-ads.js
+pastesearch.xyz#%#//scriptlet("set-constant", "isAdBlockActive", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/124236
+||cdn.jsdelivr.net/gh/symit-dev/js@main/da-code.js
+hashhackers.com#$#body { overflow: auto !important; }
+hashhackers.com#$##adblockbyspider { display: none !important; }
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=hashhackers.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/124220
+supermarches.ca#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/123947
+socialgirls.im#%#//scriptlet("prevent-setTimeout", "adblock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/123928
+@@||bitssurf.com/assets/ads-*.js$~third-party
+bitssurf.com#%#//scriptlet("abort-current-inline-script", "document.getElementById", "AdBlock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/123940
+crast.net#$#body { overflow: auto !important; }
+crast.net#$##Adblock { display: none !important; }
+crast.net#%#//scriptlet("abort-current-inline-script", "document.createElement", "adblock")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=crast.net
+! https://github.com/bogachenko/fuckfuckadblock/issues/334
+helmiau.com#%#//scriptlet("abort-current-inline-script", "document.createElement", "404")
+! spigotunlocked.org anti-adb
+spigotunlocked.org#%#//scriptlet("prevent-addEventListener", "DOMContentLoaded", "_0x")
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,domain=spigotunlocked.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/121309
+strtapeadblocker.art#@#.skyscraper.ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/123610
+hotdebrid.com#%#//scriptlet('prevent-element-src-loading', 'script', 'ads.rubiconproject.com/ad/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/151992
+@@||work.ink^$generichide
+work.ink#%#//scriptlet('prevent-fetch', '/quantserve\.com|adligature\.com|srvtrck\.com|outbrain\.com|primis\.tech/')
+@@||adligature.com^|$xmlhttprequest,domain=work.ink
+! https://github.com/AdguardTeam/AdguardFilters/issues/123122
+blog.textpage.xyz#%#//scriptlet('abort-on-property-read', 'eazy_ad_unblocker')
+blog.textpage.xyz#@#.adsBanner
+! https://github.com/AdguardTeam/AdguardFilters/issues/122844
+@@/wp-content/themes/*/ads/*/sailthru.js$domain=healthy4pepole.com
+healthy4pepole.com#%#//scriptlet("abort-current-inline-script", "EventTarget.prototype.addEventListener", "Adblock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/122913
+tweakcentral.net#%#//scriptlet("set-constant", "checkBlock", "noopFunc")
+@@||static.doubleclick.net/instream/ad_status.js$domain=tweakcentral.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/122889
+launcherleaks.com#@#.ads_container
+launcherleaks.com#%#//scriptlet('prevent-setTimeout', '===0x0&&Swal')
+! https://github.com/AdguardTeam/AdguardFilters/issues/122627
+||read.amazon.*/ads-prebid.js$script,redirect=prebid-ads,important
+@@||read.amazon.*/ads-prebid.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/122663
+! https://github.com/AdguardTeam/AdguardFilters/issues/130388
+! https://github.com/AdguardTeam/AdguardFilters/issues/131808
+! https://github.com/AdguardTeam/AdguardFilters/issues/133487
+! https://github.com/AdguardTeam/AdguardFilters/issues/143965
+! https://github.com/AdguardTeam/AdguardFilters/issues/143968
+spaldingtoday.co.uk,stratford-herald.com,granthamjournal.co.uk,fenlandcitizen.co.uk,cambridgeindependent.co.uk,advertiserandtimes.co.uk,northern-scot.co.uk,suffolknews.co.uk,kentonline.co.uk#@#.mpu
+spaldingtoday.co.uk,stratford-herald.com,granthamjournal.co.uk,fenlandcitizen.co.uk,cambridgeindependent.co.uk,advertiserandtimes.co.uk,northern-scot.co.uk,suffolknews.co.uk,kentonline.co.uk#$##nagBG { display: none !important; }
+spaldingtoday.co.uk,stratford-herald.com,granthamjournal.co.uk,fenlandcitizen.co.uk,cambridgeindependent.co.uk,advertiserandtimes.co.uk,northern-scot.co.uk,suffolknews.co.uk,kentonline.co.uk#$#body { overflow: auto !important; }
+spaldingtoday.co.uk,stratford-herald.com,granthamjournal.co.uk,fenlandcitizen.co.uk,cambridgeindependent.co.uk,advertiserandtimes.co.uk,northern-scot.co.uk,suffolknews.co.uk,kentonline.co.uk#$#body [id*="google_ads_iframe_"] { display: block !important; }
+spaldingtoday.co.uk,stratford-herald.com,granthamjournal.co.uk,fenlandcitizen.co.uk,cambridgeindependent.co.uk,advertiserandtimes.co.uk,northern-scot.co.uk,suffolknews.co.uk,kentonline.co.uk#$#.mpu { position: absolute !important; left: -3000px !important; }
+spaldingtoday.co.uk,stratford-herald.com,granthamjournal.co.uk,fenlandcitizen.co.uk,cambridgeindependent.co.uk,advertiserandtimes.co.uk,northern-scot.co.uk,suffolknews.co.uk,kentonline.co.uk#$#span[id^="p_article_mpu"] { position: absolute !important; left: -3000px !important; }
+@@.co.uk/wp-banners.js$domain=advertiserandtimes.co.uk|northern-scot.co.uk|suffolknews.co.uk|kentonline.co.uk|cambridgeindependent.co.uk|fenlandcitizen.co.uk|granthamjournal.co.uk|stratford-herald.com|spaldingtoday.co.uk
+! https://github.com/AdguardTeam/AdguardFilters/issues/122659
+utils.surf#%#//scriptlet('prevent-fetch', 'www3.doubleclick.net')
+! https://github.com/AdguardTeam/AdguardFilters/issues/122289
+palixi.net#%#//scriptlet("set-constant", "canRunAds", "true")
+palixi.net#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+@@||palixi.net/assets/js/prebid-ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/122543
+jav68.net#@#.ads-header
+jav68.net#$##wrapfabtest { height: 1px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/122392
+visalist.io#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/180212
+! https://github.com/AdguardTeam/AdguardFilters/issues/122511
+@@||onlytech.com/community/js/*/AdsenseBlockView.js$domain=onlytech.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/122504
+techhelpbd.com#%#//scriptlet('prevent-setTimeout', '/disable adblocker|\(alert\(_0x/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/122456
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,important,domain=paraphrasetool.com
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=paraphrasetool.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/154175
+easymc.io#%#//scriptlet('set-constant', 'nitroAds.abp', 'true')
+easymc.io#%#//scriptlet('prevent-addEventListener', '/np\..*detect/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/122150
+f1livegp.me#%#//scriptlet('prevent-fetch', 'googleadservices.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/122149
+onejailbreak.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/122283
+@@||sarapbabe.com/nativeads-v2.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/170482
+! https://github.com/AdguardTeam/AdguardFilters/issues/125892
+! https://github.com/uBlockOrigin/uAssets/issues/13760
+luscious.net#%#//scriptlet('set-constant', 'Object.prototype.adblock_detected', 'false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/122044
+minorpatch.com#@#.AdBox
+minorpatch.com#%#//scriptlet("abort-current-inline-script", "Array.prototype.shift", "_0x")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=minorpatch.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/121795
+@@||nulledsite.com/ads-prebid.js
+nulledsite.com#%#//scriptlet("prevent-addEventListener", "load", "_blocker")
+! https://github.com/AdguardTeam/AdguardFilters/issues/121722
+tesla-club.eu#@#.reklama
+! https://github.com/AdguardTeam/AdguardFilters/issues/121126
+jasonsavard.com#%#//scriptlet('set-constant', 'detectAdsPromise', 'emptyObj')
+!+ NOT_PLATFORM(windows, mac, android)
+jasonsavard.com#@#.ad-placement
+! https://github.com/AdguardTeam/AdguardFilters/issues/155544
+! https://github.com/AdguardTeam/AdguardFilters/issues/121630
+megadrive-emulator.com#%#//scriptlet('prevent-setTimeout', '/document\[_0x|window\.getComputedStyle\(bite\)/')
+megadrive-emulator.com#$#body #some-ad { display: block !important; }
+megadrive-emulator.com#$#.adsbox.doubleclick.ad-placement { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/120890
+texturecan.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/120817
+gameplay.icu#$#body { overflow: auto !important; }
+gameplay.icu#$##adblockbyspider { display: none !important; }
+gameplay.icu#%#//scriptlet("abort-current-inline-script", "document.createElement", "adblock")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=gameplay.icu
+! https://github.com/AdguardTeam/AdguardFilters/issues/152089
+getautoclicker.com#%#//scriptlet('set-constant', 'adsLoaded', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/120171
+cashearn.cc#%#//scriptlet("abort-current-inline-script", "$", "AdBlock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/120351
+thizissam.in#%#//scriptlet("abort-on-property-read", "adsBlocked")
+thizissam.in#%#//scriptlet("abort-current-inline-script", "document.createElement", "adblock")
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=thizissam.in
+! https://github.com/AdguardTeam/AdguardFilters/issues/120235
+gamepure.in#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/120205
+gwaher.com###anti_ab
+! https://github.com/AdguardTeam/AdguardFilters/issues/120247
+cined.com#%#//scriptlet("set-constant", "ulp_noadb", "true")
+||cined.com/content/plugins/abss-adblock-notice/assets/js/adblocker.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/120054
+go.techgeek.digital#%#//scriptlet('set-constant', 'adblockDetector', 'noopFunc')
+! https://github.com/uBlockOrigin/uAssets/issues/13369
+tamrieltradecentre.com#@#ins.adsbygoogle[data-ad-client]
+tamrieltradecentre.com#@#ins.adsbygoogle[data-ad-slot]
+tamrieltradecentre.com#$#ins.adsbygoogle[data-ad-slot] { height: 10px !important; }
+tamrieltradecentre.com#%#//scriptlet("set-constant", "adsbygoogle.loaded", "true")
+tamrieltradecentre.com#%#AG_onLoad(function(){"function"==typeof ViewModelBase&&"object"==typeof ViewModelBase.prototype&&"function"==typeof ViewModelBase.prototype.LoadBrandAdAsync&&(ViewModelBase.prototype.LoadBrandAdAsync=function(){})});
+tamrieltradecentre.com#%#AG_onLoad(function(){var a=document.querySelectorAll("ins.adsbygoogle");a.length&&a.forEach(a=>{var b=document.createElement("iframe");b.style="display: none !important;",a.setAttribute("data-ad-status","filled"),a.appendChild(b)})});
+! https://github.com/AdguardTeam/AdguardFilters/issues/119298
+@@||liveindex.org/wp-content/plugins/imedia-basic/*.js
+liveindex.org#%#//scriptlet("abort-current-inline-script", "jQuery", "adblock")
+! https://github.com/uBlockOrigin/uAssets/issues/13271
+||japantimes.co.jp/wp-content/themes/jt_theme/library/css/piano.css
+! https://github.com/AdguardTeam/AdguardFilters/issues/185177
+! https://github.com/AdguardTeam/AdguardFilters/issues/144131
+! https://github.com/AdguardTeam/AdguardFilters/issues/118843
+mdn.lol#%#//scriptlet('prevent-fetch', 'bewilderedblade.com')
+mdn.lol#%#//scriptlet('prevent-setInterval', 'atob', '1000')
+mdn.lol#%#//scriptlet('abort-on-property-read', 'alert')
+mdn.lol#%#//scriptlet('prevent-setTimeout', '/\.innerHtml|offsetWidth/')
+mdn.lol#%#//scriptlet('remove-attr', 'onmouseover', '.g-recaptcha')
+mdn.lol#$?#form > div[id]:has(> button) { display: block !important; }
+mdn.lol#%#//scriptlet('prevent-fetch', 'static.surfe.pro')
+mdn.lol#%#//scriptlet('prevent-addEventListener', '', 'Ad Blocker')
+mdn.lol,techydino.net#$#form [id][style*="none"] { display: block !important; }
+techydino.net#$#form[id] { display: block !important; }
+!+ NOT_PLATFORM(windows, mac, android)
+@@||googletagmanager.com/gtm.js$domain=mdn.lol
+*$script,redirect-rule=noopjs,domain=mdn.lol|techydino.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/118802
+mypractically.xyz#%#//scriptlet("abort-current-inline-script", "document.createElement", "_0x")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=mypractically.xyz
+! https://github.com/AdguardTeam/AdguardFilters/issues/118646
+||globaldjmix.com/dist/js/script_site_detect.js
+globaldjmix.com#%#AG_onLoad(function(){var b=document.querySelectorAll(".adsbygoogle");b.forEach(a=>a.appendChild(document.createElement("div")))});
+! https://github.com/AdguardTeam/AdguardFilters/issues/183500
+! https://github.com/AdguardTeam/AdguardFilters/issues/118778
+jpopsingles.eu#%#//scriptlet('abort-on-stack-trace', 'DOMTokenList.prototype.contains', 'manageBodyClasses')
+@@||jpopsingles.eu/ddl/ads_300x250.png
+jpopsingles.eu#@##adcontent
+jpopsingles.eu#@#.adsBanner
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=jpopsingles.eu
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,important,domain=jpopsingles.eu
+@@||jpopsingles.eu/ads/banners_300x250.png
+! https://github.com/AdguardTeam/AdguardFilters/issues/118621
+||a.exoclick.com/ad_track.js$domain=anydebrid.com|cloudcomputingtopics.net,important,redirect=nooptext
+! https://github.com/AdguardTeam/AdguardFilters/issues/129965
+$script,xmlhttprequest,redirect-rule=noopjs,domain=freesolana.top
+! https://github.com/AdguardTeam/AdguardFilters/issues/118513
+||cxense.com/cx.$script,domain=japannews.yomiuri.co.jp,redirect=noopjs,important
+@@||cdn.cxense.com/cx.$script,domain=japannews.yomiuri.co.jp
+! https://github.com/AdguardTeam/AdguardFilters/issues/118531
+lightningmaps.org#%#//scriptlet('set-constant', 'wb_insert', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/118270
+||amritadrino.com/wp-content/plugins/wp-ad-guru/
+amritadrino.com##div[id^="adguru_modal_"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/118524
+@@||england101.com/assets/js/prebid-add.js
+@@||ireland101.com/assets/js/prebid-add.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/118072
+@@||11bit.co.in/*/libs/advertisement.js
+!+ NOT_PLATFORM(windows, mac, android)
+||googletagmanager.com/gtag/js?id=$script,redirect=noopjs,domain=11bit.co.in
+! https://github.com/AdguardTeam/AdguardFilters/issues/118016
+faucet4news.xyz#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/118162
+!+ NOT_PLATFORM(windows, mac, android)
+||static.surfe.pro/js/net.js$script,redirect=noopjs,domain=median.uno
+! https://github.com/AdguardTeam/AdguardFilters/issues/118215
+@@||j2apps.s.llnwi.net/assets-origin/static/js/mx-prebid-ads.js$domain=mxplayer.in
+! https://github.com/AdguardTeam/AdguardFilters/issues/118061
+||bagi.co.in/*/js/check.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/118066
+||cryptocoinsinfo.pl/*/libs/check.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/118043
+googledrivelinks.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/118133
+@@||btc.sldc.pl/libs/advertisement.js?ad_ids=
+! anti-adb
+camvideoshub.com#%#//scriptlet("set-constant", "canRunAds", "true")
+@@||camvideoshub.com/livejasmin.com.js$script
+! https://github.com/AdguardTeam/AdguardFilters/issues/118059
+||cdn.wendycode.com/blogger/antiAdbDefer.js
+keran.co#$##adcontent.adsbygoogle { display: block !important; }
+keran.co#%#//scriptlet('prevent-element-src-loading', 'script', 'pagead2.googlesyndication.com')
+keran.co#%#//scriptlet("abort-on-property-read", "disableButtonTimer")
+||keran.co/js/check.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/118055
+faucetcrypto.net#%#//scriptlet("abort-current-inline-script", "decodeURIComponent", "_0x")
+||static.surfe.pro/js/net.js$script,xmlhttprequest,redirect=nooptext,domain=faucetcrypto.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/117939
+freebitcoin.top#%#//scriptlet("abort-current-inline-script", "decodeURIComponent", "_0x")
+||static.surfe.pro/js/net.js$script,xmlhttprequest,redirect=nooptext,domain=freebitcoin.top
+! https://github.com/AdguardTeam/AdguardFilters/issues/117841
+youfiles.net#%#//scriptlet("set-constant", "gadb", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/117860
+@@||allarewin.space/assets/ads-*.js
+allarewin.space#%#//scriptlet("abort-current-inline-script", "document.getElementById", "AdBlock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/117873
+aruble.net#@#.ad-placement
+! https://github.com/AdguardTeam/AdguardFilters/issues/117699
+technicalatg.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/117646
+||cdn.jsdelivr.net/gh/binhprodotcom/utilities@main/main.js
+redirect.dafontvn.com#$#body { overflow: auto !important; }
+redirect.dafontvn.com#$##levelmaxblock { display: none !important; }
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=redirect.dafontvn.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/117112
+hackr.io#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/117176
+r3owners.net#%#//scriptlet("abort-current-inline-script", "$", "adsBlocked")
+! https://github.com/AdguardTeam/AdguardFilters/issues/116557
+racedepartment.com#%#//scriptlet("abort-current-inline-script", "$", "adsBlocked")
+! https://github.com/AdguardTeam/AdguardFilters/issues/116522
+@@||memangbau.com/sailthru.js
+memangbau.com#%#//scriptlet("abort-current-inline-script", "document.getElementById", "').style.display='none';")
+! https://github.com/AdguardTeam/AdguardFilters/issues/116338
+javtiful.com##.dontblockme
+! https://github.com/AdguardTeam/AdguardFilters/issues/116437
+searchenginereports.net#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/116330
+choiceappstore.xyz#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/116384
+technicalatg.xyz#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/116320
+imagetotext.io#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://jbbs.shitaraba.net/bbs/read.cgi/internet/25463/1598352715/807
+@@||techniknews.net/data/ads/doubleserve.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/116199
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=googlesyndication-adsbygoogle,important,domain=educationat.xyz
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=educationat.xyz
+! https://github.com/AdguardTeam/AdguardFilters/issues/116078
+mmastreams-100.tv,mlbstreams100.com,boxingstreams100.com,nbastreams-100.tv#%#//scriptlet('prevent-fetch', 'doubleclick.net')
+! https://github.com/AdguardTeam/AdguardFilters/issues/115668
+bestjavporn.com#@#.ad-placement
+! https://github.com/AdguardTeam/AdguardFilters/issues/115815
+pandaznetwork.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/115711
+cheatermad.com#@##adcontent
+cheatermad.com#%#//scriptlet("prevent-setTimeout", "0===o.offsetLeft&&0===o.offsetTop")
+! https://github.com/AdguardTeam/AdguardFilters/issues/115891
+searchresults.cc#%#//scriptlet("set-constant", "test", "true")
+! https://github.com/uBlockOrigin/uAssets/issues/12809
+dramaworldhd.co#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/115748
+hentaidexy.com#%#//scriptlet("set-constant", "userExperienceImpacted", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/115727
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js|$domain=tudaydeals.com
+tudaydeals.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://www.reddit.com/r/uBlockOrigin/comments/xmjm98/zshort_detecting_adblocker_not_allowing_downloads/
+! https://github.com/AdguardTeam/AdguardFilters/issues/115595
+cloutgist.com,charexempire.com,up-load.one#%#//scriptlet("abort-current-inline-script", "document.addEventListener", "/abisuq/")
+! https://github.com/AdguardTeam/AdguardFilters/issues/115511
+! https://github.com/AdguardTeam/AdguardFilters/issues/72370
+tyla.com,gamingbible.com,unilad.com,ladbible.com#@#div[class*="margin-Advert"]
+tyla.com,gamingbible.com,unilad.com,ladbible.com#$#body > div[id].margin-Advert { display: block !important; }
+tyla.com,gamingbible.com,unilad.com,ladbible.com#%#//scriptlet("set-constant", "pbjs.adUnits", "emptyArr")
+! https://github.com/AdguardTeam/AdguardFilters/issues/115282
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js|$domain=treetab.co
+! https://github.com/AdguardTeam/AdguardFilters/issues/115190
+!+ NOT_PLATFORM(windows, mac, android)
+||googletagmanager.com/gtag/js$script,redirect=noopjs,domain=faucetofbob.xyz
+! https://github.com/AdguardTeam/AdguardFilters/issues/114134
+||aaxwall.com^
+! https://github.com/AdguardTeam/AdguardFilters/issues/115162
+nagarlyricshub.blogspot.com###antiAdBlock
+nagarlyricshub.blogspot.com#%#//scriptlet("abort-current-inline-script", "EventTarget.prototype.addEventListener", "adsbygoogle.js")
+! https://github.com/AdguardTeam/AdguardFilters/issues/114814
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=imagetotext.info
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,important,domain=imagetotext.info
+! https://github.com/AdguardTeam/AdguardFilters/issues/113418
+toolxox.com#%#//scriptlet("abort-current-inline-script", "document.createElement", "adblock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/113418
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=unlimitdownloads.com
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=noopjs,domain=unlimitdownloads.com,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/114837
+gifans.com#%#//scriptlet('abort-on-stack-trace', '$', 'HTMLScriptElement.onerror')
+!+ NOT_PLATFORM(windows, mac, android)
+||iclickcdn.com/tag.min.js$script,redirect=noopjs,domain=gifans.com
+! https://github.com/bogachenko/fuckfuckadblock/issues/296
+adinserter.pro#@##banner-advert-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/116173
+itscybertech.com#%#//scriptlet('prevent-element-src-loading', 'script', 'adsbygoogle')
+itscybertech.com#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'adsbygoogle.js')
+itscybertech.com#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com')
+premiumebooks.*#%#//scriptlet('abort-current-inline-script', 'document.getElementsByTagName', '/antiAdBlock|adblock/')
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=itscybertech.com|premiumebooks.*
+! rakuten.tv - adblock detection
+@@||tv.ads.spotx.tv^$domain=rakuten.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/114665
+||cdn.leanhduc.pro.vn/utilities/block-adblock/main.js
+top1iq.com,thuthuatmoi.xyz#$#body { overflow: auto !important; }
+top1iq.com,thuthuatmoi.xyz#$##levelmaxblock { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/114454
+iptvjournal.com,kienthucrangmieng.com,coin-free.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/114600
+filmzie.com#@#.textad
+filmzie.com#$#.textads.textad { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/114453
+@@||ezcoin.it/adex.js
+ezcoin.it#$#.step2 > .alert-info[style*="none"] { display: block !important; }
+ezcoin.it#$#.step2 > .ablinksgroup[style*="none"] { display: block !important; }
+ezcoin.it#%#//scriptlet("abort-current-inline-script", "document.getElementById", "(!document[_")
+! https://github.com/AdguardTeam/AdguardFilters/issues/114452
+larvelfaucet.com#%#//scriptlet("abort-current-inline-script", "document.createElement", "ad.a-ads")
+! https://github.com/AdguardTeam/AdguardFilters/issues/114449
+totalcalc.com###overlay
+totalcalc.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/114092
+||googletagmanager.com/gtag/js$script,redirect=noopjs,domain=btcbunch.com
+btcbunch.com#%#//scriptlet("abort-on-property-write", "TestAd")
+! https://github.com/easylist/easylist/issues/11483
+ricettafitness.com#$##colunas { display: block !important; }
+ricettafitness.com#$##saudacao { display: none !important; }
+ricettafitness.com#$?#body > p > span:contains(adblock) { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/160293
+! https://github.com/AdguardTeam/AdguardFilters/issues/114021
+dailymotion.com#@#.ad_box
+dailymotion.com#$#body .ad_box { display: block !important; }
+dailymotion.com#%#//scriptlet('prevent-setTimeout', 'adBlockerDetection')
+! https://github.com/AdguardTeam/AdguardFilters/issues/113963
+ninja.io#%#//scriptlet("set-constant", "App.AdblockDetected", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/113969
+games.word.tips#@#display-ad-component
+! https://github.com/AdguardTeam/AdguardFilters/issues/113700
+3dzip.org#$#body { overflow: auto !important; }
+3dzip.org#$##levelmaxblock { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/126893
+! https://github.com/AdguardTeam/AdguardFilters/issues/113935
+slink.bid#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+slink.bid#%#//scriptlet("abort-current-inline-script", "document.getElementById", "').style.display='none';")
+! https://github.com/AdguardTeam/AdguardFilters/issues/5738
+searchftps.net#%#(function(){document.location.hostname.includes("searchftps.net")&&AG_onLoad(function(){var b=document.body,a=document.createElement("iframe");b&&(a.setAttribute("width","336"),a.setAttribute("height","280"),a.style="display: none !important;",b.appendChild(a))})})();
+! https://github.com/AdguardTeam/Scriptlets/issues/203
+@@||googletagmanager.com/gtag/js$domain=coin-free.com|kienthucrangmieng.com|clickscoin.com
+||googletagmanager.com/gtag/js$domain=coin-free.com|kienthucrangmieng.com|clickscoin.com,redirect=noopjs,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/113429
+moddingzone.in#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/116620
+! https://github.com/AdguardTeam/AdguardFilters/issues/113230
+igg-games.co,igg-games.com##body > div[id][style^="position: fixed; z-index:"][style*="overflow: auto; background-color:"]
+igg-games.co,igg-games.com#@#.widget-advads-ad-widget
+igg-games.co,igg-games.com#$#.widget-advads-ad-widget { position: absolute !important; left: -3000px !important; }
+igg-games.co,igg-games.com#$##dkwids98s { height: 1px !important; }
+igg-games.co,igg-games.com#%#//scriptlet("prevent-setTimeout", "/divAds|_0x[\s\S]*?getElementsByTagName/")
+igg-games.co,igg-games.com#%#//scriptlet("abort-current-inline-script", "$", "advads")
+! https://github.com/bogachenko/fuckfuckadblock/commit/a4d302bbb5f75bcd7d3762afb4b8ae3c6fe4d801#commitcomment-69137942
+@@||bitefaucet.com/ads/wp-content/plugins/wp-safelink/assets/$image,~third-party
+bitefaucet.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/117540
+! https://github.com/AdguardTeam/AdguardFilters/issues/113169
+||bluemediafile*.*/imgads/$image,redirect=1x1-transparent.gif,domain=bluemediafiles.*|bluemediafile.*|bluemedialink.online|bluemediaurls.lol|bluemediadownload.*|urlbluemedia.*
+urlbluemedia.*,bluemediadownload.*,bluemediaurls.lol,bluemedialink.online,bluemediafile.*,bluemediafiles.*#@##ads-left
+urlbluemedia.*,bluemediadownload.*,bluemediaurls.lol,bluemedialink.online,bluemediafile.*,bluemediafiles.*#@##ads-right
+urlbluemedia.*,bluemediadownload.*,bluemediaurls.lol,bluemedialink.online,bluemediafile.*,bluemediafiles.*#@#a[href^="https://tm-offers.gamingadult.com/"]
+urlbluemedia.*,bluemediadownload.*,bluemediaurls.lol,bluemedialink.online,bluemediafile.*,bluemediafiles.*###ads-centter > a[target="_blank"] > img
+urlbluemedia.*,bluemediadownload.*,bluemediaurls.lol,bluemedialink.online,bluemediafile.*,bluemediafiles.*#$#body #ads-left { display: block !important; position: absolute !important; left: -3000px !important; }
+urlbluemedia.*,bluemediadownload.*,bluemediaurls.lol,bluemedialink.online,bluemediafile.*,bluemediafiles.*#$##ads-center { height: 250px !important; }
+urlbluemedia.*,bluemediadownload.*,bluemediaurls.lol,bluemedialink.online,bluemediafile.*,bluemediafiles.*#$##ads-right div { height: 604px !important; width: 160px !important; visibility: hidden !important; }
+urlbluemedia.*,bluemediadownload.*,bluemediaurls.lol,bluemedialink.online,bluemediafile.*,bluemediafiles.*#$#body #ads-right { display: block !important; position: absolute !important; left: -3000px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/113048
+forexlap.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/112630
+pibys.win#%#//scriptlet("set-constant", "canRunAds", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/112977
+urdutimesdaily.com#@#.adhead
+urdutimesdaily.com#%#//scriptlet("prevent-setTimeout", "adblock")
+! 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$domain=poki-gdn.com|repuls.io
+@@||g.doubleclick.net/gampad/ads?*&url=https%3A%2F%2Fgames.poki.com$xmlhttprequest,domain=imasdk.googleapis.com
+@@||g.doubleclick.net/gampad/ads?*&url=https%3A%2F%2Frepuls.io$xmlhttprequest,domain=imasdk.googleapis.com
+@@||redirector.gvt1.com/videoplayback/id/*/source/gfp_video_ads/$media,domain=poki-gdn.com|repuls.io
+||redirector.gvt1.com/videoplayback/id/*/source/gfp_video_ads/$media,redirect=noopmp4-1s,domain=poki-gdn.com|repuls.io,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/112825
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js|$xmlhttprequest,domain=testadmit.com
+testadmit.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/112931
+leechpremium.link#%#//scriptlet("abort-current-inline-script", "document.getElementById", "').style.display='none';")
+leechpremium.link#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/112883
+beermoneyforum.com#%#//scriptlet("abort-current-inline-script", "$", "initDetection")
+! https://github.com/AdguardTeam/AdguardFilters/issues/112372
+tvwish.com#$#.ad-zone.ad-space.ad-unit.textads.banner-ads.banner_ads { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/112231
+blognews.in#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/112280
+soccerstreams-100.tv#%#//scriptlet('prevent-fetch', 'doubleclick.net')
+! https://github.com/AdguardTeam/AdguardFilters/issues/112175
+rajsayt.xyz#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/112100
+familyporner.com#%#//scriptlet("set-constant", "canRunAds", "true")
+@@||familyporner.com/jesojof/js/prebid-ads.js
+! https://github.com/uBlockOrigin/uAssets/issues/12057
+@@||learnmania.org^$generichide
+@@||learnmania.org/js/*.js?_v=$script,~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/111673
+noithatmyphu.vn,dulichkhanhhoa.net#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/111791
+therootdroid.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/111784
+||raw.githack.com/gitabdel/javafiles/main/adblocken.js
+learngeom.com#$#body { overflow: auto !important; }
+learngeom.com#$##adblockbyspider { display: none !important; }
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=learngeom.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/111755
+! https://github.com/AdguardTeam/AdguardFilters/issues/111672
+@@||exe.io/js/prebid-ads.js
+eio.io,exey.io#%#//scriptlet('prevent-fetch', 'googletagmanager.com/gtag/js')
+exeo.app#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+exey.io#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com')
+exey.io#%#//scriptlet("set-constant", "randomVar", "true")
+exey.io#%#(function(){document.location.hostname.includes("exey.io")&&AG_onLoad(function(){document.querySelector("html").setAttribute("data-fp","");var a=document.createElement("ins");a.setAttribute("class","adsbygoogle");a.setAttribute("data-adsbygoogle-status","done");document.body.appendChild(a);var b=document.createElement("iframe");a.appendChild(b)})})();
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=exey.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/110079
+b2bhint.com#%#//scriptlet('prevent-setTimeout', 'verifyBlocker')
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,domain=b2bhint.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/111448
+order-order.com#%#//scriptlet('prevent-setTimeout', 'fetchBad')
+! https://github.com/AdguardTeam/AdguardFilters/issues/111488
+! https://github.com/AdguardTeam/AdguardFilters/issues/129622
+mysports.to,footy.to##.ad-modal
+mysports.to,footy.to#%#//scriptlet("abort-current-inline-script", "$", "ad-modal")
+! https://github.com/AdguardTeam/AdguardFilters/issues/111385
+@@/wp-content/plugins/imedia-basic/adserver-*.js$domain=sgxnifty.org|dollarindex.org|cacfutures.org|dowfutures.org|nasdaqfutures.org|spfutures.org|ftsefutures.org|daxfutures.org|nikkeifutures.org|niftyfutures.org|comexlive.org|mcxlive.org|ncdexlive.org
+! https://github.com/bogachenko/fuckfuckadblock/issues/278
+kituweh.xyz,artunnel57.com#@#.ad-placement
+kituweh.xyz,artunnel57.com#@#.adbadge
+kituweh.xyz,artunnel57.com#@#.ad-placeholder
+kituweh.xyz,artunnel57.com#@#.BannerAd
+kituweh.xyz,artunnel57.com#%#//scriptlet("abort-current-inline-script", "document.querySelector", "detect")
+kituweh.xyz,artunnel57.com#%#//scriptlet("prevent-setInterval", "adblock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/110892
+@@||btcadspace.com/assets/ads-*.js
+btcadspace.com#%#//scriptlet("abort-current-inline-script", "document.getElementById", "AdBlock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/110989
+mrlabtest.com##.adblockwrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/111267
+!+ NOT_PLATFORM(windows, mac, android)
+||services.vlitag.com/adv$script,redirect=noopjs,domain=mangasco.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/111068
+||claimtrx.com/next.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/111167
+vaughn.live#$#div[class$="MvnAbvsLowerThirdWrapper"] { position: absolute !important; left: -3000px !important; }
+vaughn.live#%#//scriptlet("prevent-setInterval", "MvnAbvsLowerThirdWrapper")
+! https://www.reddit.com/r/uBlockOrigin/comments/sy74pj/full_page_anti_adblock_detector/
+paidappstore.xyz#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/110983
+@@||streamsb.net/pop.js
+streamsb.net#%#//scriptlet("set-constant", "isadb", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/111060
+||feyorra.top/next.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/110870
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$redirect=googlesyndication-adsbygoogle,domain=semicolonworld.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/110513
+worldappsstore.xyz#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/bogachenko/fuckfuckadblock/issues/269
+safe.elektroupdate.com#@#ins.adsbygoogle[data-ad-client]
+safe.elektroupdate.com#@#ins.adsbygoogle[data-ad-slot]
+safe.elektroupdate.com#$#.adsbygoogle { height: 1px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/117009
+vrcmods.com#%#//scriptlet("abort-on-property-read", "bruhded")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=vrcmods.com
+||a.pub.network^$script,redirect=noopjs,domain=vrcmods.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/109657
+pherotruth.com#%#//scriptlet('abort-current-inline-script', 'Array.prototype.shift', 'void 0===')
+! https://github.com/AdguardTeam/AdguardFilters/issues/110083
+skypng.com#%#//scriptlet("set-constant", "canRunAds", "true")
+@@||skypng.com/public/js/prebid-ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/173837
+! https://github.com/AdguardTeam/AdguardFilters/issues/110085
+xtremestream.co#$#.ad { height: 100px !important; }
+xtremestream.co#%#//scriptlet('abort-current-inline-script', '$', '.height()')
+! https://github.com/AdguardTeam/AdguardFilters/issues/105851
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=wink.ru
+! Common anti-adblock rules for:
+! - detectadblock.com (the first rule);
+! - similar script (borh rules)
+/doubleserve.js$badfilter
+#$#div[class="adsbygoogle"][id="ad-detector"] { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/108057
+sanoybonito.club#@#.adbanner
+@@||googleads.g.doubleclick.net/pagead/id$xmlhttprequest,domain=sanoybonito.club
+! https://github.com/AdguardTeam/AdguardFilters/issues/109699
+dwgshare.com#$#body { overflow: auto !important; }
+dwgshare.com#$##levelmaxblock { display: none !important; }
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=dwgshare.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/109397
+@@||base64.online/ads.txt
+! https://github.com/uBlockOrigin/uAssets/issues/11570
+@@||playmyopinion.com/assets/developer/js/prebid-ads.js
+playmyopinion.com#%#//scriptlet("set-constant", "canRunAds", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/109269
+elamigosedition.com#@##advert-box
+elamigosedition.com#@##dnn_adSky
+elamigosedition.com#@##adlayer
+elamigosedition.com#@##ad-ads
+elamigosedition.com#@##ad-655
+elamigosedition.com#@##midadd
+elamigosedition.com#@##ad_middle
+elamigosedition.com#@##ads
+elamigosedition.com#@#[id^=ad_]
+! getcopy.link - antiadblock
+@@||getcopy.link/js/prebid-ads.js
+getcopy.link#%#//scriptlet("set-constant", "isAdBlockActive", "false")
+getcopy.link#%#//scriptlet("set-constant", "lck", "true")
+getcopy.link#%#//scriptlet("abort-on-property-read", "preloader_tag")
+! https://github.com/AdguardTeam/AdguardFilters/issues/161563
+! https://github.com/AdguardTeam/AdguardFilters/issues/150578
+@@||dlvideo.*/prebid.js$domain=bigbtc.win|shrink.icu
+@@||onceagain.mooo.com/prebid.js$domain=bigbtc.win
+bigbtc.win#%#//scriptlet("set-constant", "canRunAds", "true")
+@@||bigbtc.win/js/ads-prebid.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/109021
+zeroupload.com#%#//scriptlet('abort-current-inline-script', '$', 'adblockinfo')
+@@||zeroupload.com/js/js/prebid-ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/110343
+||googletagmanager.com/gtag/js$script,redirect=noopjs,important,domain=proinfinity.fun
+@@||googletagmanager.com/gtag/js$domain=proinfinity.fun
+! https://github.com/AdguardTeam/AdguardFilters/issues/105382
+@@||dosgamezone.com/ads/banner1.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/108686
+@@||blindhypnosis.com/abc-doubleclick.js
+blindhypnosis.com#$#.abcd { display: none !important; }
+blindhypnosis.com#$#.asdf { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/108674
+diglink.blogspot.com#$#body { overflow: auto !important; }
+diglink.blogspot.com#$##caynetunad { display: none !important; }
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=diglink.blogspot.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/108515
+xup.in###xupab
+xup.in#%#//scriptlet("set-constant", "showab", "noopFunc")
+xup.in#%#//scriptlet("prevent-setTimeout", "wrapfabtest")
+! https://github.com/AdguardTeam/AdguardFilters/issues/108648
+za.gl,za.uy#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/108435
+deezloaded.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/108381
+@@||dcode.fr/static/ad/index_ad_service.js
+dcode.fr#%#//scriptlet("set-constant", "dCode.adBlock", "false")
+dcode.fr#%#//scriptlet("prevent-eval-if", "google_ad_client")
+! https://github.com/AdguardTeam/AdguardFilters/issues/108367
+bootdey.com#%#//scriptlet("prevent-setTimeout", "adCheck")
+bootdey.com#@##ads-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/108330
+studyis.xyz#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! tubeload.co - antiadblock
+redload.co,tubeload.co#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+redload.co,tubeload.co##body > div[id][style^="height:"][style*="opacity:"][style*="z-index:"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/107644
+sadeempc.com#$##babasbmsgx { display: none !important; }
+sadeempc.com#%#//scriptlet('remove-attr', 'style', 'body[style="visibility: hidden !important;"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/107643
+gplpalace.one###adb
+gplpalace.one#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/107394
+htmlsave.com#%#//scriptlet("remove-attr", "href", "a[id][href^='#PleaseDisableAdblock']")
+!+ NOT_PLATFORM(windows, mac, android)
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=htmlsave.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/108210
+apkandroidhub.in#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=apkandroidhub.in,important
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,domain=apkandroidhub.in
+! https://github.com/AdguardTeam/AdguardFilters/issues/107856
+sgxnifty.org###aub
+sgxnifty.org###aub_cover
+@@||cdn.jsdelivr.net/gh/imediacdn/wp-plugins@main/imedia-basic/doubleserve.js$domain=sgxnifty.org
+! https://github.com/uBlockOrigin/uAssets/issues/11443
+babymodz.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=babymodz.com,important
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,domain=babymodz.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/107600
+jaunpurmusic.info#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=jaunpurmusic.info,important
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,domain=jaunpurmusic.info
+! https://github.com/AdguardTeam/AdguardFilters/issues/106746
+||cdn.jsdelivr.net/gh/choipanwendy/adsBlock@main/adblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/105648
+faucethero.com#$#.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/105131
+freecoursesite.com#%#//scriptlet("prevent-setTimeout", "()=>this.display()")
+! https://github.com/AdguardTeam/AdguardFilters/issues/106513
+quizack.com#%#//scriptlet("prevent-setTimeout", "blocker")
+! https://github.com/AdguardTeam/AdguardFilters/issues/111294
+! https://github.com/AdguardTeam/AdguardFilters/issues/106187
+!+ NOT_OPTIMIZED
+||cdn.jsdelivr.net/gh/mytoolznet/mab/js/dublocker.js
+!+ NOT_OPTIMIZED
+||cdn.jsdelivr.net/gh/mytoolznet/M-AdBlocker/2.0/code.min.js
+toolss.net###adb
+! https://github.com/AdguardTeam/AdguardFilters/issues/105920
+toeflmocks.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/107000
+@@||lootup.me/assets/js/ads-prebid.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/114495
+xfreehd.com#%#//scriptlet("abort-current-inline-script", "setTimeout", ".ad")
+xfreehd.com#@#.ad-title
+xfreehd.com##.abk_msg
+xfreehd.com#@#.ad-body
+! https://github.com/AdguardTeam/AdguardFilters/issues/173746
+! https://github.com/AdguardTeam/AdguardFilters/issues/103540
+||bizjournals.com/static/js/app/cxense.js
+bizjournals.com#%#//scriptlet('prevent-fetch', '/pagead2\.googlesyndication\.com|cdn\.cxense\.com|securepubads\.g\.doubleclick\.net/')
+$xmlhttprequest,third-party,redirect-rule=noopjs,domain=bizjournals.com
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=bizjournals.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/105554
+justwatch.com#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links { display:block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/74691
+clickscoin.com#%#//scriptlet("abort-current-inline-script", "$", "'body'")
+! https://github.com/AdguardTeam/AdguardFilters/issues/104678
+made-by.org#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/103998
+mm9841.cc#@#.ad-placement
+javxxx.me#@#.ad-placement
+! https://github.com/AdguardTeam/AdguardFilters/issues/104500
+filessrc.com,srcimdb.com#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/104317
+examsnet.com#%#//scriptlet("abort-on-property-read", "adsblocked")
+! https://github.com/AdguardTeam/AdguardFilters/issues/104336
+askpaccosi.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/102683
+||f362.nola.com/script.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/102612
+!#safari_cb_affinity(all)
+!#safari_cb_affinity
+! https://github.com/AdguardTeam/AdguardFilters/issues/103936
+code2care.org#@##googleAds
+code2care.org#%#//scriptlet("prevent-setTimeout", "displayMsg()")
+! https://github.com/AdguardTeam/AdguardFilters/issues/103441
+otakukan.com#%#//scriptlet('prevent-addEventListener', 'np.detect', 'detail.blocking')
+otakukan.com##body > div[style^="background:"][style*="position: fixed; display: flex; align-items: center; justify-content: center; inset: 0px; z-index:"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/102921
+healdad.com#%#//scriptlet("abort-on-property-read", "checkAdBlocker")
+! https://github.com/AdguardTeam/AdguardFilters/issues/101811
+@@||mahimeta.com/networks/ad_code.php$domain=gaminplay.com
+gaminplay.com#%#//scriptlet("abort-on-property-read", "mMCheckAgainBlock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/102928
+hollywoodmask.com#%#//scriptlet("prevent-setTimeout", "adsBlockPopup")
+! https://github.com/AdguardTeam/AdguardFilters/issues/102186
+hyipstats.net#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/102362
+arhplyrics.in###adb
+arhplyrics.in#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/102079
+javhdporn.net#@#.ad-placement
+! https://github.com/AdguardTeam/AdguardFilters/issues/102142
+jesusninoc.com#%#//scriptlet("abort-on-property-read", "gothamBatAdblock")
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/104152
+! https://github.com/AdguardTeam/AdguardFilters/issues/102919
+! https://github.com/AdguardTeam/AdguardFilters/issues/102451
+forexrw7.com,fx-22.com,forexwaw.club,forex-articles.com,try2link.com,world-trips.net,forex-gold.net#%#//scriptlet('set-constant', 'usingBlocker', 'emptyObj')
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/102334
+amcplus.com#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text_ads_2.text-ads.text-ad-links { display: block !important; }
+amcplus.com#@#.pub_300x250
+amcplus.com#@#.pub_300x250m
+amcplus.com#@#.pub_728x90
+amcplus.com#@#.text-ad
+amcplus.com#@#.text-ad-links
+amcplus.com#@#.text-ads
+amcplus.com#@#.textAd
+amcplus.com#@#.text_ad
+amcplus.com#@#.text_ads
+amcplus.com#@#.text_ads_2
+! https://github.com/AdguardTeam/AdguardFilters/issues/102138
+instastory.net##div[class^="adp"]
+||instastory.net/header/detect.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/101894
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=games.miamiherald.com
+games.miamiherald.com#@#display-ad-component
+games.miamiherald.com#%#//scriptlet("adjust-setInterval", "game will", "", "0.02")
+! https://github.com/uBlockOrigin/uAssets/issues/10745
+pdfaid.com#%#//scriptlet("prevent-setTimeout", ".offsetHeight")
+pdfaid.com#@#.googleads
+! https://github.com/AdguardTeam/AdguardFilters/issues/104340
+strikeout.cc#%#//scriptlet("prevent-addEventListener", "error", "blockMsg")
+! https://github.com/AdguardTeam/AdguardFilters/issues/100820
+securenetsystems.net###adblockWrapper
+@@||securenetsystems.net/*/scripts/ads/prebid.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/101509
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,domain=gamalk-sehetk.com
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=noopjs,domain=gamalk-sehetk.com,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/101665
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=ethereumfaucet.info,important
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=ethereumfaucet.info
+! https://github.com/AdguardTeam/AdguardFilters/issues/143574
+! https://github.com/AdguardTeam/AdguardFilters/issues/131046
+! https://github.com/AdguardTeam/AdguardFilters/issues/119162
+! https://github.com/AdguardTeam/AdguardFilters/issues/101651
+$script,third-party,redirect-rule=noopjs,domain=paraphraser.io
+paraphraser.io#%#//scriptlet('set-constant', 'adsload', 'true')
+paraphraser.io#$?##adngin-incontent_1-0 { remove: true; }
+paraphraser.io#%#AG_onLoad(function(){var a=document.querySelector("#adngin-top_banner-0");a&&a.appendChild(document.createElement("div"))});
+! https://github.com/AdguardTeam/AdguardFilters/issues/99835
+coupdemy.com##div[class^="adp"]
+! https://www.reddit.com/r/uBlockOrigin/comments/r43gcd/how_do_i_prevent_the_adblock_detector_and_the/
+isi7.net#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/100833
+@@||swnovels.com/assets/js/prebid-ads.js
+swnovels.com#%#//scriptlet("set-constant", "canRunAds", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/101294
+@@||yt.upshrink.com/adex.js
+! ! https://github.com/AdguardTeam/AdguardFilters/issues/101170
+@@||scatfap.com/scat-porn/modules/vids/misc_static/adverts.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/100856
+techymedies.com#%#//scriptlet("abort-current-inline-script", "document.createElement", "adsbygoogle.js")
+! https://github.com/AdguardTeam/AdguardFilters/issues/99805
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=darkwiki.in
+! https://github.com/AdguardTeam/AdguardFilters/issues/100649
+shrinkurl.org#%#//scriptlet("abort-on-property-read", "adBlockDetected")
+shrinkurl.org#%#//scriptlet("abort-current-inline-script", "fetch", "adblock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/99872
+luckydice.net,coinsearns.com#$#button#mdt { display: block !important; }
+luckydice.net,coinsearns.com#%#//scriptlet("abort-on-property-read", "disableButtonTimer")
+! https://github.com/AdguardTeam/AdguardFilters/issues/100696
+@@||checkfresh.com/js/prebid-ads.js
+checkfresh.com#%#//scriptlet('set-constant', 'canCanCan', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/100808
+||strdef.world/js/acheck.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/99911
+@@||playshakespeare.com/*/js/prebid-ads.js
+playshakespeare.com#%#//scriptlet("set-constant", "AAAntiAdBlocker", "true")
+! adslinkfly.online,gaminplay.com anti-adb
+adslinkfly.online,gaminplay.com#%#//scriptlet("abort-current-inline-script", "mMcreateCookie")
+! https://github.com/AdguardTeam/AdguardFilters/issues/100666
+! https://github.com/uBlockOrigin/uAssets/issues/10518#issuecomment-974645159
+fileborder.com,phsensei.com#%#//scriptlet("abort-current-inline-script", "String.fromCharCode", "decodeURIComponent")
+! https://github.com/FastForwardTeam/FastForward/issues/208
+||ytsubme.com/assets/adblock/
+! https://github.com/AdguardTeam/AdguardFilters/issues/99542
+@@/ads/wp-banners.js$domain=ibomma.*
+ibomma.*#$##abEnabled { display: none !important; }
+ibomma.*#$##abDisabled { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/99322
+letsmakeiteasy.tech###quads-myModal
+letsmakeiteasy.tech#%#//scriptlet("set-constant", "wpquads_adblocker_check_2", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/99371
+fetishshrine.com#$#.adsBox.pub_300x250m.pub_728x90.text-ad { display: block !important; }
+fetishshrine.com#%#AG_defineProperty('exoDocumentProtocol', { value: window.document.location.protocol });
+! https://github.com/AdguardTeam/AdguardFilters/issues/100165
+edealinfo.com###overlay-backadBlock
+edealinfo.com###adBlockpopup
+! https://github.com/AdguardTeam/AdguardFilters/issues/100154
+softprober.com#%#//scriptlet("abort-on-property-read", "adsBlocked")
+! https://github.com/AdguardTeam/AdguardFilters/issues/99142
+@@||zerodmca.com/*/prebid-ads.js
+zerodmca.com#%#//scriptlet("abort-current-inline-script", "document.getElementById", "adblock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/99155
+mocah.org##.kavp
+mocah.org#%#//scriptlet("prevent-setInterval", "adsbygoogle")
+! https://github.com/AdguardTeam/AdguardFilters/issues/99695
+tutorial.siberuang.com###adb
+tutorial.siberuang.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/99249
+||adsy.pw/games/games/adblocker2.js
+girls-like.me#$##wdbloogablock { display: none !important; }
+girls-like.me#$#body { overflow: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/111106
+calculator-online.net#%#//scriptlet("prevent-setInterval", ".css('display','block');")
+calculator-online.net#%#//scriptlet("prevent-setTimeout", ".css('display','block');")
+calculator-online.net#%#//scriptlet('prevent-fetch', '/pagead2\.googlesyndication\.com|cdn\.snigelweb\.com/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/99912
+kendam.com#%#//scriptlet('set-constant', 'canRunAds', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/100080
+@@||googletagmanager.com/gtag/js$domain=schoolcheats.net
+||googletagmanager.com/gtag/js$script,redirect=googletagservices-gpt,important,domain=schoolcheats.net
+! https://forum.adguard.com/index.php?threads/add-native-support-for-anti-adblocker-detection.45466/
+orbispatches.com#%#//scriptlet("set-constant", "window.adsloaded", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/99090
+segurosdevida.site###adb
+segurosdevida.site#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/97373
+newser.com###divAB
+newser.com##.whiteBack > div#lightbox
+! https://github.com/AdguardTeam/AdguardFilters/issues/98206
+automotur.club###WgD
+! https://github.com/AdguardTeam/AdguardFilters/issues/104768
+/aot-content/assets/*/cb-ads/*$domain=asiaon.top|asiaontop.com
+*$xmlhttprequest,third-party,redirect-rule=noopjs,domain=asiaon.top|asiaontop.com
+@@||a.realsrv.com/ad-provider.js$xmlhttprequest,domain=asiaon.top|asiaontop.com
+@@||cse.google.com/adsense/search/async-ads.js$domain=asiaon.top|asiaontop.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/98307
+@@||milfnut.net/pop.js
+milfnut.net#%#//scriptlet("set-constant", "isadb", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/98371
+garutexpress.id###adb
+garutexpress.id#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/98382
+@@||wcoanimesub.tv/inc/embed/ads.js
+wcoanimesub.tv#%#//scriptlet("set-constant", "isAdBlockActive", "false")
+wcoanimesub.tv#%#//scriptlet("prevent-setTimeout", "AdBlock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/98293
+projectfreetv.stream#%#//scriptlet("prevent-addEventListener", "DOMContentLoaded", ".offsetHeight")
+! https://github.com/AdguardTeam/AdguardFilters/issues/98707
+ravenmanga.xyz#%#//scriptlet('abort-current-inline-script', 'EventTarget.prototype.addEventListener', 'adblock')
+!+ NOT_OPTIMIZED
+ravenmanga.xyz##.wc-adblock-wrap
+! https://github.com/uBlockOrigin/uAssets/issues/10382
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=romaniatv.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/108192
+mac2sell.net#%#//scriptlet('prevent-fetch', 'doubleclick.net')
+! https://github.com/AdguardTeam/AdguardFilters/issues/98755
+sketchup.cgtips.org###owxjka-blanket
+! https://github.com/AdguardTeam/AdguardFilters/issues/98723
+@@||sto*.igstatic.com/js/seo-ads.js$domain=igraal.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/138863
+ojaivalleynews.com#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links.ad-text.adSense.adBlock.adContent.adBanner { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/98722
+linuxuprising.com#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links.ad-text.adSense.adBlock.adContent.adBanner { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/84715
+wataugademocrat.com#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links.ad-text.adSense.adBlock.adContent.adBanner { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/88110
+mmacore.tv#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links.ad-text.adSense.adBlock.adContent.adBanner { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/97290
+||coubassistant.com/js/adbd.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/98491
+streamta.*#@#.google-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/129136
+! https://github.com/AdguardTeam/AdguardFilters/issues/116826
+wcoforever.tv,wcostream.org,watchanimesub.net,wco.tv,wcostream.net,wcostream.com#%#//scriptlet('abort-current-inline-script', 'onload', '/isAdBlockActive|google_jobrunner|window\.location\.replace/')
+wcoforever.tv,wcostream.org,watchanimesub.net,wco.tv,wcostream.net,wcostream.com#%#//scriptlet("prevent-setTimeout", "AdBlock")
+wcoforever.tv,wcostream.org,watchanimesub.net,wco.tv,wcostream.net,wcostream.com#%#//scriptlet("set-constant", "isAdBlockActive", "false")
+@@/inc/embed/*ads.js$domain=wcostream.org|watchanimesub.net|wco.tv|wcostream.net|wcostream.com|wcoforever.tv
+@@/inc/embed/suv4.js$domain=wcostream.org|watchanimesub.net|wco.tv|wcostream.net|wcostream.com|wcoforever.tv
+@@||embed.watchanimesub.net/inc/embed/kampyle.js
+@@||embed.watchanimesub.net/inc/embed/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/97271
+@@||static.stands4.com/app_common/js/prebid-ads.js
+quotes.net#%#//scriptlet("set-constant", "canRunAds", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/97647
+@@||mgnet.xyz/default/public/assets/*.js
+mgnet.xyz#%#//scriptlet("prevent-setTimeout", "bnsErrorsCount")
+mgnet.xyz#%#//scriptlet("set-constant", "timeForCounter", "1000")
+! https://github.com/AdguardTeam/AdguardFilters/issues/97919
+magicvalley.com#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/97925
+psychpoint.com##.adblockpopup
+! https://github.com/AdguardTeam/AdguardFilters/issues/96233
+! https://github.com/AdguardTeam/AdguardFilters/issues/97148
+maxstream.video#%#//scriptlet('prevent-addEventListener', 'click', 'window.getComputedStyle')
+maxstream.video#$#div[id][style*="display"] div[id]:not(#play_limit_box,[class*="vjs"]) { display: block !important; }
+maxstream.video#%#//scriptlet("adjust-setTimeout", ".fadeIn()", "*", "0.02")
+maxstream.video#%#//scriptlet("adjust-setInterval", "counter", "*", "0.02")
+! https://github.com/AdguardTeam/AdguardFilters/issues/96306
+mixfaucet.com#%#//scriptlet("abort-on-property-read", "adblockDetector")
+! https://github.com/AdguardTeam/AdguardFilters/issues/97285
+@@||videovard.sx/ad/advert/adverts/advertisement/ad.js?
+! https://github.com/uBlockOrigin/uAssets/issues/10227
+@@||c.adsco.re/|$script,domain=hotfrog.*
+! https://github.com/AdguardTeam/AdguardFilters/issues/102882
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,domain=pigeonburger.xyz
+! https://github.com/AdguardTeam/AdguardFilters/issues/176137
+! https://github.com/AdguardTeam/AdguardFilters/issues/96899
+! 1cloudfile.com, koramaup.com - antiadblock
+! Website checks content of the "pagead2.googlesyndication.com" request, information is stored in ArrayBuffer
+1cloudfile.com,koramaup.com#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com')
+1cloudfile.com,koramaup.com#%#//scriptlet('trusted-replace-node-text', 'script', 'getNextDownloadPageLink', '200===r.status', '0===r.status')
+1cloudfile.com,koramaup.com#%#//scriptlet('trusted-replace-node-text', 'script', 'getNextDownloadPageLink', 'return r.responseText', 'return `a.getAttribute("data-ad-client")||""`')
+||cloudfront.net/?*=$script,xmlhttprequest,redirect=noopjs,domain=1cloudfile.com
+||cloudfront.net/?rwlrd=$redirect=noopframe,domain=1cloudfile.com
+1cloudfile.com#@#.advert-wrapper
+1cloudfile.com#$#.adsbygoogle { position: absolute!important; left: -3000px!important; }
+1cloudfile.com#$#body .advert-wrapper { position: absolute !important; left: -3000px !important; display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/96586
+@@||imagefap.com/jscripts/ad_loader.js
+imagefap.com#%#//scriptlet("set-constant", "adblockOn", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/96803
+aumaletv.com#%#//scriptlet("abort-current-inline-script", "document.createElement", "adblock")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=noopjs,domain=aumaletv.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/96161
+@@||neobux.com/css/ads.css
+! https://github.com/AdguardTeam/AdguardFilters/issues/96900
+plex.tv#%#//scriptlet('prevent-fetch', 'plex.tv/api/v2/ads/vendors', 'emptyStr')
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=plex.tv,important
+! audiotools.pro anti-adb
+audiotools.pro#%#//scriptlet("abort-current-inline-script", "onload", "style.display")
+! https://github.com/AdguardTeam/AdguardFilters/issues/96774
+@@||true-gaming.net/home/wp-content/themes/TrueGaming2021/js/prebid-ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/96702
+freeiptvgen.com#%#//scriptlet("abort-current-inline-script", "document.createElement", "adblock")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=noopjs,domain=freeiptvgen.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/95560
+m.kuku.lu#%#//scriptlet("set-constant", "errorSlotFlag", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/94320
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=tutcourse.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/94699
+mix957gr.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=noopjs,domain=mix957gr.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/96228
+classicreload.com###main-dialog-window
+classicreload.com#%#//scriptlet("set-constant", "aawChunk", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/95554
+oxygenu.xyz#%#//scriptlet("abort-on-property-read", "detect_adblock")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=oxygenu.xyz
+! https://github.com/AdguardTeam/AdguardFilters/issues/96046
+onlinehacking.xyz#$#body { overflow: auto !important; }
+onlinehacking.xyz#$##adblockbyspider { display: none !important; }
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=onlinehacking.xyz
+! https://github.com/AdguardTeam/AdguardFilters/issues/95549
+techbrij.com###adblockerDialog
+techbrij.com#%#//scriptlet("set-constant", "isadBlockRunning", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/95444
+@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$domain=zoomtventertainment.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/95368
+vn.trueid.net#%#//scriptlet('prevent-fetch', 'www3.doubleclick.net')
+! https://github.com/AdguardTeam/AdguardFilters/issues/170108
+! https://github.com/AdguardTeam/AdguardFilters/issues/95010
+||cdn.jsdelivr.net/gh/Indzign/InSEO@master/levelmaxblock.js
+beatsnoop.com###levelmaxblock
+beatsnoop.com#%#//scriptlet('prevent-element-src-loading', 'script', 'pagead2.googlesyndication.com')
+beatsnoop.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+beatsnoop.com#%#//scriptlet("abort-current-inline-script", "document.createElement", "adblock")
+||pagead2.googlesyndication.com/pagead/managed/js/adsense/*/show_ads_impl_fy2019.js$script,xmlhttprequest,redirect=noopjs,domain=beatsnoop.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/95200
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=calculator-online.net,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/136570
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=bowfile.com
+||cloudfront.net/?rwlrd=$redirect=noopframe,domain=bowfile.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/95132
+cdkm.com#%#//scriptlet("set-constant", "google_jobrunner", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/131199
+@@||freereceivesms.com/*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/121076
+@@||smartnator.com/assets/js/prebid-ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/93416
+cryptofans.news#%#//scriptlet('prevent-setTimeout', 'swal')
+! https://github.com/AdguardTeam/AdguardFilters/issues/183483
+! https://github.com/AdguardTeam/AdguardFilters/issues/166834
+! https://github.com/AdguardTeam/AdguardFilters/issues/158258
+! https://github.com/AdguardTeam/AdguardFilters/issues/94208
+! Rule $referrerpolicy is required for apps, because source of ima3.js is not detected and due to this it's not redirected
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=hentaihaven.xxx
+hentaihaven.xxx#%#//scriptlet('prevent-fetch', '/ads-twitter\.com|pagead|googleads|doubleclick/', '', 'opaque')
+! https://github.com/AdguardTeam/AdguardFilters/issues/94598
+eviltranslator.xyz#%#//scriptlet("abort-current-inline-script", "document.createElement", "adsbygoogle.js")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=eviltranslator.xyz
+! https://github.com/AdguardTeam/AdguardFilters/issues/94684
+@@||wcofun.com/inc/embed/ads.js
+wcofun.net,wcofun.com#%#//scriptlet("set-constant", "isAdBlockActive", "false")
+wcofun.net,wcofun.com#%#//scriptlet("prevent-setTimeout", "AdBlock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/92823
+||chd4.com/blocks/$script
+! https://github.com/AdguardTeam/AdguardFilters/issues/93893
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,domain=alfred.camera
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,important,domain=alfred.camera
+! https://github.com/AdguardTeam/AdguardFilters/issues/105644
+sms24.me,sms24.info#%#//scriptlet('abort-on-stack-trace', 'document.createElement', 'showAdblock')
+sms24.me,sms24.info#%#//scriptlet("prevent-addEventListener", "", "showAdblock()")
+sms24.me,sms24.info#%#//scriptlet("prevent-setTimeout", "/ADBLOCK|window\.\$ado|showAdblock/")
+sms24.me,sms24.info#%#//scriptlet('remove-class', 'preloader', '.preloader')
+sms24.me,sms24.info#%#//scriptlet('remove-class', 'placeholder-content', '.placeholder-content')
+sms24.me,sms24.info#%#//scriptlet('remove-class', 'placeholder', '.placeholder:not(span[class="placeholder"]:empty)', 'complete')
+sms24.me,sms24.info##body > div[style^="position: fixed; z-index: 1000"]
+||cdn.adoptum.net/ado.js$script,redirect=noopjs,domain=sms24.me|sms24.info
+! https://github.com/AdguardTeam/AdguardFilters/issues/95457
+@@||sledujserialy.io/theme/js/popunder.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/93493
+rbxscripts.xyz#%#//scriptlet('prevent-setInterval', 'adblock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/93491
+fluxteam.xyz#%#//scriptlet('prevent-setInterval', 'adblock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/93822
+animet.tv#$#.textads.banner-ads.banner_ads.adsbox { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/92911
+link.rota.cc#%#//scriptlet("abort-on-property-read", "adBlocked")
+link.rota.cc#%#//scriptlet("abort-on-property-read", "adssBlocked")
+||securepubads.g.doubleclick.net/tag/js/gpt.js$script,redirect=noopjs,important,domain=link.rota.cc
+! https://github.com/AdguardTeam/AdguardFilters/issues/104640
+! https://github.com/AdguardTeam/AdguardFilters/issues/93328
+!+ NOT_OPTIMIZED
+||jsdelivr.net/gh/RockBlogger/Anti-AdBlocker@main/
+! https://github.com/AdguardTeam/AdguardFilters/issues/92823
+chd4.com#%#//scriptlet("abort-on-property-write", "checkAdBlocker")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=chd4.com,important
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=chd4.com
+! Blocked by SPF
+||adblockanalytics.com^$xmlhttprequest,redirect=nooptext,domain=chd4.com,important
+@@||adblockanalytics.com^$xmlhttprequest,domain=chd4.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/93212
+! '(function(root,factory){if(typeof define==='function'&&define.amd)'
+nullsto.com,onlybabes.site,gamcka.com,ebookdz.com,lewdcorner.com,scriptzhub.com,iptvapps.net,nabzclan.vip,galaxyos.net,blackhatworld.com,vuinsider.com,secuhex.com,null-scripts.net,aroratr.club,forum.admiregirls.com,worldofiptv.com,mobilkulup.com,vsro.org,crazydl.net,spigotunlocked.com,iptvkalite.com,coldfrm.org,htforum.net,nullscripts.net,onlytech.com,defense-arab.com,metin2hub.com,spigotunlocked.org,crackturkey.com,dpkghub.com,eurocccam.net,forum.shoppingtelly.com,hostingunlock.com,iptvsat-forum.com,isgfrm.com,playstationhaber.com,spleaks.org,tamilbrahmins.com,tattle.life,turkishaudiocenter.com#%#//scriptlet("abort-current-inline-script", "$", "!document.getElementById(btoa")
+! https://github.com/AdguardTeam/AdguardFilters/issues/92757
+javcl.com#$##ads1 { height: 1px !important; }
+javcl.com#%#//scriptlet("prevent-setTimeout", "blockads")
+! https://github.com/AdguardTeam/AdguardFilters/issues/92431
+! https://github.com/AdguardTeam/AdguardFilters/issues/92183
+grafixfather.com#%#//scriptlet("abort-current-inline-script", "setTimeout", ".style.display=")
+! https://github.com/AdguardTeam/AdguardFilters/issues/92296
+@@||universalfreecourse.com/ads-prebid.js
+universalfreecourse.com#%#//scriptlet('abort-current-inline-script', 'EventTarget.prototype.addEventListener', '.style.display="block"')
+! https://github.com/AdguardTeam/AdguardFilters/issues/92295
+@@||downloadfreecourse.com/ads-prebid.js
+downloadfreecourse.com#%#//scriptlet('abort-current-inline-script', 'EventTarget.prototype.addEventListener', '.style.display="block"')
+! https://github.com/AdguardTeam/AdguardFilters/issues/92729
+shaalaa.com#%#//scriptlet('prevent-fetch', 'www3.doubleclick.net')
+! https://github.com/AdguardTeam/AdguardFilters/issues/91711
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=udemydownload.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/91646
+bdnewszh.com##.abblock-msg
+bdnewszh.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/pull/105436
+temporarymail.com#%#//scriptlet("set-constant", "adsRunningNew", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/91926
+85tube.com#%#//scriptlet("set-constant", "flashvars.protect_block", "")
+85tube.com#@#.ads-iframe
+@@||85tube.com/player/player_ads.html
+! https://github.com/AdguardTeam/AdguardFilters/issues/91583
+pclicious.net###quads-myModal
+pclicious.net#%#//scriptlet("set-constant", "wpquads_adblocker_check_2", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/91312
+@@||link1s.com/wp-banners.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/91466
+theluckygene.com#%#//scriptlet('remove-attr', 'value', 'input#poh[value]')
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=theluckygene.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/91125
+!+ NOT_OPTIMIZED
+||samfw.com/js/script.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/91007
+techilife.com#%#//scriptlet("set-constant", "Ad_Blocker", "true")
+@@||techilife.com/wp-content/plugins/ad-blocker/assets/js/prebid-ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/91168
+@@||leaklinks.com/js/prebid-ads.js
+leaklinks.com#%#//scriptlet('abort-current-inline-script', 'isAdBlockActive')
+! https://github.com/AdguardTeam/AdguardFilters/issues/91105
+@@||user.pnetlab.com/store/advs/check
+! https://github.com/AdguardTeam/AdguardFilters/issues/90946
+downloads.descendant.me#%#AG_onLoad(function(){var a=document.querySelector("ins.adsbygoogle");a&&a.setAttribute("data-ad-status","filled")});
+downloads.descendant.me##ins[id^="aswift_"]
+downloads.descendant.me#$#.adsbygoogle { height: 5px !important; }
+@@||downloads.descendant.me^$generichide
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=downloads.descendant.me
+@@||googletagservices.com/activeview/js/current/osd.js$domain=downloads.descendant.me
+@@||pagead2.googlesyndication.com/pagead/managed/js/adsense/*/show_ads_impl_with_ama_fy2019.js?client=ca-pub-$domain=downloads.descendant.me
+! https://github.com/AdguardTeam/AdguardFilters/issues/90797
+@@||infobel.com/Scripts/custom/*.js
+infobel.com#%#//scriptlet("set-constant", "canRunAds", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/90627
+! https://github.com/AdguardTeam/AdguardFilters/issues/90498
+@@||js.hyra.io/*.js$~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/126106
+anydebrid.com#@#.responsive-ad-wrapper
+anydebrid.com#@#ins.adsbygoogle[data-ad-client]
+anydebrid.com#@#ins.adsbygoogle[data-ad-slot]
+anydebrid.com#@#.adsbygoogle-noablate
+anydebrid.com#@#[id^="aswift_"]
+! anydebrid.com#%#//scriptlet('prevent-element-src-loading', 'script', '/dotomi\.com\/assets\/js\/adapters\/.*\/ad-info\.js|adform\.net\/banners\/scripts\/st\/trackpoint-async\.js|pagead2\.googlesyndication\.com\/pagead\/sma8\.js/')
+anydebrid.com#%#AG_onLoad(function(){const a=document.createElement("ins");a.classList.add("adsbygoogle","adsbygoogle-noablate"),a.setAttribute("data-adsbygoogle-status","done");a.setAttribute("data-ad-status","filled");const b=document.createElement("div");b.setAttribute("id","aswift_0_host"),document.body.appendChild(a),a.appendChild(b)});
+||static.yieldmo.com/ym.adv.min.js$script,redirect=noopjs,domain=anydebrid.com
+||pagead2.googlesyndication.com/pagead/sma8.js$script,redirect=noopjs,domain=anydebrid.com,important
+@@||ads.exoclick.com/nativeads.js$domain=anydebrid.com
+||exoclick.com/*.js$script,redirect-rule=noopjs,domain=anydebrid.com
+||a.exoclick.com/ads.js$script,redirect=noopjs,domain=anydebrid.com
+||ads.exoclick.com/nativeads.js$domain=anydebrid.com,redirect=noopjs,important
+||ads.exoclick.com/tag_gen.js$script,redirect=noopjs,domain=anydebrid.com
+||adserver.juicyads.com/js/fib.js$script,redirect=noopjs,domain=anydebrid.com
+||dotomi.com/assets/js/adapters/*/ad-info.js$script,redirect=noopjs,domain=anydebrid.com
+||adform.net/banners/scripts/st/trackpoint-async.js$script,redirect=noopjs,domain=anydebrid.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/90335
+@@||lewd.ninja^$csp
+@@||trk-imps.com^$csp
+new.lewd.ninja#@#.stargate
+@@||a.trk-imps.com/loader?$domain=new.lewd.ninja|lewdninja.com
+@@||advertserve.com^$domain=trk-imps.com|lewdninja.com
+lewdninja.com,new.lewd.ninja#%#(function(){window.adnPopConfig={zoneId:"149"}})();
+lewd.ninja#%#//scriptlet('prevent-fetch', 'ads.juicyads.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/115688
+@@||anonigviewer.com/assets/js/*.js
+anonigviewer.com#%#//scriptlet("abort-current-inline-script", "$", "ABD")
+! https://github.com/AdguardTeam/AdguardFilters/issues/90085
+freebinchecker.com#%#//scriptlet("prevent-setTimeout", "adsBlocked")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=noopjs,domain=freebinchecker.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/89915
+@@||mangasail.co/sites/all/themes/*/js/adsense-ads.js
+mangasail.co#%#//scriptlet("abort-on-property-read", "adb_checker")
+! https://github.com/AdguardTeam/AdguardFilters/issues/89318
+||ufile.io/assets/js/ab.js
+ufile.io#%#//scriptlet("abort-on-property-read", "justDetectAdblock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/89199
+aiimsneetshortnotes.com#%#//scriptlet("set-constant", "adsbygoogle", "undefined")
+! https://github.com/AdguardTeam/AdguardFilters/issues/89253
+@@||doubleclick.net/|$xmlhttprequest,domain=comidoc.net
+comidoc.net#%#//scriptlet('prevent-fetch', 'www3.doubleclick.net')
+! https://github.com/AdguardTeam/AdguardFilters/issues/88990
+@@||watch.globaltv.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/89138
+bowfile.com#%#//scriptlet("abort-on-property-read", "detectAdBlock")
+! crackevil.com anti adb
+crackevil.com#%#//scriptlet("abort-current-inline-script", "mMcreateCookie")
+! https://github.com/AdguardTeam/AdguardFilters/issues/88825
+crosswordsolver.org#@#display-ad-component
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=crosswordsolver.org
+@@||ams.cdn.arkadiumhosted.com/advertisement/video/stable/video-ads.js$domain=crosswordsolver.org
+@@||ams.cdn.arkadiumhosted.com/advertisement/display/stable/display-ads.js$domain=crosswordsolver.org
+crosswordsolver.org#%#//scriptlet("adjust-setInterval", "game will", "", "0.02")
+! https://github.com/AdguardTeam/AdguardFilters/issues/88626
+rancah.com#%#//scriptlet("set-constant", "short_url_app_vars.force_disable_adblock", "undefined")
+! https://github.com/AdguardTeam/AdguardFilters/issues/88714
+||codescratcher.com/wp-content/uploads/ysgpdv.js
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=codescratcher.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/88364
+@@||googletagservices.com/tag/js/gpt.js$domain=cars.ksl.com
+||googletagservices.com/tag/js/gpt.js$script,redirect=googletagservices-gpt,important,domain=cars.ksl.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/140626
+@@||adblockanalytics.com^|$domain=pearos.xyz
+pearos.xyz#%#//scriptlet('prevent-fetch', 'adblockanalytics.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/88300
+smallseo.tools#%#//scriptlet('prevent-setTimeout', 'testAd.offsetHeight === 0')
+smallseo.tools#$#.adsense.banner_ad.pub_728x90.pub_300x250 { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/88338
+homedecoratione.com#@#.advertiser
+! https://github.com/AdguardTeam/AdguardFilters/issues/88060
+k2radio.com,kowb1290.com,koel.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=k2radio.com|kowb1290.com|koel.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/88235
+fbsub.de,freer.in#@#.advertiser
+! https://github.com/AdguardTeam/AdguardFilters/issues/87895
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=coursesghar.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/86918
+@@||pubads.g.doubleclick.net/ondemand/hls/content/*/vid/*/streams$domain=sbs.com.au
+! https://github.com/AdguardTeam/AdguardFilters/issues/87332
+visatk.com###levelmaxblock
+! https://github.com/AdguardTeam/AdguardFilters/issues/87264
+@@||snowfl.com/ads/*.js$~third-party
+snowfl.com#%#//scriptlet("set-constant", "canRunAds1", "true")
+snowfl.com#%#//scriptlet("set-constant", "canRunAds2", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/87229
+viralmods.net#%#//scriptlet("abort-current-inline-script", "document.createElement", "adblock")
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=viralmods.net
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,important,domain=viralmods.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/143246
+! https://github.com/AdguardTeam/AdguardFilters/issues/87134
+simplebits.io#%#//scriptlet('prevent-fetch', '.io/ads/')
+@@||simplebits.io/ads/700/cz.html$xmlhttprequest,domain=simplebits.io
+@@||coinzillatag.com/lib/displayf.js$xmlhttprequest,domain=simplebits.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/86812
+listendata.com###myModal
+! https://github.com/AdguardTeam/AdguardFilters/issues/86715
+livingstonparishnews.com##.ad-block-meterless
+! https://github.com/AdguardTeam/AdguardFilters/issues/86828
+tutflix.org#%#//scriptlet("prevent-setTimeout", "/\$\('.*show/")
+! https://github.com/AdguardTeam/AdguardFilters/issues/86488
+sexbjcam.com#@#.google-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/90301
+! https://github.com/AdguardTeam/AdguardFilters/issues/86998
+archpaper.com#%#//scriptlet("set-constant", "adBlocked", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/86371
+@@||rcm-na.amazon-adsystem.com^$domain=sixsave.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/86360
+@@||imeteo.sk/clanok/adx.adform.net/adx/
+! https://github.com/AdguardTeam/AdguardFilters/issues/86617
+! https://github.com/AdguardTeam/AdguardFilters/issues/86546
+@@||universeguide.com/abdetect.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/86171
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=wgod.co
+wgod.co##body > div[class*=" "][style*="0.9); display: block;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/85932
+onlynudes.tv##div[id^="adde_modal-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/85820
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=moviemakeronline.com
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=moviemakeronline.com,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/85695
+codingnepalweb.com#$##cn-detect { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/85343
+||browser.sentry-cdn.com/*/bundle.min.js$script,redirect=noopjs,domain=freebitz.xyz
+!#safari_cb_affinity(privacy)
+!#safari_cb_affinity
+! https://github.com/AdguardTeam/AdguardFilters/issues/91130
+@@/wp-banners.js$domain=scratch247.info|azsoft.*|downfile.site
+link1s.com,scratch247.info,azsoft.*,downfile.site#%#//scriptlet("abort-current-inline-script", "document.getElementById", "style.display")
+! https://github.com/AdguardTeam/AdguardFilters/issues/88037
+thepoorcoder.com#%#//scriptlet("set-constant", "adblockDetector", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/85312
+@@||audiotag.info/js/adblockDetectorWithGA.js
+audiotag.info#%#//scriptlet("set-constant", "canRunAds", "true")
+audiotag.info#%#//scriptlet("set-constant", "adblockDetector", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/85134
+@@||subscene.vip/frontend/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/85826
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=noopjs,domain=gbnews.uk
+! https://github.com/AdguardTeam/AdguardFilters/issues/119056
+! https://github.com/AdguardTeam/AdguardFilters/issues/113613
+! https://github.com/AdguardTeam/AdguardFilters/issues/85014
+!+ NOT_OPTIMIZED
+||quebecormedia.com/*/lib/cheezwhiz/*index.js
+!+ NOT_OPTIMIZED
+||cheezwhiz.z9.web.core.windows.net^
+! https://github.com/AdguardTeam/AdguardFilters/issues/85392
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=kiiw.icu
+! https://github.com/AdguardTeam/AdguardFilters/issues/84935
+imagefu.com#$?#link[id][href="https://pagead2.googlesyndication.com/pagead/js/adsbygoogle.js"] { remove: true; }
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=imagefu.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/85272
+! Sourcepoint
+||7q1z79gxsi.global.ssl.fastly.net^$domain=tallahassee.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/170320
+! https://github.com/AdguardTeam/AdguardFilters/issues/156523
+! https://github.com/AdguardTeam/AdguardFilters/issues/84584
+||photon.scrolller.com/scrolller/$media,redirect-rule=noopmp4-1s
+||yotta.scrolller.com^$media,redirect=noopmp4-1s
+||yotta.scrolller.com^$image,redirect=1x1-transparent.gif
+scrolller.com##.popup:has(> .popup__box div:contains(adblocker))
+scrolller.com#%#//scriptlet('trusted-set-local-storage-item', 'SCROLLLER_BETA_1:ADBLOCK_STORAGE', '$now$')
+! https://github.com/AdguardTeam/AdguardFilters/issues/101066
+! https://github.com/AdguardTeam/AdguardFilters/issues/84455
+!+ NOT_OPTIMIZED
+||raw.githack.com/*/*/main/antiadblock/2.0/code.min.js
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=moddedguru.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/85065
+appsumo.com#$#.ad.ads.Ad.Ads.googleAd.googleAds { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/148790
+meteologix.com#%#//scriptlet("abort-on-property-read", "Object.prototype.autoRecov")
+@@||img*.kachelmannwetter.com/images/$domain=meteologix.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/84269
+meteologix.com#%#//scriptlet("set-constant", "adsJsLoaded", "1")
+! fc.lc / fc-lc.xyz
+fitdynamos.com#%#//scriptlet('abort-on-property-write', 'detectAdblock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/84088
+@@||posttrack.com^$xmlhttprequest,~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/84306
+gifans.com##body > div.adb
+@@||gifans.com/wp-content/plugins/wp-safelink/assets/fuckadblock.js$domain=gifans.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/83691
+premierfantasytools.com#%#//scriptlet("abort-on-property-read", "checkForAdBlocker")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=noopjs,domain=premierfantasytools.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/83954
+thephoblographer.com###adblock-warning
+! https://github.com/AdguardTeam/AdguardFilters/issues/83843
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=fox.com
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,important,domain=fox.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/83756
+@@||timebucks.com/publishers/js/prebid-ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/83518
+aiarticlespinner.co#%#AG_onLoad(function(){var b=document.body,a=document.createElement("div");b&&(b.appendChild(a),a.setAttribute("class","adsbygoogle"),a&&a.appendChild(document.createElement("div")))});
+! https://github.com/AdguardTeam/AdguardFilters/issues/83091
+megainteresting.com#%#//scriptlet("abort-on-property-read", "ADBLOCK")
+||tpc.googlesyndication.com/safeframe/*/html/container.html$xmlhttprequest,redirect=nooptext,domain=megainteresting.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/82626
+@@||faucethero.com/libs/blockadblock.min.js$domain=faucethero.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/83084
+cbs-soft.com#%#//scriptlet("set-constant", "adsbygoogle.loaded", "true")
+!
+! VOE
+susanhavekeep.com,lorimuchbenefit.com,evelynthankregion.com,jessicaglassauthor.com,lisatrialidea.com,bethshouldercan.com,donaldlineelse.com,josephseveralconcern.com,alleneconomicmatter.com,robertplacespace.com,heatherdiscussionwhen.com,jasminetesttry.com,erikcoldperson.com,roberteachfinal.com,loriwithinfamily.com,rebeccaneverbase.com,brucevotewithin.com,sethniceletter.com,michaelapplysome.com,cindyeyefinal.com,shannonpersonalcost.com,graceaddresscommunity.com,jasonresponsemeasure.com,ryanagoinvolve.com,jamesstartstudent.com,brookethoughi.com,vincentincludesuccessful.com,sharonwhiledemocratic.com,jayservicestuff.com,sandrataxeight.com,markstyleall.com,morganoperationface.com,johntryopen.com,seanshowcould.com,jamiesamewalk.com,bradleyviewdoctor.com,kennethofficialitem.com,lukecomparetwo.com,edwardarriveoften.com,paulkitchendark.com,stevenimaginelittle.com,troyyourlead.com,denisegrowthwide.com,kathleenmemberhistory.com,nonesnanking.com,prefulfilloverdoor.com,phenomenalityuniform.com,nectareousoverelate.com,apinchcaseation.com,timberwoodanotia.com,strawberriesporail.com,valeronevijao.com,cigarlessarefy.com,figeterpiazine.com,yodelswartlike.com,generatesnitrosate.com,chromotypic.com,gamoneinterrupted.com,metagnathtuggers.com,wolfdyslectic.com,rationalityaloelike.com,sizyreelingly.com,simpulumlamerop.com,urochsunloath.com,monorhinouscassaba.com,counterclockwisejacky.com,availedsmallest.com,tubelessceliolymph.com,tummulerviolableness.com,35volitantplimsoles5.com,scatch176duplicities.com,matriculant401merited.com,antecoxalbobbing1010.com,boonlessbestselling244.com,cyamidpulverulence530.com,guidon40hyporadius9.com,449unceremoniousnasoseptal.com,321naturelikefurfuroid.com,30sensualizeexpression.com,19turanosephantasia.com,toxitabellaeatrebates306.com,20demidistance9elongations.com,tinycat-voe-fashion.com,realfinanceblogcenter.com,uptodatefinishconferenceroom.com,bigclatterhomesguideservice.com,fraudclatterflyingcar.com,housecardsummerbutton.com,fittingcentermondaysunday.com,reputationsheriffkennethsand.com,launchreliantcleaverriver.com,audaciousdefaulthouse.com,v-o-e-unblock.com,un-block-voe.net,voeun-block.net,voe-un-block.com,voeunblk.com,voeunblck.com,voeunbl0ck.com,voeunblock3.com,voeunblock2.com,voeunblock1.com,voeunblock.com,voe-unblock.*,voe.bar,voe.sx,crownmakermacaronicism.com#%#//scriptlet("abort-current-inline-script", "$", "/\.fadeIn|\.show\(.?\)/")
+! Required for Firefox extension, because there is issue where scriptlets do not work in iframes - https://github.com/AdguardTeam/AdguardBrowserExtension/issues/1984
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=chromotypic.com|gamoneinterrupted.com|metagnathtuggers.com|wolfdyslectic.com|rationalityaloelike.com|sizyreelingly.com|simpulumlamerop.com|urochsunloath.com|monorhinouscassaba.com|counterclockwisejacky.com|availedsmallest.com|tubelessceliolymph.com|tummulerviolableness.com|35volitantplimsoles5.com|scatch176duplicities.com|matriculant401merited.com|antecoxalbobbing1010.com|boonlessbestselling244.com|cyamidpulverulence530.com|guidon40hyporadius9.com|449unceremoniousnasoseptal.com|321naturelikefurfuroid.com|30sensualizeexpression.com|19turanosephantasia.com|toxitabellaeatrebates306.com|20demidistance9elongations.com|tinycat-voe-fashion.com|realfinanceblogcenter.com|uptodatefinishconferenceroom.com|bigclatterhomesguideservice.com|fraudclatterflyingcar.com|housecardsummerbutton.com|fittingcentermondaysunday.com|reputationsheriffkennethsand.com|launchreliantcleaverriver.com|audaciousdefaulthouse.com|v-o-e-unblock.com|un-block-voe.net|voeun-block.net|voe-un-block.com|voeunblk.com|voeunblck.com|voeunbl0ck.com|voeunblock3.com|voeunblock2.com|voeunblock1.com|voeunblock.com|voe-unblock.*|voe.bar|voe.sx|crownmakermacaronicism.com|generatesnitrosate.com|yodelswartlike.com|figeterpiazine.com|cigarlessarefy.com|valeronevijao.com|strawberriesporail.com|timberwoodanotia.com|apinchcaseation.com|nectareousoverelate.com|phenomenalityuniform.com|prefulfilloverdoor.com|nonesnanking.com|kathleenmemberhistory.com|denisegrowthwide.com|troyyourlead.com|stevenimaginelittle.com|paulkitchendark.com|edwardarriveoften.com|lukecomparetwo.com|kennethofficialitem.com|bradleyviewdoctor.com|jamiesamewalk.com|seanshowcould.com|johntryopen.com|morganoperationface.com|markstyleall.com|sandrataxeight.com|jayservicestuff.com|sharonwhiledemocratic.com|vincentincludesuccessful.com|brookethoughi.com|jamesstartstudent.com|ryanagoinvolve.com|jasonresponsemeasure.com|graceaddresscommunity.com|shannonpersonalcost.com|cindyeyefinal.com|michaelapplysome.com|sethniceletter.com|brucevotewithin.com|rebeccaneverbase.com|loriwithinfamily.com|roberteachfinal.com|erikcoldperson.com|jasminetesttry.com|heatherdiscussionwhen.com|robertplacespace.com|alleneconomicmatter.com|josephseveralconcern.com|donaldlineelse.com|bethshouldercan.com|lisatrialidea.com|jessicaglassauthor.com|evelynthankregion.com|lorimuchbenefit.com|susanhavekeep.com
+!
+!
+!
+! https://github.com/easylist/easylist/pull/7875#issuecomment-841782152
+neos-easygames.com,synk-casualgames.com#@##ad_block
+! https://github.com/AdguardTeam/AdguardFilters/issues/83177
+herokuapp.com#%#//scriptlet("set-constant", "gadb", "false")
+||pagead2.googlesyndication.com/pagead/show_ads.js$script,redirect=noopjs,domain=herokuapp.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/176685
+b2bhint.com#%#//scriptlet('prevent-setTimeout', 'l.apply', '10000')
+! https://github.com/AdguardTeam/AdguardFilters/issues/82707
+@@||chipverify.com/*/js/prebid-ads.js
+chipverify.com#%#//scriptlet("set-constant", "adblock", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/82780
+! https://github.com/AdguardTeam/AdguardFilters/issues/97815
+@@||popcash.net^|$xmlhttprequest,domain=upvideo.to
+! https://github.com/AdguardTeam/AdguardFilters/issues/82404
+witcherhour.com#$#.publicite.text-ad.adsbox { display: block !important; }
+witcherhour.com#%#//scriptlet("abort-on-property-read", "gothamBatAdblock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/82880
+softwebtuts.com##.adblock-wrapper
+! https://www.reddit.com/r/uBlockOrigin/comments/n98r1z/trouble_displaying_articles_on_gazettecom/
+||azureedge.net/prod/cosprings/loader.min.js$domain=gazette.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/82559
+zuketcreation.net#@#.adsBanner
+! https://github.com/AdguardTeam/AdguardFilters/issues/82331
+rodude.com#%#//scriptlet("set-constant", "adblock_detection", "undefined")
+! https://github.com/AdguardTeam/AdguardFilters/issues/81867
+charbelnemnom.com#%#//scriptlet("set-constant", "advanced_ads_check_adblocker", "noopFunc")
+! Tracktrace.delivery - unable to track due to detection
+@@||tracktrace.delivery/ads.txt
+! https://github.com/AdguardTeam/AdguardFilters/issues/110491
+! https://github.com/AdguardTeam/AdguardFilters/issues/81794
+toolss.net#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+toolss.net#%#//scriptlet('prevent-setTimeout', 'testAd.offsetHeight === 0')
+toolss.net#$#.adsense.banner_ad.pub_728x90.pub_300x250 { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/82049
+lootlinks.*#%#//scriptlet("set-constant", "canRunAds", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/81693
+abandonmail.com#%#//scriptlet('prevent-setTimeout', '.offsetHeight == 0')
+! https://github.com/AdguardTeam/AdguardFilters/issues/169818
+! https://github.com/AdguardTeam/AdguardFilters/issues/81464
+motorsport.tv#%#//scriptlet('set-constant', 'google', 'emptyObj')
+motorsport.tv#%#//scriptlet('set-constant', 'google.ima', 'emptyObj')
+@@||static.adsafeprotected.com/vans-adapter-google-ima.js$domain=motorsport.tv
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=motorsport.tv
+||static.adsafeprotected.com/vans-adapter-google-ima.js$script,redirect=noopjs,domain=motorsport.tv,important
+! adz7short.space,goldenfaucet.io,croclix.me anti-adb
+@@/viewad.$stylesheet,script,domain=adz7short.space|short.croclix.me|short.goldenfaucet.io
+@@||adz7short.space^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/81503
+yoshare.net#$#.publicite.text-ad.adsbox { display: block !important; }
+yoshare.net#%#//scriptlet("abort-on-property-read", "gothamBatAdblock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/81497
+game3rb.com#%#//scriptlet("abort-on-property-read", "plzdisa")
+game3rb.com#%#//scriptlet("abort-current-inline-script", "loadScript", ")]['innerHTML'")
+game3rb.com#%#//scriptlet("prevent-fetch", "/pagead2\.googlesyndication\.com|cloudfront\.net\/\?.*=/")
+||cloudfront.net/?*=$script,xmlhttprequest,other,redirect=noopjs,domain=game3rb.com
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,other,redirect=noopjs,domain=game3rb.com
+||cloudfront.net/?besed=$script,other,redirect=noopjs,domain=game3rb.com
+||googletagmanager.com/gtag/js$script,other,redirect=noopjs,domain=game3rb.com
+@@||static.doubleclick.net/instream/ad_status.js$domain=game3rb.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/81107
+kittycatcam.com,morganhillwebcam.com,njwildlifecam.com,atlanticcitywebcam.com,palmbeachinletwebcam.com,juneauharborwebcam.com,portnywebcam.com,nyharborwebcam.com,portbermudawebcam.com,pompanobeachcam.com,fllbeachcam.com,ftlauderdalebeachcam.com,keywestharborwebcam.com,porttampawebcam.com,portcanaveralwebcam.com,sxmislandcam.com,mahobeachcam.com,portstmaartenwebcam.com,paradiseislandcam.com,portnassauwebcam.com,miamiairportcam.com,portmiamiwebcam.com,ftlauderdalewebcam.com,portevergladeswebcam.com#%#//scriptlet("prevent-setTimeout", "contentCheck")
+! https://github.com/AdguardTeam/AdguardFilters/issues/81379
+! TODO: Probably it will be possible to change AG_defineProperty rule to scriptlet when this issue will be fixed - https://github.com/AdguardTeam/Scriptlets/issues/65
+@@||static.doubleclick.net/instream/ad_status.js$domain=pewgame.com
+||pewgame.com/js/pab.js
+pewgame.com#%#//scriptlet("abort-on-property-read", "plzdisa")
+pewgame.com#%#AG_defineProperty('app_vars.counter_value', {value: 5, writable: false});
+! https://github.com/AdguardTeam/AdguardFilters/issues/81273
+animedao.to#%#//scriptlet("abort-current-inline-script", "document.createElement", "adblock")
+@@||s.yimg.com/dy/ads/native.js$domain=animedao.to
+||s.yimg.com/dy/ads/native.js$script,redirect=noopjs,domain=animedao.to,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/81280
+jacquieetmicheltv.net#%#//scriptlet('set-constant', 'is_adblocked', 'false')
+@@||jacquieetmicheltv.net/statics/js/popunder.js.
+! https://github.com/AdguardTeam/AdguardFilters/issues/81233
+||hentaisvision.biz/js/adblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/85755
+movieverse.co#@#.ads_header
+movieverse.co#@#.ads_single_center
+! https://github.com/AdguardTeam/AdguardFilters/issues/80254
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=vladan.fr
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=vladan.fr
+! https://github.com/AdguardTeam/AdguardFilters/issues/109361
+! https://github.com/AdguardTeam/AdguardFilters/issues/80585
+apps2app.com#%#//scriptlet("abort-on-property-read", "adsBlocked")
+apps2app.com#%#//scriptlet("abort-on-property-read", "detectAdblock")
+apps2app.com#%#//scriptlet("prevent-setTimeout", "xdBlockEnabled", "100")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=noopjs,domain=apps2app.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/80273
+! Incase of DNS Filtering
+adzsafe.com#%#//scriptlet("set-constant", "chk_ads_block", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/79989
+! Similar site in Japanese filter: rocketnews24.com, youpouch.com
+soranews24.com#@#.ad
+soranews24.com#%#//scriptlet('prevent-fetch', 'tpc.googlesyndication.com')
+soranews24.com#%#//scriptlet('remove-attr', 'id', '#div-gpt-ad-sidebottom')
+soranews24.com#%#//scriptlet('remove-attr', 'id', '#div-gpt-ad-footer')
+soranews24.com#%#//scriptlet('remove-attr', 'id', '#div-gpt-ad-pagebottom')
+soranews24.com#%#//scriptlet('remove-attr', 'id', '#div-gpt-ad-relatedbottom-1')
+@@||tpc.googlesyndication.com/simgad/$xmlhttprequest,domain=soranews24.com
+||tpc.googlesyndication.com^$image,redirect=1x1-transparent.gif,domain=soranews24.com,important
+@@||g.doubleclick.net/gampad/ads?$xmlhttprequest,domain=soranews24.com
+||g.doubleclick.net/gampad/ads?$xmlhttprequest,removeparam=/^(cookie|ga_|u_)/,domain=soranews24.com
+@@||sst.soranews24.com/gtm.js$script,~third-party
+@@||g.doubleclick.net/tag/js/gpt.js$domain=soranews24.com
+@@||g.doubleclick.net/pagead/managed/js/gpt/*/pubads_impl.js$domain=soranews24.com
+@@||fundingchoicesmessages.google.com^$script,domain=soranews24.com
+||pagead2.googlesyndication.com/pagead/$script,redirect=googlesyndication-adsbygoogle,domain=soranews24.com
+@@||soranews24.com^$generichide
+||googlesyndication.com/safeframe/$subdocument,redirect=noopframe,domain=soranews24.com
+||fundingchoicesmessages.google.com^$script,redirect-rule=noopjs,domain=soranews24.com
+soranews24.com#%#//scriptlet('remove-class', 'hidden_share', 'div[id^="post-"]')
+soranews24.com#%#//scriptlet('abort-on-property-read', 'jQuery')
+soranews24.com#%#AG_onLoad(function(){const a=document.querySelectorAll("img[data-sco-src]");a.forEach(a=>{const b=a.getAttribute("data-sco-src");a.setAttribute("src",b),a.style.opacity="1"})});
+!#safari_cb_affinity(privacy)
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=soranews24.com
+@@||tpc.googlesyndication.com/simgad/$image,domain=soranews24.com
+!#safari_cb_affinity
+! https://github.com/AdguardTeam/AdguardFilters/issues/80392
+rollercoin.com##.adBlock-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/79516#issuecomment-816672313
+! https://github.com/AdguardTeam/AdguardFilters/issues/82053
+uniqueten.net###adb
+! https://github.com/AdguardTeam/AdguardFilters/issues/79755
+beta.shortearn.eu#%#//scriptlet('abort-current-inline-script', 'fetch', 'detectAdblockWithInvalidURL')
+! https://github.com/AdguardTeam/AdguardFilters/issues/80086
+hindustantimes.com#%#//scriptlet("set-constant", "PWT.requestBids", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/79933
+tnaflix.com#$#.adsBox.pub_300x250m.pub_728x90.text-ad { display: block !important; }
+tnaflix.com#%#AG_defineProperty('exoDocumentProtocol', { value: window.document.location.protocol });
+! https://github.com/AdguardTeam/AdguardFilters/issues/80030
+@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$domain=timesnownews.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/80189
+||googleads.g.doubleclick.net/pagead/id$xmlhttprequest,redirect=nooptext,important,domain=guides.magicgameworld.com
+@@||googleads.g.doubleclick.net/pagead/id$domain=guides.magicgameworld.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/80290
+! https://github.com/AdguardTeam/AdguardFilters/issues/80289
+||tinypass.com^$domain=christianity.com|crosswalk.com|dailycaller.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/80955
+@@/libs/advertisement1.js$domain=faucet.shorterall.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/79435
+@@||redbox.com/images/ads/pixel.png
+! https://github.com/AdguardTeam/AdguardFilters/issues/78775
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=10play.com.au
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=noopjs,domain=10play.com.au
+! https://github.com/AdguardTeam/AdguardFilters/issues/79325
+@@||claimbits.net/static/js/noadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/78471
+venge.io#%#//scriptlet("set-constant", "SDKLoaded", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/78600
+dndsearch.in#$#.myTestAd { height:1px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/154144
+||investing.com/js/*/ad-notification-popup-*.min.js
+investing.com#$#div[id^="bait-"][class][style] { display: block !important; }
+investing.com#%#//scriptlet('set-constant', 'adNotificationDetected', 'false')
+investing.com#%#//scriptlet('prevent-setTimeout', '===window.getComputedStyle(')
+! https://github.com/AdguardTeam/AdguardFilters/issues/77675#issuecomment-809455670
+! it's caused by AdGuard DNS
+investing.com#%#//scriptlet('prevent-fetch', '/pagead2\.googlesyndication\.com|yandex\.ru\/ads\//', '', 'opaque')
+! https://github.com/AdguardTeam/AdguardFilters/issues/78540
+tw-calc.net#%#//scriptlet("set-constant", "WebSite.plsDisableAdBlock", "noopFunc")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=noopjs,domain=tw-calc.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/78722
+! Anti-adblock caused by DNS.
+thgss.com##.blockerAlert
+! textovisia.com - antiadblock
+@@||textovisia.com/js/prebid-ads.js
+textovisia.com#%#//scriptlet("set-constant", "isAdBlockActive", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/78270
+||pubads.g.doubleclick.net/ondemand/hls/content/*/streams$xmlhttprequest,redirect=nooptext,domain=sbs.com.au
+! https://github.com/AdguardTeam/AdguardFilters/issues/78305
+@@||mahimeta.com/networks/ad_code.php$domain=forobasketcatala.com
+forobasketcatala.com#%#//scriptlet("abort-on-property-read", "mMCheckAgainBlock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/78136
+adex.network#%#//scriptlet('prevent-fetch', 'moonicorn.network')
+||tom.moonicorn.network/channel/list$xmlhttprequest,redirect=nooptext,domain=adex.network
+! https://github.com/AdguardTeam/AdguardFilters/issues/78009
+notateslaapp.com#%#//scriptlet("prevent-setTimeout", "/adthrive|blockedAds|books/")
+notateslaapp.com#%#//scriptlet("set-constant", "canSeeAds", "true")
+@@/assets/ads-*.js$domain=notateslaapp.com
+! macworld.co.uk - ad reinjection
+macworld.co.uk#%#//scriptlet('abort-current-inline-script', 'navigator.userAgent', 'Flags.')
+||amazon-adsystem.com/aax2/apstag.js$script,redirect=amazon-apstag,domain=macworld.co.uk
+||googletagservices.com/tag/js/gpt.js$script,redirect=googletagservices-gpt,domain=macworld.co.uk
+! https://github.com/AdguardTeam/AdguardFilters/issues/77890
+dudestream.com###eazy_ad_unblocker_holder
+! https://github.com/AdguardTeam/AdguardFilters/issues/77887
+insidertracking.com#%#//scriptlet("prevent-setTimeout", "no_ad", "15000")
+! https://github.com/AdguardTeam/AdguardFilters/issues/77852
+! https://github.com/AdguardTeam/AdguardFilters/issues/77686
+||cdn.jsdelivr.net/gh/vli-platform/adb-analytics@*/v1.0.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/77693
+daviruzsystems.com#$##babasbmsgx { display: none !important; }
+daviruzsystems.com#%#//scriptlet('remove-attr', 'style', 'body[style="visibility: hidden !important;"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/77475
+@@||blogs.earningradar.com/wp-content/plugins/wp-safelink/assets/fuckadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/125969
+! https://github.com/AdguardTeam/AdguardFilters/issues/77522
+flowsoft7.com#%#//scriptlet("set-constant", "gadb", "false")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=flowsoft7.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/77519
+scanner.thetimetube.com#%#//scriptlet("set-constant", "gadb", "false")
+||pagead2.googlesyndication.com/pagead/show_ads.js$script,redirect=noopjs,domain=scanner.thetimetube.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/121676
+! https://github.com/AdguardTeam/AdguardFilters/issues/77644
+/xlnuxytj$domain=lightnovelworld.com|lightnovelspot.com|webnovelpub.com|lightnovelpub.com|lightnovelpub.vip
+@@||static.*.com/content/js/pubfig.*.js$domain=lightnovelpub.com|webnovelpub.com|lightnovelspot.com|lightnovelpub.vip
+||static.*.com/content/js/abdbundle.*.js$domain=lightnovelpub.com|webnovelpub.com|lightnovelspot.com|lightnovelworld.com|lightnovelpub.vip
+lightnovelpub.vip,lightnovelworld.com,lightnovelspot.com,webnovelpub.com,lightnovelpub.com#$#body .adsbox[style*="height"] { display: block !important; }
+lightnovelpub.vip,lightnovelworld.com,lightnovelspot.com,webnovelpub.com,lightnovelpub.com#$#body .adsbygoogle[style*="height"] { display: block !important; }
+lightnovelpub.vip,lightnovelworld.com,lightnovelspot.com,webnovelpub.com,lightnovelpub.com#%#//scriptlet("set-constant", "lnabd", "false")
+lightnovelpub.vip,lightnovelworld.com,lightnovelspot.com,webnovelpub.com,lightnovelpub.com#%#//scriptlet('prevent-element-src-loading', 'img', 'px.moatads.com')
+lightnovelpub.vip,lightnovelworld.com,lightnovelspot.com,webnovelpub.com,lightnovelpub.com#%#//scriptlet("prevent-setTimeout", "/abchecker|AdBlock/")
+lightnovelpub.vip,lightnovelworld.com,lightnovelspot.com,webnovelpub.com,lightnovelpub.com#%#//scriptlet('prevent-setTimeout', '/(?:function)?\(\)(?:=>)?\{(?:(?!.*(add|remove)Class).*)\(.*"(?:(?!show|visible).*)"\)\}/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/77375
+gats.io#$##detect.ad-placement { display: block !important; }
+! getpaste.link, pastebr.xyz - antiadblock
+@@/js/prebid-ads.js$~third-party,domain=vippaste.xyz|sharetext.me|getpaste.link|pastebr.xyz
+vippaste.xyz,sharetext.me,getpaste.link,pastebr.xyz#%#//scriptlet("set-constant", "isAdBlockActive", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/77121
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=nrl.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/76928
+beef1999.blogspot.com#%#//scriptlet("prevent-eval-if", "/_statcounter|use_adebloker|my_ads_url/")
+||revenuenetworkcpm.com^$script,redirect=noopjs,important,domain=beef1999.blogspot.com|ustream.to
+||profitabletrustednetwork.com$redirect=noopjs,important,domain=beef1999.blogspot.com|ustream.to
+! https://github.com/AdguardTeam/AdguardFilters/issues/76858
+sportbible.com#@#div[class*="margin-Advert"]
+sportbible.com#$#body > div[id].margin-Advert { display: block !important; }
+||adsafeprotected.com/vans-adapter-google-ima.js$script,redirect=noopjs,domain=sportbible.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/77008
+aiarticlespinner.co#%#//scriptlet("set-constant", "google_jobrunner", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/76787
+hideandseek.world#%#//scriptlet("set-constant", "canRunAds", "true")
+@@||hideandseek.world/js/prebid-ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/76778
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=toyoheadquarters.com
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,important,domain=toyoheadquarters.com
+minecraftraffle.com#%#//scriptlet("abort-current-inline-script", "awm", "window.location")
+! https://github.com/AdguardTeam/AdguardFilters/issues/152774
+! https://github.com/AdguardTeam/AdguardFilters/issues/90078
+check-plagiarism.com#@#.ad-placeholder
+check-plagiarism.com#$#body #detect[class] { display: block !important; }
+check-plagiarism.com#%#//scriptlet("set-constant", "google_jobrunner", "noopFunc")
+check-plagiarism.com#%#AG_onLoad(function(){var b=new MutationObserver(function(){var a=document.querySelectorAll("ins.adsbygoogle");if(0a;a++)b.appendChild(d.cloneNode())});
+megaup.net#%#AG_onLoad(function() { var el=document.querySelector(".metaRedirectWrapperBottomAds"); var ce=document.createElement('div'); if(el) { el.appendChild(ce); ce.setAttribute("class", "text-elements"); } });
+megaup.net#%#AG_onLoad(function() { var el=document.body; var ce=document.createElement('div'); if(el) { el.appendChild(ce); ce.setAttribute("id", "AdskeeperComposite"); } });
+megaup.net#%#AG_onLoad(function() { var el=document.body; var ce=document.createElement('div'); if(el) { el.appendChild(ce); ce.setAttribute("class", "mghead"); } });
+megaup.net#$#.metaRedirectWrapperBottomAds img { width: 300px !important; }
+megaup.net#$#.metaRedirectWrapperBottomAds a > img { visibility: visible !important; }
+megaup.net#$#.imgAds { height: 250px !important; }
+megaup.net#$#.imgAds > img { height: 250px !important; }
+megaup.net#$#.metaRedirectWrapperBottomAds > * { pointer-events: none !important; }
+megaup.net#$#div[style="display: inline-block"] a[target="_blank"] > img { position: absolute !important; left: -3000px !important; }
+megaup.net#%#//scriptlet("abort-current-inline-script", "I833")
+megaup.net#%#//scriptlet('set-constant', 'zJSYdQ ', 'true')
+megaup.net#%#//scriptlet('set-constant', 'ASksiwk', 'true')
+||download.megaup.net/*.jpg$~third-party,image,redirect=1x1-transparent.gif
+||download.megaup.net/images/*.gif
+||megaup.net/images/ads/$important
+||megaup.net/imageads/$important
+@@||download.megaup.net/*.js$~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/96227
+! https://github.com/AdguardTeam/AdguardFilters/issues/75571
+purposegames.com#%#//scriptlet("set-constant", "sngsaa", "false")
+||securepubads.g.doubleclick.net/tag/js/gpt.js$script,redirect=googletagservices-gpt,important,domain=purposegames.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/75708
+@@||megaup.net^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/75570
+note.sieuthuthuat.com#%#//scriptlet("set-constant", "isAdBlockActive", "false")
+@@||note.sieuthuthuat.com/js/prebid-ads.js
+! anti-adblock in friendproject.net
+friendproject.net#@#.ad-top
+friendproject.net#%#//scriptlet("set-constant", "adblock", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/75461
+twcc.fr#%#!function(){window.adsbygoogle={loaded:!0,push:function(){"undefined"===typeof this.length&&(this.length=0,this.length+=1)}}}();
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=twcc.fr
+! pops.tv anti-adb
+pops.tv#@##adsContainer
+pops.tv#@#.ad-placement
+! freebitcoin.win Anti-AdBlock
+@@||freebitcoin.win/static/deliver_ads/popunder_moon_ads_*.js$~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/75346
+gplinks.co,adomainscan.com##div[id^="__vliadb83"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/75333
+badassdownloader.com#%#//scriptlet('set-constant', 'bscheck.adblocker', 'noopFunc')
+badassdownloader.com#%#//scriptlet('prevent-setTimeout', 'innerHTML')
+! https://github.com/AdguardTeam/AdguardFilters/issues/75270
+freecoursewebsite.com#@#.adsBanner
+freecoursewebsite.com#$##wrapfabtest { height: 1px !important; }
+freecoursewebsite.com###eazy_ad_unblocker_holder
+! https://github.com/AdguardTeam/AdguardFilters/issues/75202
+movieflixpro.com#@#.ads_single_center
+movieflixpro.com#$#aside.ads_single_center { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/75027
+driverename.iblogbox.com#%#//scriptlet("set-constant", "gadb", "false")
+||pagead2.googlesyndication.com/pagead/show_ads.js$script,redirect=noopjs,domain=driverename.iblogbox.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/74820
+tiz-cycling-live.io#%#//scriptlet("prevent-setTimeout", "ins.adsbygoogle")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=tiz-cycling-live.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/74725
+tyla.com#@#div[class*="margin-Advert"]
+@@||static.adsafeprotected.com/vans-adapter-google-ima.js$domain=tyla.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/71042
+/fontyukle.net\/js\/\w+.js/$domain=fontyukle.net
+fontyukle.net#%#//scriptlet("prevent-setTimeout", "adsbygoogle")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=fontyukle.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/74902
+robot-forum.com#%#//scriptlet("set-constant", "cwAdblockDisabled", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/74649
+freemc.host#%#//scriptlet("prevent-setInterval", "adsbygoogle", "1000")
+! https://github.com/AdguardTeam/AdguardFilters/issues/74427
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=googlesyndication-adsbygoogle,important,domain=theteacherscorner.net
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,domain=theteacherscorner.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/74545
+strtape.*#@#.google-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/74464
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=simsdom.com
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,important,domain=simsdom.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/74359
+! https://github.com/AdguardTeam/AdguardFilters/issues/74360
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=hulblog.com
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,important,domain=hulblog.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/74176
+! https://github.com/AdguardTeam/AdguardFilters/issues/75599
+||copyrightcontent.org/unblocker/ub/$domain=finchtechs.com|imginn.com|manithan.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/74297
+elil.cc#%#//scriptlet('set-constant', 'ads_blocked', '0')
+@@||elil.cc/advertisement/$script,~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/74097
+tvchoicemagazine.co.uk#%#//scriptlet("set-constant", "showModal", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/73943
+||adservice.google.com/adsid/integrator.js$script,redirect=noopjs,domain=961thebreeze.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/73940
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=games.metro.us
+@@||ams.cdn.arkadiumhosted.com/advertisement/video/stable/video-ads.js$domain=games.metro.us
+@@||ams.cdn.arkadiumhosted.com/advertisement/display/stable/display-ads.js$domain=games.metro.us
+games.metro.us#%#//scriptlet("adjust-setInterval", "game will", "", "0.02")
+! https://github.com/AdguardTeam/AdguardFilters/issues/85743
+eio.io,linkpoi.me,eririo.club,freshi.site,exe.app#%#//scriptlet("set-constant", "disableItToContinue", "noopFunc")
+!#safari_cb_affinity(privacy)
+!#safari_cb_affinity
+! ytmp3.eu/en45/ anti-adblock
+||ytmp3.eu/en45/pagead/js/adsbygoogle.js$xmlhttprequest,~third-party,redirect=nooptext,important
+@@||ytmp3.eu/en45/pagead/js/adsbygoogle.js$xmlhttprequest,~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/73849
+@@||player.clevercast.com/players/video-js/video-js-plugins/videojs.ads.min.js
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/72017
+! The rules from Frellwit's list
+! https://github.com/AdguardTeam/AdguardFilters/issues/72017#issuecomment-787037644
+!START: discoveryplus
+||akamaihd.net^$media,domain=discoveryplus.*
+||dnitv.com^$media,domain=discoveryplus.*
+@@||mparticle.com^*/login$domain=discoveryplus.*
+!+ PLATFORM(ext_chromium)
+||prod-adops-proxy.dnitv.net^$redirect=nooptext,domain=discoveryplus.*
+!END: discoveryplus
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/73654
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=subtitle.one
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,important,domain=subtitle.one
+! https://github.com/AdguardTeam/AdguardFilters/issues/73502
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=livexlive.com
+@@||googletagservices.com/tag/js/gpt.js$domain=livexlive.com
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=livexlive.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/73553
+||cdn.jsdelivr.net/gh/dandyraka/jnck-adblock/jnck.adblock.min.js$domain=jnckmedia.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/73957
+@@||cryptofuns.ru^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/73676
+genshinimpactcalculator.com#%#//scriptlet("set-constant", "nitroAds.loaded", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/73068
+! https://github.com/AdguardTeam/AdguardFilters/issues/73419
+@@||ephoto360.com/js/blockadblock.js
+ephoto360.com#%#//scriptlet("abort-current-inline-script", "$", "Adblock")
+! Ads reinjection(Ad Defend)
+! also can be hidden by `##img[referrerpolicy="unsafe-url"][src^="***"]`
+transfermarkt.*#@#.AD-POST
+#@#.ADV320_50_100
+! https://github.com/AdguardTeam/AdguardFilters/issues/152983
+client.falixnodes.net#%#//scriptlet('abort-on-property-write', 'detectAdBlock')
+@@||client.falixnodes.net^$generichide
+client.falixnodes.net##div[id^="adngin-"]
+@@||s0.2mdn.net^$image,domain=client.falixnodes.net
+@@||tpc.googlesyndication.com/simgad/$image,domain=client.falixnodes.net
+@@||snigelweb.com/*.js$script,domain=client.falixnodes.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/73214
+psychpoint.com##.adblockmodal
+! https://github.com/AdguardTeam/AdguardFilters/issues/72888
+@@||8s8.eu/fa.js$domain=g9g.eu
+! https://github.com/AdguardTeam/AdguardFilters/issues/73781
+escapegames24.com#%#//scriptlet("prevent-setTimeout", "ads", "2000")
+! https://github.com/AdguardTeam/AdguardFilters/issues/72896
+@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=panoramaviewer.1bestlink.net
+||pagead2.googlesyndication.com/pagead/show_ads.js$script,redirect=noopjs,important,domain=panoramaviewer.1bestlink.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/72829
+dlink.mobilejsr.com,healthtune.site#%#//scriptlet("prevent-addEventListener", "load", ".nextFunction")
+! https://github.com/AdguardTeam/AdguardFilters/issues/72048
+@@||dogemate.com/banner/cointiply_72890.jpg$domain=dogemate.com
+dogemate.com#$#img[id^="ads-"] { opacity: 0 !important; }
+dogemate.com#@#img[width="728"][height="90"]
+dogemate.com#@#img[width="468"][height="60"]
+dogemate.com#%#//scriptlet("abort-current-inline-script", "$", "location")
+! https://github.com/AdguardTeam/AdguardFilters/issues/62266
+! https://github.com/AdguardTeam/AdguardFilters/issues/72420
+@@||api.adinplay.com/libs/aiptag/pub/SND/skynode.pro/tag.min.js$domain=panel.skynode.pro
+! https://github.com/AdguardTeam/AdguardFilters/issues/72691
+tinyppt.com#%#//scriptlet("set-constant", "google_jobrunner", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/72956
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,important,domain=seminarstopics.com
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=seminarstopics.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/72828
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$important,script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=kisahdunia.com
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=kisahdunia.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/72741
+magesy.blog,magesy.pro#%#//scriptlet("set-constant", "adBlockFunction", "noopFunc")
+magesy.pro##.fuckGitHUB_content
+magesy.pro##.fuckGitHUB_blackoverlay
+! https://github.com/AdguardTeam/AdguardFilters/issues/79242
+cashearn.cc#%#//scriptlet("prevent-setTimeout", "checkblockUser", "1000")
+||cashearn.cc/img/cointiply_728x90.jpg$image,redirect=1x1-transparent.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/72432
+foxgreat.com#@#.google-ad
+foxgreat.com#$#body .google-ad { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/72384
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=kitguru.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/95765
+hobby-machinist.com#%#//scriptlet('prevent-setInterval', 'options')
+! https://github.com/AdguardTeam/AdguardFilters/issues/72569
+||rblx.land/main_scriptx2.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/97906
+@@||oklivetv.com/*&*=*&*&_=$xmlhttprequest,~third-party
+@@||okteve.com/*&*=*&*&_=$xmlhttprequest,~third-party
+@@||aweprt.com/embed/fk?_=$domain=oklivetv.com|okteve.com
+dudestream.com#$##wrapfabtest { height: 1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/72181
+totv.org###ad
+totv.org#%#//scriptlet("set-constant", "google_tag_data", "emptyObj")
+! https://github.com/AdguardTeam/AdguardFilters/issues/72161
+||temp-mails.com/assets/js/sweetalert2.js
+temp-mails.com##body > div[style^="position: fixed; z-index:"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/149995
+! https://github.com/AdguardTeam/AdguardFilters/issues/126247
+! https://github.com/AdguardTeam/AdguardFilters/issues/72010
+@@||nocorspolicy.com^$xmlhttprequest,domain=taming.io|tamming.io
+@@||api.adinplay.com/$xmlhttprequest,domain=taming.io|tamming.io
+@@||api.adinplay.com/libs/aiptag/pub/NND/taming.io/tag.min.js$domain=taming.io|tamming.io
+||securepubads.g.doubleclick.net/tag/js/gpt.js$script,redirect=googletagservices-gpt,domain=taming.io|tamming.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/71913
+calculate.plus#%#//scriptlet("prevent-setTimeout", "checkStopBlock")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=calculate.plus
+! https://github.com/AdguardTeam/AdguardFilters/issues/71942
+stockstracker.com#@##googleAds
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=stockstracker.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/72162
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=bbcamerica.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/71949
+||europixhd.net/js/note.js
+europixhd.net#%#//scriptlet('abort-current-inline-script', 'document.write', 'unescape')
+! https://github.com/AdguardTeam/AdguardFilters/issues/70719
+@@||duit.cc/favicon.ico#
+! https://github.com/AdguardTeam/AdguardFilters/issues/71707
+@@||cdn.radiostreamlive.com/v*/js/adblock/advert-1bb.js
+radionatale.com,radionorthpole.com,radioamericalatina.com,radioitalianmusic.com,radioitaliacanada.com,miamibeachradio.com,radiosymphony.com,radiocountrylive.com,radioitalylive.com,radiolovelive.com,radionylive.com,radiorockon.com#%#//scriptlet("set-constant", "adp", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/71713
+@@||imgur.com/desktop-assets/js/floaty_rotator.*.bundle.js
+imgur.com#%#//scriptlet("set-constant", "ADBLOCKED", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/71597
+@@||promods.net/*.js$~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/71605
+temp-phone-number.com#%#//scriptlet("prevent-setTimeout", "adblock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/70998
+camarchive.tv#%#//scriptlet("set-constant", "adsBlocked", "falseFunc")
+||exosrv.com/*.js$script,xmlhttprequest,redirect=noopjs,domain=camarchive.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/70641
+vanis.io###ab-overlay
+! san_wrapper
+3dzip.org##.san_wrapper
+3dzip.org#%#//scriptlet("set-constant", "google_jobrunner", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/71650
+ustream.to###adblockz_alert
+ustream.to#%#//scriptlet("set-constant", "ads_is_loaded", "1")
+ustream.to#%#//scriptlet("set-constant", "adblock_user", "0")
+ustream.to#%#//scriptlet("set-constant", "ads_blocked", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/71498
+agar.red#@#.ad-placement
+! https://github.com/AdguardTeam/AdguardFilters/issues/71150
+@@||mylivesignature.com/js/adblocker.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/70562
+memoryhackers.org#@#.ads-header
+memoryhackers.org#%#//scriptlet("set-constant", "adsbygoogle.length", "undefined")
+memoryhackers.org#%#//scriptlet("set-constant", "google_jobrunner", "emptyObj")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$redirect=googlesyndication-adsbygoogle,domain=memoryhackers.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/170998
+! https://github.com/AdguardTeam/AdguardFilters/issues/70979
+ctrlv.sk,ctrlv.cz,ctrlv.link##body > div[id][style="display: flex;"]
+ctrlv.sk,ctrlv.cz,ctrlv.link#%#//scriptlet('set-constant', 'adbId', 'null')
+! https://github.com/AdguardTeam/AdguardFilters/issues/71190
+iptv22.uk#%#//scriptlet("abort-current-inline-script", "document.createElement", "adblock")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=noopjs,domain=iptv22.uk
+! raqmedia.com - antiadblock
+||raw.githack.com/Raqmedia/adblock/master/disallowad.js
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=noopjs,important,domain=raqmedia.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/71156
+slidesharedownloader.ngelmat.net#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links { display:block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/71182
+@@||textbin.net/js/prebid-ads.js
+textbin.net#%#//scriptlet("set-constant", "isAdBlockActive", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/70949
+@@||ontiva.com/js/prebid-ads.js
+ontiva.com#%#//scriptlet("set-constant", "canRunAds", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/71052
+mope.io#%#AG_onLoad(function() { var el = document.querySelector('#moneyRect > #mope-io_300x250'); var ce = document.createElement('iframe'); ce.style = 'display: none !important;'; if(el) { el.appendChild(ce); } });
+! https://github.com/AdguardTeam/AdguardFilters/issues/70660
+@@||arrowos.net/js/blockAdBlock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/127694
+! Website's checking a lot of elements and values of CSS properties
+! Rule below is appending these elements to website, and sets appropriate style
+forum.release-apk.com#%#AG_onLoad(function(){var b=new MutationObserver(function(){try{for(var a,d=function(c){for(var a="",d=0;d`,h=document.querySelector("body > *"),j=document.querySelectorAll(".phpbb-ads-center > .adsbygoogle");h&&j.length&&(!h.querySelector("iframe#aswift_0")&&h.insertAdjacentHTML("afterend",g),j.forEach(a=>{a.querySelector("iframe#aswift_0")||(a.parentNode.style.height="200px",a.parentNode.style.width="200px",a.parentNode.innerHTML=g)}))}var k=document.querySelector(".page-body"),l=document.querySelectorAll(".adsbygoogle, .phpbb-ads-center");k&&!k.innerText.includes("deactivating your Ad-Blocker")&&l.length&&(l.forEach(a=>{a.remove()}),b.disconnect())}catch(a){}});b.observe(document,{childList:!0,subtree:!0}),setTimeout(function(){b.disconnect()},1E4)});
+forum.release-apk.com#%#//scriptlet('trusted-replace-node-text', 'script', 'window.getComputedStyle', '/\(\n.*?window\.getComputedStyle[\s\S]*?\) \?/', '(!0) ?')
+@@||forum.release-apk.com^$generichide
+@@||forum.release-apk.com/*#/*/ad/$image
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=forum.release-apk.com
+||googleads.g.doubleclick.net/pagead/ads$redirect=noopframe,domain=forum.release-apk.com
+||googleads.g.doubleclick.net/pagead/html/*/zrt_lookup.html$redirect=noopframe,domain=forum.release-apk.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/70082
+||ad.a-ads.com/*?size=$xmlhttprequest,redirect=nooptext,domain=pentafaucet.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/69954
+@@||chillicams.net/js/adv/fuckadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/69995
+nba.com#%#//scriptlet("set-constant", "adBlockerDetected", "false")
+@@||akamaihd.net/nbad/player/v*/nba/site*/player/scripts/nlad.js$domain=nba.com
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=nba.com
+! androidapkapp.net
+||androidapkapp.net/adblockscript/adblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/70080
+@@||hitbits.io/v1/ads2/ads/$xmlhttprequest
+||a-ads.com/*?size=$xmlhttprequest,redirect=nooptext,domain=hitbits.io,important
+@@||a-ads.com/*?size=$xmlhttprequest,domain=hitbits.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/69752
+||lapagan.net/wp-content/uploads/gcahputb.js
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$redirect=googlesyndication-adsbygoogle,domain=lapagan.net
+lapagan.net#%#//scriptlet("set-constant", "adsbygoogle.length", "undefined")
+! https://github.com/AdguardTeam/AdguardFilters/issues/69236
+! https://github.com/AdguardTeam/AdguardFilters/issues/59506
+cryptowin.io#%#//scriptlet("abort-current-inline-script", "document.getElementById", "AdBlock")
+@@||cryptowin.io^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/69629
+@@||downfile.site/fuckadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/69563
+! TODO: replace below rule to scriptlet when this issue will be fixed - https://github.com/AdguardTeam/Scriptlets/issues/57#issuecomment-697240649
+konnoznet.xyz#%#AG_abortInlineScript(/adblock/, 'document.createElement');
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=noopjs,domain=konnoznet.xyz
+! https://github.com/AdguardTeam/AdguardFilters/issues/69361
+! https://github.com/AdguardTeam/AdguardFilters/issues/69302
+! https://github.com/AdguardTeam/AdguardFilters/issues/66844
+pipeflare.io#@#div[id^="amzn-assoc-ad"]
+@@||z-na.amazon-adsystem.com/widgets/onejs?MarketPlace=$domain=pipeflare.io
+@@||aax-us-east.amazon-adsystem.com/x/getad?src=$domain=pipeflare.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/69028
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=tvp.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/69007
+@@||1bit.space/default/public/assets/*.js$~third-party
+@@||1bitspace.com/default/public/assets/*.js$~third-party
+1bit.space#%#//scriptlet("set-constant", "adblock", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/68815
+||ad.a-ads.com/*?size=$xmlhttprequest,redirect=nooptext,domain=getitall.top
+! https://github.com/AdguardTeam/AdguardFilters/issues/68635
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=livemint.com,important
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=livemint.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/68616
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=mr9soft.com,important
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=mr9soft.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/68575
+lootlinks.net#%#//scriptlet('set-constant', 'canRunAds', 'true')
+/js/prebid-ads.js$~third-party,domain=lootlinks.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/68464
+@@||softairbay.com/autoSAB/src/google-ads.js
+softairbay.com#%#//scriptlet('set-constant', 'SABcheck', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/68465
+pluspremieres.*#%#//scriptlet("abort-current-inline-script", "$", "var selector")
+pluspremieres.*#%#//scriptlet("prevent-setInterval", "/\['\\x[\s\S]*?checkInterval/")
+! https://github.com/AdguardTeam/AdguardFilters/issues/68117
+@@||video.520call.me/ad.php
+! https://github.com/AdguardTeam/AdguardFilters/issues/68339
+@@||elahmad.com/ads/fc.php
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=elahmad.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/68223
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=bestgames.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/68193
+pics4you.net##body > div[style*="width: 100%; z-index: "]
+! https://github.com/AdguardTeam/AdguardFilters/issues/68272
+@@||tipslearn.com/wp-content/plugins/wp-safelink/assets/fuckadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/68222
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=yad.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/68112
+protrumpnews.com#%#//scriptlet("set-constant", "zsfel", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/68000
+scat.gold#%#//scriptlet("set-constant", "adsbygoogle", "true")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=scat.gold
+! https://github.com/AdguardTeam/AdguardFilters/issues/67935
+||yourporngod.com/cdn-cgi/apps/head/*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/67931
+@@||pubads.g.doubleclick.net/ssai/event/$xmlhttprequest,domain=zoomtventertainment.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/67654
+@@||api.adinplay.com/libs/aiptag/assets/adsbygoogle.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/67601
+keralatelecom.info#%#//scriptlet('abort-on-property-read', 'blogantiadblock')
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=keralatelecom.info
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=keralatelecom.info,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/100046
+mytoolz.net#$##adblock_msg { display: none !important; }
+mytoolz.net#$#body { overflow: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/67517
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=unityassets4free.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/70311
+! https://github.com/AdguardTeam/AdguardFilters/issues/67508
+evoload.io#%#//scriptlet("set-constant", "bloaded", "true")
+||evosrv.com/html/videojs/plugins/videojs-contrib-ads.js$script,redirect=noopjs,domain=evoload.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/67398
+@@||desktophut.com/ad1.js
+desktophut.com#%#//scriptlet("abort-current-inline-script", "document.getElementById", "test-block")
+! https://github.com/AdguardTeam/AdguardFilters/issues/67165
+@@||8tm.net/stylesheets/ads.css
+! https://github.com/AdguardTeam/AdguardFilters/issues/154273
+! https://github.com/AdguardTeam/AdguardFilters/issues/143181
+! https://github.com/AdguardTeam/AdguardFilters/issues/66997
+vidmoly.me,vidmoly.net,vidmoly.to#@#.AdsBox
+vidmoly.me,vidmoly.net,vidmoly.to###adsblock
+vidmoly.me,vidmoly.net,vidmoly.to##body > div[style*="opacity:"][style*="position: fixed; width:"][style*="z-index:"]
+vidmoly.me,vidmoly.net,vidmoly.to#%#//scriptlet('set-constant', 'adsbygoogle', 'emptyObj')
+vidmoly.me,vidmoly.net,vidmoly.to#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+vidmoly.me,vidmoly.net,vidmoly.to#%#//scriptlet('prevent-addEventListener', 'DOMContentLoaded', '/_0x|adsBlocked/')
+$script,redirect-rule=noopjs,domain=vidmoly.me|vidmoly.net|vidmoly.to
+! https://github.com/AdguardTeam/AdguardFilters/issues/67053
+bestopbook.info#%#//scriptlet("abort-on-property-read", "mdp_ngaurcom")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=noopjs,domain=bestopbook.info
+! https://github.com/AdguardTeam/AdguardFilters/issues/175940
+top.gg#%#//scriptlet('adjust-setTimeout', 'readyToVote', '12000')
+! https://github.com/AdguardTeam/AdguardFilters/issues/67023
+k12reader.com#$#.pub300x250.pub300x250m.pub728x90.text-ad { display: block !important; }
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=noopjs,domain=k12reader.com
+! flipboard.com - antiadblock in the video player
+@@||flipboard.com/*/videojs-contrib-ads.*.bundle.js
+@@||flipboard.com/*/vendors~videojs-contrib-ads.*.bundle.js
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=flipboard.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/66835
+@@||discoveryplus.in/*/ads/banner_ad.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/66868
+iptv4best.com##.adace-popup
+! https://github.com/AdguardTeam/AdguardFilters/issues/66841
+kickassanime.*#%#//scriptlet("set-constant", "appData.ftg", "true")
+kickassanime.*#%#//scriptlet("set-constant", "ifmax", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/66772
+!+ NOT_PLATFORM(windows, mac, android)
+@@||wo2viral.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/66676
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,domain=hindustantimes.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/66628
+kisscartoon.nz#%#//scriptlet("set-constant", "check_adblock", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/66560
+@@||googleads.g.doubleclick.net/pagead/ads?ads$domain=freebinchecker.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/66511
+@@||mshares.co/js/blockadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/118908
+! https://github.com/AdguardTeam/AdguardFilters/issues/77239
+! It looks like that it's server-side anti-adblock and it's checking some cookies
+@@||atozmath.com^$cookie
+@@||atozmath.com^$generichide
+@@||assets.bilsyndication.com/plugins/safeframe/src/js/sf_host.min.js$domain=atozmath.com
+@@||assets.bilsyndication.com/prebid/default/prebid-$domain=atozmath.com
+@@||assets.bilsyndication.com/prebid/default/prebid-7.31.0.js$domain=atozmath.com
+@@||assets.bilsyndication.com/widget/$image,domain=atozmath.com
+@@||atozmath.com/Scripts/advertisement.js
+@@||bhavanijewellery.in/ads9.gif$domain=atozmath.com
+@@||c.amazon-adsystem.com/aax2/apstag.js$domain=atozmath.com
+@@||c.amazon-adsystem.com/bao-csm/aps-comm/aps_csm.js$domain=atozmath.com
+@@||google-analytics.com/analytics.js$domain=atozmath.com
+@@||googletagmanager.com/gtag/js?id=$domain=atozmath.com
+@@||googletagservices.com/tag/js/gpt.js$domain=atozmath.com
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=atozmath.com
+@@||prebid-asia.creativecdn.com/bidder/prebid/bids$domain=atozmath.com
+@@||prebid-asia.creativecdn.com/bidder/prebid/bids?_=$domain=atozmath.com
+@@||services.bilsyndication.com/adv1/?q=$domain=atozmath.com
+@@||services.bilsyndication.com^$domain=atozmath.com,~media
+atozmath.com#$##vi_LN_sticky1-ad2 { height: 11px !important; }
+atozmath.com#$##vi_LN_sticky2-ad2 > .adsbyvli { height: 250px !important; }
+atozmath.com#$##vi_LN_sticky3-ad2 > .adsbyvli { height: 250px !important; }
+atozmath.com#$##Table2 .adsbyvli { height: 90px !important; }
+atozmath.com#$#div[id^="vi_LN_sticky"][id*="-ad"] { visibility: hidden !important; }
+!atozmath.com#$##top.table0 .menubg .adsbyvli[data-ad-slot]:not([data-width]) { height: 250px !important; position: absolute !important; left: -3000px !important; }
+!atozmath.com#$#.menubg .adsbyvli[data-ad-slot][data-width]:not([data-height="250"]) { height: 90px !important; position: absolute !important; left: -3000px !important; }
+atozmath.com#%#//scriptlet('set-constant', 'window_focus', 'true')
+atozmath.com#%#//scriptlet('set-constant', 'vitag.enableGeoLocation', 'false')
+atozmath.com#$#body #bottomAd.adsbox { display: block !important; }
+!atozmath.com#%#//scriptlet("prevent-setInterval", "BAdBlock")
+!atozmath.com#%#AG_onLoad(function(){try{function i(a,b){return a=Math.ceil(a),b=Math.floor(b),Math.floor(Math.random()*(b-a+1))+a}function j(a){for(var b="",c="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789",d=c.length,e=0;e{a.textContent.includes("hCode")&&(c=a.textContent)}),c=c.replaceAll("\n","");var e=c.match(/var hCode[\s\S]*?\.value=hCode;/);e=e[0];var f=c.match(/var BAdBlock8[\s\S]*?\.value=BAdBlock8;[\s\S]*?document\.cookie="BAdBlock8=[\s\S]*?\+CookieExpiry;/);f=f[0];var g=e+f,h=Function(g);h()}catch(a){}});
+! https://github.com/AdguardTeam/AdguardFilters/issues/66369
+@@||adservice.google.com/adsid/integrator.js$domain=ultimateclassicrock.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/66399
+@@||wcoanimedub.tv/inc/embed/ads.js
+wcoanimedub.tv#%#//scriptlet("prevent-setTimeout", "AdBlock")
+wcoanimedub.tv#%#//scriptlet("set-constant", "isAdBlockActive", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/66220
+quackr.io#$##wrapfabtest { height: 1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/62272
+||vladan.fr/wp-content/cache/min/1/wp-content/uploads/images/bmdqpcen-*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/66152
+||tellynewsarticles.com/wp-content/uploads/pobsfqz.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/66096
+siz.tv###koddostu-com-adblocker-engelleme
+siz.tv#%#//scriptlet("set-constant", "koddostu_com_adblock_yok", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/65918
+@@||tutorial.siberuang.com/wp-content/plugins/wp-safelink/assets/fuckadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/65886
+@@||mahimeta.com/networks/ad_code.php$domain=biggboss13.io
+biggboss13.io#%#//scriptlet("abort-on-property-read", "mMCheckAgainBlock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/72129
+! https://github.com/AdguardTeam/AdguardFilters/issues/65874
+laptrinhx.com#@#.post-ads
+laptrinhx.com#%#//scriptlet('remove-class', 'post-ads', '.post-content.post-ads')
+laptrinhx.com#%#//scriptlet("prevent-setInterval", "showAdblock")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=laptrinhx.com,important
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=laptrinhx.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/65735
+southindianactress.in#%#//scriptlet("abort-on-property-read", "adsBlocked")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=noopjs,domain=southindianactress.in
+! javfull.net, javcl.com - antiadblock
+javfull.net,javcl.com#$##wrapfabtest { height: 1px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/81390
+! https://github.com/AdguardTeam/AdguardFilters/issues/65606
+standardmedia.co.ke#%#//scriptlet("set-constant", "canRunAds", "true")
+@@||standardmedia.co.ke/assets/js/prebid-google-ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/66340
+evoload.io##.xadb-msg
+! https://github.com/AdguardTeam/AdguardFilters/issues/65499
+livestreaming24.eu#%#//scriptlet('prevent-setTimeout', 'ad.clientHeight')
+! https://github.com/AdguardTeam/AdguardFilters/issues/65418
+||sp-mms.weather.com^
+! https://github.com/AdguardTeam/AdguardFilters/issues/65438
+grab.tc#%#//scriptlet("set-constant", "NoAdBlock", "noopFunc")
+grab.tc#%#//scriptlet("set-constant", "noAdBlock.on", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/65205
+@@||urbanmilwaukee.com/wp-content/themes/*/js/prebid-ads.js
+urbanmilwaukee.com#%#//scriptlet("set-constant", "canRunAds", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/65081
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,script,redirect=noopjs,domain=malaysianwireless.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/65035
+@@||cdn.witchhut.com/network-js/witch-afg/ima3.js$domain=friv-2017.com
+gamezop.com###adBlockerOverlay
+! https://github.com/AdguardTeam/AdguardFilters/issues/64949
+||linuxgizmos.com/files/ctkiba.css
+linuxgizmos.com###ctkiba-blanket
+! https://github.com/AdguardTeam/AdguardFilters/issues/65006
+downloadrepack.com#%#//scriptlet('prevent-addEventListener', 'load', '"gads"')
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=downloadrepack.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/64833
+||freecourseweb.com/wp-content/uploads/xseoml.js
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=freecourseweb.com
+freecourseweb.com#%#//scriptlet('prevent-setTimeout', 'body.className+=')
+! https://github.com/AdguardTeam/AdguardFilters/issues/64800
+claimrbx.gg#%#//scriptlet('prevent-setTimeout', 'Adblocker Detected')
+! https://github.com/AdguardTeam/AdguardFilters/issues/90138
+! https://github.com/AdguardTeam/AdguardFilters/issues/64366
+! coolmathgames.com#%#//scriptlet("set-constant", "validSubscriber", "true")
+coolmathgames.com#%#//scriptlet("set-constant", "google", "emptyObj")
+coolmathgames.com#%#//scriptlet("set-constant", "cmgpbjs", "emptyObj")
+coolmathgames.com#%#//scriptlet("set-constant", "displayAdblockOverlay", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/64396
+mylink.vc,myl1nk.net#%#//scriptlet("abort-on-property-read", "atob")
+! https://github.com/AdguardTeam/AdguardFilters/issues/64373
+roleplayer.me#%#//scriptlet("set-constant", "adblock", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/64100
+bfas237blog.info#%#//scriptlet("set-constant", "google_jobrunner", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/64078
+@@||androidtvbox-*.netdna-ssl.com/wp-content/themes/jannah/assets/js/ad.js$domain=androidtvbox.eu
+@@||androidtvbox-*.netdna-ssl.com/wp-content/uploads/siteground-optimizer-assets/adning_dummy_advertising.min.js$domain=androidtvbox.eu
+androidtvbox.eu#%#//scriptlet("set-constant", "$tieE3", "true")
+androidtvbox.eu#%#//scriptlet("set-constant", "adning_no_adblock", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/64090
+||mokkaofficial.com/wp-content/uploads/ibrmagw.js
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=noopjs,domain=mokkaofficial.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/64045
+saungfirmware.id#%#//scriptlet("set-constant", "short_url_app_vars.force_disable_adblock", "undefined")
+! https://github.com/AdguardTeam/AdguardFilters/issues/64029
+@@||checkz.net/tools/*/*.$~third-party
+@@||checkz.net^$generichide
+checkz.net#$#.adsbygoogle { height: 1px!important; display: block!important; }
+checkz.net#$#div[class^="selam"] { height: 5px !important; }
+checkz.net#%#//scriptlet("set-constant", "can_run_ads", "true")
+checkz.net#%#//scriptlet("set-constant", "adblock_detect", "false")
+checkz.net#%#//scriptlet("set-constant", "adsbygoogle.loaded", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/63869
+@@||moviehousememories.com/wp-content/themes/jannah/assets/js/ad.js
+moviehousememories.com#%#//scriptlet("set-constant", "$tieE3", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/63803
+ignboards.com#%#//scriptlet('abort-current-inline-script', 'EventTarget.prototype.addEventListener', 'iframe-network')
+! https://github.com/AdguardTeam/AdguardFilters/issues/63790
+@@||persianhive.com/wp-content/plugins/wp-adblock-dedect/js/dedect.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/101148
+! https://github.com/AdguardTeam/AdguardFilters/issues/64702
+! https://github.com/AdguardTeam/AdguardFilters/issues/63620
+upstream.to###adbd
+@@||upstream.to/advertisement/ads.js
+@@||upstream.to/ads/pop.js
+@@||upstream.to/js/dnsads.js
+upstream.to#%#//scriptlet("set-constant", "cRAds", "true")
+upstream.to#%#//scriptlet("set-constant", "xadV", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/86760
+@@||drphil.com/modules/contrib/ctd_cvp/js/prebid-ads.js
+drphil.com#%#//scriptlet("set-constant", "canRunAds", "true")
+drphil.com#%#//scriptlet("set-constant", "hasAdBlocker", "false")
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=drphil.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/120609
+||googletagmanager.com/gtm.js^$domain=emedemujer.com|theweathernetwork.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/63391
+@@||ebesucher.ru/js/fuckadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/63362
+@@||lookcam.com/fuckadblock.js
+lookcam.it,lookcam.fr,lookcam.ru,lookcam.com,lookcam.pl#%#//scriptlet("set-constant", "canRunAds", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/63185
+beypazaricekici.com#%#//scriptlet('prevent-setTimeout', 'adBanner')
+! https://github.com/AdguardTeam/AdguardFilters/issues/63020
+@@||miniroyale2.io/*adblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/63019
+@@||googleads.g.doubleclick.net/pagead/ads?ads$domain=freevocabulary.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/62904
+@@||waaw.tv/js/adv/fuckadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/62831
+||deliver.vkcdnservice.com/vast-im.js$script,redirect=noopjs,domain=hqq.to
+@@||hqq.to/js/adv/fuckadblock.js
+@@||hqq.to/e/$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/62802
+eddiekidiw.com#%#//scriptlet("set-constant", "itools", "true")
+eddiekidiw.com#%#//scriptlet("abort-current-inline-script", "$", "#modal_ads")
+! https://github.com/AdguardTeam/AdguardFilters/issues/62787
+bitminer.biz#%#//scriptlet("abort-on-property-read", "adsBlocked")
+||googleads.g.doubleclick.net/pagead/id$xmlhttprequest,redirect=nooptext,domain=bitminer.biz
+! https://github.com/AdguardTeam/AdguardFilters/issues/62602
+fshost.me#%#//scriptlet("set-constant", "adsbygoogle.loaded", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/62554
+vidlii.com#%#//scriptlet("set-constant", "adsbygoogle.loaded", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/62517
+@@||static.clmbtech.com/ad/commons/js/adframe.js$domain=colombiaonline.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/62371
+audiotag.info#%#//scriptlet("prevent-setTimeout", "adsbygoogle.loaded")
+audiotag.info#%#//scriptlet("set-constant", "adsbygoogle.loaded", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/62389
+lumiafirmware.com#%#//scriptlet("abort-on-property-read", "adsBlocked")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,script,redirect=noopjs,domain=lumiafirmware.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/62271
+chronicle.com#%#//scriptlet('prevent-setTimeout', 'checkPageIntegrity()')
+! https://github.com/AdguardTeam/AdguardFilters/issues/62273
+||lnfcdn.getsurl.com/js/aab.js
+! https://forum.adguard.com/index.php?threads/resolved-py-md.39393/
+||cdnjs.cloudflare.com/ajax/libs/blockadblock/3.2.1/blockadblock.min.js$domain=py.md
+! https://github.com/AdguardTeam/AdguardFilters/issues/61954#issuecomment-679448498
+@@/script/advert.js$domain=sunbtc.space|weatherx.co.in
+! https://github.com/AdguardTeam/AdguardFilters/issues/71824
+! https://github.com/AdguardTeam/AdguardFilters/issues/61650
+@@||linkvertise.com^$generichide
+@@||linkvertise.com/assets/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/61964
+forums.catholic.com###main > div[style="position:fixed;top:0;left:0;width:100vw;height:100vh;background-color:rgba(0,0,0,0.8);z-index:99999;"]
+! forums.catholic.com#@#.google-adsense
+! @@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=forums.catholic.com
+forums.catholic.com#%#//scriptlet("prevent-setTimeout", "innerHTML.replace")
+! https://github.com/AdguardTeam/AdguardFilters/issues/61829
+coolsoft.altervista.org#%#//scriptlet('prevent-setTimeout', 'let _')
+! https://github.com/AdguardTeam/AdguardFilters/issues/61813
+reddit-livetv-links.blogspot.com#%#//scriptlet('abort-current-inline-script', 'addEventListener', 'Adblock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/102641
+ff14angler.com#%#//scriptlet('trusted-create-element', 'body', 'div', 'id="aswift_0"')
+! https://github.com/AdguardTeam/AdguardFilters/issues/61593
+||allcoins.pw/js/adbb.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/61483
+adslink.pw,solvetube.site###ai-adb-message
+adslink.pw,solvetube.site###ai-adb-overlay
+! https://github.com/AdguardTeam/AdguardFilters/issues/61382
+@@||mixdrop.to/adblock.js
+mixdrp.*,mixdrop.*#%#//scriptlet("set-constant", "MDCore.adblock", "0")
+! https://github.com/AdguardTeam/AdguardFilters/issues/61346
+@@||playtube.ws/ad/banner/*.json
+! https://github.com/AdguardTeam/AdguardFilters/issues/88501
+premid.app#%#AG_onLoad(function(){(new MutationObserver(function(){document.querySelectorAll(".adsbygoogle:not([data-adsbygoogle-status])").forEach(function(a){var b=document.createElement("div");a.appendChild(b);a.setAttribute("data-adsbygoogle-status","done")})})).observe(document,{childList:!0,subtree:!0})});
+! https://github.com/AdguardTeam/AdguardFilters/issues/61332
+@@||dloady.com/js/*/ad728x90-gmu.js
+dloady.com#%#//scriptlet("abort-current-inline-script", "$", "!document.getElementById(btoa")
+! https://github.com/AdguardTeam/AdguardFilters/issues/61257
+thetechrim.com##div[class^="blocker-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/60961
+@@||fruitlab.com/js/pages/dfp.js
+fruitlab.com#%#//scriptlet("set-constant", "adBlockDetected", "noopFunc")
+||secure.quantserve.com/quant.js$script,redirect=noopjs,domain=fruitlab.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/111111
+thingiverse.com#%#//scriptlet('prevent-fetch', 'www3.doubleclick.net')
+! https://github.com/AdguardTeam/AdguardFilters/issues/60891
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=googlesyndication-adsbygoogle,important,domain=autofaucet.dutchycorp.space
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=autofaucet.dutchycorp.space
+! https://github.com/AdguardTeam/AdguardFilters/issues/60575
+@@||brighteon.com/static/dfp.js
+brighteon.com#%#//scriptlet("set-constant", "adBlockDisabled", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/60288
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=rte.ie
+! https://github.com/AdguardTeam/AdguardFilters/issues/60714
+post.techtutors.site#@##systemad_background
+post.techtutors.site#@##row2AdContainer
+post.techtutors.site#@##ps-vertical-ads
+post.techtutors.site#@##mod_ad
+post.techtutors.site#@##inner-top-ads
+post.techtutors.site#@##hp-store-ad
+post.techtutors.site#@##ad_300x250_m_c
+! https://github.com/AdguardTeam/AdguardFilters/issues/60493
+golfroyale.io#%#//scriptlet("set-constant", "adblocked", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/60492
+dynast.io#%#//scriptlet("prevent-addEventListener", "DOMContentLoaded", "adsBlocked")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=dynast.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/60977
+||cdn.sms24.me/assets/js/ado.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/60469
+wabetainfo.com#$##wrapfabtest { height: 1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/60462
+!+ NOT_PLATFORM(windows, mac, android)
+@@||ockles.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/60388
+||inews.co.uk/static/inews-ab-dialog/inewsFeAdblockDialog.
+! https://github.com/AdguardTeam/AdguardFilters/issues/59445
+@@||tweaktown.com^$generichide,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/60310
+||puressh.net/assets/js/extra.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/60126
+alphaantileak.net#%#window.google_jobrunner = function() {};
+alphaantileak.net#%#//scriptlet("set-constant", "adsbygoogle.loaded", "true")
+!+ PLATFORM(windows, mac, android, ext_chromium)
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$redirect=googlesyndication-adsbygoogle,domain=alphaantileak.net
+! axilesoft.com (ACG player app) - not able to hide ads until next start
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=axilesoft.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/60039
+msguides.com##div[id^="ai-adb-"]
+! unblock if feature blocked and move analytics rule to Tracking protection
+! @@||msguides.com/wp-content/plugins/ad-inserter/js/sponsors.js
+! @@||google-analytics.com/analytics.js$domain=msguides.com
+! @@||contextual.media.net/dmedianet.js$domain=msguides.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/59932
+@@||ninja.io/js/dist/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/59929
+@@||seadragons.io/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/59898
+@@||cdn.witchhut.com/network-js/witch-afg/ima3.js$domain=witchhut.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/128507
+duplichecker.com##.text-center > a[target="blank"] > img
+duplichecker.com##.MID_WLI_CLASS
+duplichecker.com##.dpn
+duplichecker.com#%#//scriptlet("prevent-setInterval", "isAdBlockActive")
+! duplichecker.com#@#.adtab
+! duplichecker.com#@#.o-zergnet
+@@||duplichecker.com^$generichide
+@@||delivery.adrecover.com/*/adRecover.js$domain=duplichecker.com
+@@||cdn.adpushup.com/*/adpushup.js$domain=duplichecker.com
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=duplichecker.com
+@@||delivery.adrecover.com/allow.jpg$domain=duplichecker.com|smallseotools.com
+||delivery.adrecover.com/allow.jpg$domain=duplichecker.com|smallseotools.com,redirect=1x1-transparent.gif,important
+duplichecker.com#$#closePopupss ~ div[class]:not([id]) { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/129986
+! https://github.com/AdguardTeam/AdguardFilters/issues/59883
+kiktu.com#%#//scriptlet("abort-current-inline-script", "$", "google_ads_iframe_")
+kiktu.com#%#//scriptlet("abort-current-inline-script", "jQuery", "ai_adb")
+! https://github.com/AdguardTeam/AdguardFilters/issues/59772
+malaysiastock.biz#%#//scriptlet("set-constant", "canRunAds", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/59570
+@@||chompers.io/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/69526
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=tricksplit.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/60520
+! https://github.com/AdguardTeam/AdguardFilters/issues/59461
+@@||thewatchcartoononline.tv*inc/embed/ads.js
+thewatchcartoononline.tv#%#//scriptlet("set-constant", "isAdBlockActive", "false")
+thewatchcartoononline.tv#%#//scriptlet("prevent-setTimeout", "AdBlock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/59409
+@@||bombom.io/ads.txt
+! https://github.com/AdguardTeam/AdguardFilters/issues/59415
+@@||minigiants.io/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/59360
+@@||wcoforever.net/inc/embed/ads.js
+@@||wcoforever.com/inc/embed/ads.js
+wcoforever.net,wcoforever.com#$##wrapfabtest { height: 1px !important; }
+wcoforever.net,wcoforever.com#%#//scriptlet("set-constant", "isAdBlockActive", "false")
+wcoforever.net,wcoforever.com#%#//scriptlet("prevent-setTimeout", "AdBlock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/59204
+cdn.htmlgames.com###afgContainer
+@@||yolla-d.openx.net/|$script,domain=cdn.htmlgames.com
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=cdn.htmlgames.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/59345
+@@||brutalmania.io/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/59206
+getdogecoins.com#%#//scriptlet("set-constant", "show_ads", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/59155
+@@||ads.a-static.com/ads.js|
+! https://github.com/AdguardTeam/AdguardFilters/issues/59106
+@@||vanis.io/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/61800
+zkillboard.com#%#//scriptlet('set-constant', 'showAds', '0')
+! https://forum.adguard.com/index.php?threads/talkceltic-detecting-talkceltic-net.39047
+! https://github.com/AdguardTeam/AdguardFilters/issues/58984
+freetutorialsus.com#%#//scriptlet("set-constant", "adsbygoogle.loaded", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/58980
+pasteit.top#%#//scriptlet("set-constant", "fabActive", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/58409
+kbb.com#@#.gpt-ad
+kbb.com#@#.ad-med-rec
+! https://github.com/AdguardTeam/AdguardFilters/issues/58832
+@@||windowcleaningforums.co.uk/js/Epyc/reg-top-ad.js
+! distro.tv - antiadblock
+||distro.tv/js/blocker.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/58251
+zeoob.com#@#.ads_div
+! https://github.com/AdguardTeam/AdguardFilters/issues/117420
+@@||cracking.org/js/siropu/am/ads.min.js
+cracking.org#%#//scriptlet("abort-current-inline-script", "$", "/initDetection|!document\.getElementById\(btoa/")
+! https://github.com/AdguardTeam/AdguardFilters/issues/58059
+@@||chinapost-track.com/ads.txt
+! https://github.com/AdguardTeam/AdguardFilters/issues/57870
+wallpapershome.com###welcome.adblock
+! https://github.com/AdguardTeam/AdguardFilters/issues/57756
+@@||faucetcrypto.com/ads^
+! https://github.com/AdguardTeam/AdguardFilters/issues/57596
+techyhit.com,allsmo.com,br0wsers.com,softwaresde.com#@#.ad_box
+techyhit.com,allsmo.com,br0wsers.com,softwaresde.com#%#//scriptlet("prevent-setTimeout", "isHidden(advert)")
+! https://github.com/AdguardTeam/AdguardFilters/issues/57561
+@@||camarchive.tv/assets/ads.js
+camarchive.tv#%#//scriptlet("set-constant", "canads", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/57504
+||cryptoads.space/libs/check.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/76545
+!+ NOT_OPTIMIZED
+||metro.co.uk/base/metro-ab-*/$stylesheet,script
+! https://github.com/AdguardTeam/AdguardFilters/issues/57382
+@@||fuckadblock.sitexw.fr^$generichide
+@@||fuckadblock.sitexw.fr/beta/fuckadblock.js$domain=fuckadblock.sitexw.fr
+! https://github.com/AdguardTeam/AdguardFilters/issues/57380
+megafile.io#%#//scriptlet("set-constant", "replaceContentWithAdBlockerContent", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/57302
+@@||world-sms.org/get-ad/step
+! https://github.com/uBlockOrigin/uAssets/issues/7308#issuecomment-778989942
+! streamtape.com domains
+watchadsontape.com,advertisertape.com,tapeadvertisement.com,adblockplustape.xyz,tapelovesads.org,gettapeads.com,tapeadsenjoyer.com,noblocktape.com,antiadtape.com,tapewithadblock.org,streamadblocker.*,strtape.cloud,adblockeronstape.me,streamadblockplus.com,shavetape.*,adblockstrtape.link,adblockstrtech.link,adblockstreamtape.*,stape.fun,strcloud.link,streamtape.*#%#//scriptlet("abort-current-inline-script", "document.createElement", "adblock")
+watchadsontape.com,advertisertape.com,tapeadvertisement.com,adblockplustape.xyz,tapelovesads.org,gettapeads.com,tapeadsenjoyer.com,noblocktape.com,antiadtape.com,tapewithadblock.org,streamadblocker.*,strtape.cloud,adblockeronstape.me,streamadblockplus.com,shavetape.*,adblockstrtape.link,adblockstrtech.link,adblockstreamtape.*,stape.fun,strcloud.link,streamtape.*#%#//scriptlet("prevent-setInterval", "adblock", "700")
+@@||streamtape.*/ad.js
+watchadsontape.com,advertisertape.com,tapeadvertisement.com,adblockplustape.xyz,tapelovesads.org,gettapeads.com,tapeadsenjoyer.com,noblocktape.com,antiadtape.com,tapewithadblock.org,streamadblocker.*,strtape.cloud,adblockeronstape.me,streamadblockplus.com,shavetape.*,adblockstrtape.link,adblockstrtech.link,adblockstreamtape.*,stape.fun,strcloud.link,streamtape.*#@#.skyscraper.ad
+watchadsontape.com,advertisertape.com,tapeadvertisement.com,adblockplustape.xyz,tapelovesads.org,gettapeads.com,tapeadsenjoyer.com,noblocktape.com,antiadtape.com,tapewithadblock.org,streamadblocker.*,strtape.cloud,adblockeronstape.me,streamadblockplus.com,shavetape.*,adblockstrtape.link,adblockstrtech.link,adblockstreamtape.*,stape.fun,strcloud.link,streamtape.*#@#.google-ad
+watchadsontape.com,advertisertape.com,tapeadvertisement.com,adblockplustape.xyz,tapelovesads.org,gettapeads.com,tapeadsenjoyer.com,noblocktape.com,antiadtape.com,tapewithadblock.org,streamadblocker.*,strtape.cloud,adblockeronstape.me,streamadblockplus.com,shavetape.*,adblockstrtape.link,adblockstrtech.link,adblockstreamtape.*,stape.fun,strcloud.link,streamtape.*#%#//scriptlet("set-constant", "googleAd", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/57119
+xhardhempus.net##div[id][class^="popup"][class$="wrap"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/137292
+freecoursesonline.me#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/56935
+techadvisor.com,techadvisor.co.uk#%#//scriptlet("abort-on-property-read", "Object.prototype.autoRecov")
+! https://github.com/AdguardTeam/AdguardFilters/issues/56686
+gtamaxprofit.com#$##wrapfabtest { height: 1px!important; }
+gtamaxprofit.com#%#//scriptlet("abort-current-inline-script", "$", "AdBlock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/56675
+claimtrx.club#%#//scriptlet("set-constant", "show_ads", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/56627
+leakite.com#%#//scriptlet("abort-on-property-write", "ai_check_block")
+! https://github.com/AdguardTeam/AdguardFilters/issues/67832
+! https://github.com/AdguardTeam/AdguardFilters/issues/56588
+key-hub.eu###overlay
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=key-hub.eu
+@@||key-hub.eu/js/prebid-ads.js
+key-hub.eu#%#//scriptlet("set-constant", "gaData", "emptyObj")
+key-hub.eu#%#//scriptlet("set-constant", "adblockDetector.init", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/56572
+myviptuto.com#$##levelmaxblock { display: none!important; }
+myviptuto.com#$#body[style] { overflow: visible!important; }
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=myviptuto.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/77359
+leechall.com#$##adBanner { height: 25px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/171226
+! https://github.com/AdguardTeam/AdguardFilters/issues/151304
+! https://github.com/AdguardTeam/AdguardFilters/issues/79665
+! https://github.com/AdguardTeam/AdguardFilters/issues/56486
+! Arkadium antiadblock
+bestforpuzzles.com,gamelab.com#%#//scriptlet('set-constant', '__INITIAL_STATE__.config.theme.ads.isAdBlockerEnabled', 'false')
+arkadium.com#@#display-ad-component
+arkadium.com#@#div[class^="Ad-adContainer"]
+arkadium.com#$#div[class^="Ad-adContainer"] { position: absolute !important; left: -3000px !important; }
+arkadium.com#$#div[class^="GamePageAd-"] { position: absolute !important; left: -3000px !important; }
+arkadium.com#$#div[class^="GameTemplate-gameAreaTopAdContainer"] { position: absolute !important; left: -3000px !important; }
+arkadium.com#$#div[class^="CategoryPageContent-adRowDesktop-"] { position: absolute !important; left: -3000px !important; }
+arkadium.com#$?#display-ad-component { remove: true; }
+arkadium.com#%#//scriptlet('set-cookie', 'ark_adfree', 'true')
+arkadium.com#%#//scriptlet('prevent-setTimeout', 'adsShown')
+arkadium.com#%#//scriptlet('adjust-setInterval', 'game will', '', '0.02')
+arkadium.com#%#//scriptlet('adjust-setTimeout', '[native code]', '*', '0.02')
+arkadium.com#%#//scriptlet('set-constant', '__INITIAL_STATE__.gameLists.gamesNoPrerollIds.indexOf', 'trueFunc')
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=arkadium.com,important
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,important,domain=arkadium.com
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=arkadium.com
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=arkadium.com
+@@||ams.cdn.arkadiumhosted.com/advertisement/video/stable/video-ads.js$domain=arkadium.com
+@@||ams.cdn.arkadiumhosted.com/advertisement/display/stable/display-ads.js$domain=arkadium.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/56436
+smartwebsolutions.org#@#.adsense-container
+smartwebsolutions.org#%#//scriptlet("abort-current-inline-script", "$", "Adblock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/55656
+tr.link#%#//scriptlet("set-constant", "xmlhttp", "noopFunc")
+! toolforge.org - antiadblock
+@@||toolforge.org/ad_block_test.js
+toolforge.org#%#//scriptlet("set-constant", "noAdBlockers", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/56359
+@@||ievaphone.com/public/javascripts/ads.js
+ievaphone.com#%#//scriptlet("abort-current-inline-script", "onload", "adblock")
+! windows101tricks.com - antiadblock
+windows101tricks.com#%#//scriptlet("set-constant", "better_ads_adblock", "true")
+@@||windows101tricks.com/wp-content/plugins/better-adsmanager/js/advertising.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/56289
+roya.tv#$##wrapfabtest { height: 1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/56200
+findandfound.ga#%#//scriptlet("abort-on-property-read", "adb_warning")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=findandfound.ga
+! https://github.com/AdguardTeam/AdguardFilters/issues/56233
+!+ NOT_OPTIMIZED
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=breatheheavy.com
+breatheheavy.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/55855
+nightfallnews.com#%#//scriptlet("set-constant", "adBlockDetected", "noopFunc")
+||cdnjs.cloudflare.com/ajax/libs/fingerprintjs2/2.0.6/fingerprint2.min.js$script,redirect=noopjs,domain=nightfallnews.com
+!#safari_cb_affinity(general,privacy)
+@@||cdnjs.cloudflare.com/ajax/libs/fingerprintjs2/2.0.6/fingerprint2.min.js$domain=nightfallnews.com
+!#safari_cb_affinity
+! https://github.com/AdguardTeam/AdguardFilters/issues/56141
+@@||call2friends.com/*/javascripts/ads.js
+call2friends.com#%#//scriptlet("abort-current-inline-script", "onload", "Adblock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/56054
+@@||linkdecode.com^$generichide
+!
+! SECTION: devuploads.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/55971
+! https://github.com/AdguardTeam/AdguardFilters/issues/57470
+! It seems that website is using Element.outerHTML to checks if some elements and script are part of the site
+! and it looks like that then it's valided on server side
+! dropgalaxy.com#$?#input[id^="adblock_"] { remove: true; }
+! techssting.com,dropgalaxy.com#%#//scriptlet("abort-current-inline-script", "$", "/var _0x|adblock/")
+!
+! Domains: financemonk.net,rtxkeeda.com,houseofblogger.com,dropgalaxy.com,djxmaza.in,jytechs.in
+@@||dropgalaxy.com^$generichide
+@@||djxmaza.in^$generichide
+@@||miuiflash.com^$generichide
+*$subdocument,redirect-rule=noopframe,domain=financemonk.net|rtxkeeda.com|houseofblogger.com|dropgalaxy.com|djxmaza.in|miuiflash.com|thecubexguide.com|jytechs.in
+*$xmlhttprequest,redirect-rule=nooptext,domain=financemonk.net|rtxkeeda.com|houseofblogger.com|dropgalaxy.com|djxmaza.in|miuiflash.com|thecubexguide.com|jytechs.in
+*$script,redirect-rule=noopjs,domain=financemonk.net|rtxkeeda.com|houseofblogger.com|dropgalaxy.com|djxmaza.in|miuiflash.com|thecubexguide.com|jytechs.in
+*$image,redirect-rule=32x32-transparent.png,domain=financemonk.net|rtxkeeda.com|houseofblogger.com|dropgalaxy.com|djxmaza.in|miuiflash.com|thecubexguide.com|jytechs.in
+!
+@@/gettoken.php?$xmlhttprequest,domain=financemonk.net|rtxkeeda.com|houseofblogger.com|dropgalaxy.com|djxmaza.in|miuiflash.com|thecubexguide.com|jytechs.in
+@@||securepubads.g.doubleclick.net/pagead/ppub_config?ippd=$xmlhttprequest,domain=financemonk.net|rtxkeeda.com|houseofblogger.com|dropgalaxy.com|djxmaza.in|miuiflash.com|thecubexguide.com|jytechs.in
+@@||a2zapk.com^$script,xmlhttprequest,third-party,domain=financemonk.net|rtxkeeda.com|houseofblogger.com|dropgalaxy.com|djxmaza.in|miuiflash.com|thecubexguide.com|jytechs.in
+@@||protagcdn.com/s/dropgalaxy.com/site.js$script,domain=financemonk.net|rtxkeeda.com|houseofblogger.com|dropgalaxy.com|djxmaza.in|miuiflash.com|thecubexguide.com|jytechs.in
+@@||services.vlitag.com/adv1/$script,domain=financemonk.net|rtxkeeda.com|houseofblogger.com|dropgalaxy.com|djxmaza.in|miuiflash.com|thecubexguide.com|jytechs.in
+@@||protagcdn.com/check-bot/index.html$subdocument,domain=financemonk.net|rtxkeeda.com|houseofblogger.com|dropgalaxy.com|djxmaza.in|miuiflash.com|thecubexguide.com|jytechs.in
+@@||assets.vlitag.com/prebid/default/prebid-*.js$script,domain=financemonk.net|rtxkeeda.com|houseofblogger.com|dropgalaxy.com|djxmaza.in|miuiflash.com|thecubexguide.com|jytechs.in
+@@||jscdn.greeter.me/dropgalaxy.onlinehead.js$script,domain=financemonk.net|rtxkeeda.com|houseofblogger.com|dropgalaxy.com|djxmaza.in|miuiflash.com|thecubexguide.com|jytechs.in
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$script,domain=financemonk.net|rtxkeeda.com|houseofblogger.com|dropgalaxy.com|djxmaza.in|miuiflash.com|thecubexguide.com|jytechs.in
+@@||securepubads.g.doubleclick.net/*/pubads_impl*.js$script,domain=financemonk.net|rtxkeeda.com|houseofblogger.com|dropgalaxy.com|djxmaza.in|miuiflash.com|thecubexguide.com|jytechs.in
+@@||player.aplhb.adipolo.com/prebidlink/$script,domain=financemonk.net|rtxkeeda.com|houseofblogger.com|dropgalaxy.com|djxmaza.in|miuiflash.com|thecubexguide.com|jytechs.in
+@@||googletagmanager.com/gtag/js$xmlhttprequest,domain=financemonk.net|rtxkeeda.com|houseofblogger.com|dropgalaxy.com|djxmaza.in|miuiflash.com|thecubexguide.com|jytechs.in
+@@||googletagservices.com/tag/js/gpt.js$script,domain=financemonk.net|rtxkeeda.com|houseofblogger.com|dropgalaxy.com|djxmaza.in|miuiflash.com|thecubexguide.com|jytechs.in
+@@||googlesyndication.com^$script,xmlhttprequest,domain=financemonk.net|rtxkeeda.com|houseofblogger.com|dropgalaxy.com|djxmaza.in|miuiflash.com|thecubexguide.com|jytechs.in
+!@@.jpg$image,domain=financemonk.net|rtxkeeda.com|houseofblogger.com|dropgalaxy.com|djxmaza.in|miuiflash.com|thecubexguide.com
+!@@.png$image,domain=financemonk.net|rtxkeeda.com|houseofblogger.com|dropgalaxy.com|djxmaza.in|miuiflash.com|thecubexguide.com
+!
+jytechs.in,miuiflash.com,djxmaza.in,thecubexguide.com#%#//scriptlet('prevent-addEventListener', 'DOMContentLoaded', 'antiAdBlockerHandler')
+jytechs.in,miuiflash.com,djxmaza.in,thecubexguide.com#%#//scriptlet('prevent-xhr', '/adtrue\.com|eningspon\.com|freychang\.fun|orquideassp\.com|popunder/')
+jytechs.in,miuiflash.com,djxmaza.in,thecubexguide.com#%#//scriptlet('prevent-fetch', '/a-mo\.net|adnxs\.com|prebid|creativecdn\.com|e-planning\.net|quantumdex\.io/')
+dropgalaxy.com#%#//scriptlet('set-constant', 'supportedBrowsers', '')
+dropgalaxy.com#@#iframe[data-aa]
+dropgalaxy.com#@#div[id^="div-gpt-ad"]
+jytechs.in,miuiflash.com,djxmaza.in,thecubexguide.com#@##featuredimage
+financemonk.net,rtxkeeda.com,houseofblogger.com,dropgalaxy.com,djxmaza.in,jytechs.in#@#.showads
+dropgalaxy.com#%#//scriptlet("set-constant", "_VLIOBJ", "emptyObj")
+dropgalaxy.com##.pgAdWrapper
+! For DNS filtering
+! enable if they are changing domain and not allowing the referrer anymore
+! NOTE: devuploads.com end ⬆️
+! !SECTION: devuploads.com
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/188415
+japanesekorean.aliendictionary.com###adblock-engelleyici
+! https://github.com/AdguardTeam/AdguardFilters/issues/158271
+streama2z.com,smartkhabrinews.com#%#//scriptlet('abort-current-inline-script', '$', 'err_id:')
+@@||tpc.googlesyndication.com/simgad/$domain=smartkhabrinews.com|streama2z.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/55228
+arcai.com#%#//scriptlet("set-constant", "window.canRunAds", "true")
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=arcai.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/55598
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=mobile-tracker-free.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/55767
+haaretz.com#%#//scriptlet("prevent-addEventListener", "load", "hblocked?returnTo")
+! https://github.com/AdguardTeam/AdguardFilters/issues/55510
+sms24.me#$#.pub_728x90.text-ad.text_ads.text-ads.text-ad-links { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/55755
+agxapks.com#$#.publicite.text-ad.adsbox { display: block !important; }
+agxapks.com#%#//scriptlet("abort-on-property-read", "gothamBatAdblock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/55676
+@@||awempt.com/embed/$script,domain=sexcamfreeporn.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/55516
+@@||akvideo.stream/js/popunder*.js
+akvideo.stream#%#//scriptlet("abort-current-inline-script", "$", "').show();")
+! https://github.com/AdguardTeam/AdguardFilters/issues/55404
+||ads.exoclick.com/ads.js$script,redirect=noopjs
+nakedteens.fun#%#AG_defineProperty('exoDocumentProtocol', { value: window.document.location.protocol });
+! https://github.com/AdguardTeam/AdguardFilters/issues/55366
+plagiarismdetector.net#%#//scriptlet("prevent-setTimeout", "isAdBlockActive")
+plagiarismdetector.net#%#//scriptlet("set-constant", "google_jobrunner", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/55203
+@@||embed.m3u-cdn.live/fuckadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/55580
+! https://github.com/AdguardTeam/AdguardFilters/issues/55121
+||assets.revcontent.com/master/delivery.js$script,redirect=noopjs,domain=mp4upload.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/54811
+||miamiherald.com/static/yozons-lib/choice.adb*.js
+! mylink.*
+@@/ad.sense/ad-m.js$~third-party
+@@/\/\d{5,7}$/$domain=mylink.*|my1ink.*|myl1nk.*|myli3k.*
+@@||ads.themoneytizer.com/*/gen.js$domain=mylink.*|my1ink.*|myl1nk.*|myli3k.*
+@@|http$script,~third-party,domain=mylink.*|my1ink.*|myl1nk.*|myli3k.*
+@@||in-page-push.com^$script,domain=mylink.*|my1ink.*|myl1nk.*|myli3k.*
+mylink.*,my1ink.*,myl1nk.*,myli3k.*#%#//scriptlet('prevent-setInterval', '/0x|dBodySize/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/72466
+mylink.vc#%#//scriptlet("prevent-setTimeout", "//in-page-push.")
+! https://github.com/AdguardTeam/AdguardFilters/issues/54881
+||sp.tennessean.com^
+! https://github.com/AdguardTeam/AdguardFilters/issues/54969
+@@||freebcc.org/static/ads/popunder.js
+freebcc.org#%#//scriptlet("set-constant", "popunder_ads", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/54968
+@@||vidload.net/popads.js
+easyload.io##.force-adblock
+! https://github.com/AdguardTeam/AdguardFilters/issues/78287
+@@||wstream.video^$generichide
+@@||wstream.video/*.js$~third-party
+@@||fastcdn.stream/*.js$domain=wstream.video
+wstream.video#%#//scriptlet("adjust-setTimeout", ".height()", "3000", "0.02")
+wstream.video#%#//scriptlet('remove-attr', 'style', 'div[id][style="display: none;"]')
+wstream.video#$#[id^="ad"] { height: 10px!important; }
+wstream.video#$#body[style*="overflow"] { overflow: visible!important; }
+wstream.video#?##container div[id] > div:not([class]):not([id])> div[id][style]:has(> * > a[href="https://wstream.video/premium.html"])
+wstream.video#?##container div[id] > div:not([class]):not([id])> div[id][style]:has(> center > * > a[href="https://wstream.video/premium.html"])
+wstream.video#?#body > div[id][style]:has(> center > * > a[href="https://wstream.video/premium.html"])
+wstream.video#?#div > div[id] > br ~ h2:contains(Plase disable ad-block):upward(1)
+! https://github.com/AdguardTeam/AdguardFilters/issues/54632
+@@||maxservicesi.com/wp-content/plugins/*/assets/fuckadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/54532
+techably.com#%#//scriptlet("prevent-setTimeout", "ins.adsbygoogle")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=techably.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/54508
+prepostseo.com#%#//scriptlet("set-constant", "showDabay", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/54378
+@@||coinbid.org/fuckadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/54426
+||cdn.rawgit.com/hasrul11/mass/a68bd824/script.min.js
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=runmods.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/79329
+! https://github.com/AdguardTeam/AdguardFilters/issues/54244
+dutchycorp.ovh,dutchycorp.space#%#//scriptlet("abort-on-property-read", "NoAdBlock")
+dutchycorp.ovh,dutchycorp.space#%#//scriptlet("abort-on-property-read", "adBlockerDetected")
+@@||cdnjs.cloudflare.com/ajax/libs/blockadblock/3.2.1/blockadblock.js$domain=dutchycorp.ovh
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=dutchycorp.ovh
+dutchycorp.ovh#%#//scriptlet("prevent-addEventListener", "DOMContentLoaded", "adsBlocked")
+! https://github.com/AdguardTeam/AdguardFilters/issues/54302
+rummikub-apps.com###blockBanner
+@@||cdn.reignn.com/Products/Reignn/DataPixels/AdBlockerCheck/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/54204
+shorterall.com#$#div[id^="42483"] { height: 11px!important; }
+shorterall.com#%#//scriptlet("prevent-setTimeout", "adblock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/54183
+@@||cdnjs.cloudflare.com/ajax/libs/blockadblock/3.2.1/blockadblock.js$domain=dutchycorp.space
+! https://github.com/AdguardTeam/AdguardFilters/issues/54042
+@@||googleads.g.doubleclick.net/pagead/ads?ads$domain=gleanster.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/53996
+||freetutsdownload.net/wp-content/plugins/adblock-monetizer/js/adblock-monetizer.js
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=freetutsdownload.net
+freetutsdownload.net#%#//scriptlet("set-constant", "adblock_is_adsense", "0")
+! https://github.com/AdguardTeam/AdguardFilters/issues/53912
+shrib.com#%#//scriptlet("prevent-setTimeout", "adblock", "6000")
+! https://github.com/AdguardTeam/AdguardFilters/issues/53888
+newser.com#%#//scriptlet('abort-on-property-read', 'checkAds')
+! https://github.com/AdguardTeam/AdguardFilters/issues/53850
+1shortlink.com#%#//scriptlet("abort-on-property-read", "showAlertRequireDisableAdblocker")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,important,domain=1shortlink.com
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=1shortlink.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/53787
+@@||notebookchat.com/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/53694
+milfzr.com#$##juicyads { height: 21px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/53600
+||akunssh.net/assets/js/extra.min.js
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=akunssh.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/53643
+@@||playtube.ws/js/pop.js
+playtube.ws#%#//scriptlet("set-constant", "MehBleh", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/53433
+@@||cheatsquad.gg/javascript/ad*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/53430
+ilovephd.com#%#//scriptlet("set-constant", "adsbygoogle.loaded", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/53394
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=akinator.com|akinator.mobi
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,important,domain=akinator.com|akinator.mobi
+! https://github.com/AdguardTeam/AdguardFilters/issues/53351
+||ads.exoclick.com/ads.js$script,redirect=noopjs,domain=uflash.tv
+||ads.exoclick.com/nativeads.js$script,redirect=noopjs,domain=uflash.tv
+uflash.tv#$#body .video .ad300x250 { display: block!important; height: 250px!important; width: 300px!important; position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/53106
+javtiful.com#%#//scriptlet("prevent-addEventListener", "DOMContentLoaded", "adsBlocked")
+! https://github.com/AdguardTeam/AdguardFilters/issues/52997
+@@||habbokritik.de/FuckAdBlock/fuckadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/52878
+@@||tstrs.me/img/*#/
+@@||tstrs.me^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/52779
+androidpolice.com#%#//scriptlet("abort-on-property-write", "ai_adb")
+! https://github.com/AdguardTeam/AdguardFilters/issues/52764
+@@||bookscool.com/*/advertisement.js
+||bookscool.com/*/adblock-checker.
+bookscool.com#%#//scriptlet("set-constant", "adblock", "1")
+! https://github.com/AdguardTeam/AdguardFilters/issues/52725
+@@||fux.com/adblockchecker.js
+fux.com#%#//scriptlet("set-constant", "adbDetectorLoaded", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/52702
+podu.me#%#//scriptlet("set-constant", "adsAreBlocked", "false")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=podu.me
+! https://github.com/AdguardTeam/AdguardFilters/issues/52345
+@@||soup.io/ads.js
+soup.io#%#//scriptlet("set-constant", "canRunAds", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/128326
+dvdgayonline.com,gaypornhdfree,dood.re#%#//scriptlet("set-constant", "bab", "noopFunc")
+dood.sh,dood.li,jav-scvp.com,d000d.com,d0000d.com,do0od.com,ds2play.com,doods.pro,dooood.com,dood.yt,dood.re,dood.wf,dood.la,dood.pm,dood.so,dood.to,dood.watch,dood.ws#%#//scriptlet("abort-current-inline-script", "document.getElementsByClassName", "allow adblock")
+dood.sh,dood.li,jav-scvp.com,d000d.com,d0000d.com,do0od.com,ds2play.com,doods.pro,dooood.com,dvdgayonline.com,fxggxt.com,dood.yt,dood.re,dood.wf,dood.la,dood.pm,dood.so,dood.to,dood.watch,dood.ws#%#//scriptlet("set-constant", "googleAd", "true")
+dood.sh,dood.li,jav-scvp.com,d000d.com,d0000d.com,do0od.com,ds2play.com,doods.pro,dooood.com,dvdgayonline.com,fxggxt.com,dood.yt,dood.re,dood.wf,dood.la,dood.pm,dood.so,dood.to,dood.watch,dood.ws#%#//scriptlet("set-constant", "xPoPAdS", "false")
+!+ NOT_OPTIMIZED
+@@||i.doodcdn.co/ads/ad.js
+!+ NOT_OPTIMIZED
+@@||i.doodcdn.co/ads/pop.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/52225
+thelayoff.com#%#//scriptlet("prevent-setTimeout", "AdBlockers")
+! https://github.com/AdguardTeam/AdguardFilters/issues/52031
+@@/ad.js$~third-party,domain=giveaway.su
+! https://github.com/AdguardTeam/AdguardFilters/issues/52117
+freecoursesonline.me#%#//scriptlet("abort-on-property-write", "adregain_wall")
+! https://github.com/AdguardTeam/AdguardFilters/issues/52020
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=sna3talaflam.com
+sna3talaflam.com#%#//scriptlet("abort-current-inline-script", "document.createElement", "adblock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/51938
+||intl.startrek.com/modules/contrib/ctd_sourcepoint/js/ctd-sourcepoint.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/51905
+qpython.club#$##wrapfabtest { height: 1px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/51775
+@@||100count.net/*/linko/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/51758
+@@||freebcc.org/claim/vendor/ads/ads.js
+freebcc.org#%#//scriptlet("set-constant", "canRunAds", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/51649
+moonbitcoin.cash#$##claimAd { display: block!important; position: absolute!important; left: -3000px!important; }
+! vivo.sx - antiadblock
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=vivo.sx
+! https://github.com/AdguardTeam/AdguardFilters/issues/51422
+||mangafeeds.com/antiblock/antiadblockscript.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/51340
+@@||urlpay.net/wp-content/plugins/*/assets/fuckadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/51149
+@@||firefaucet.win^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/50933
+pornsexer.com#%#//scriptlet("set-constant", "flashvars.protect_block", "")
+! https://github.com/AdguardTeam/AdguardFilters/issues/50871
+@@||digitallearn.online/wp-content/plugins/*/assets/fuckadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/50757
+@@||thefastlaneforum.com/community/js/*/adblocker-leader.js
+thefastlaneforum.com#%#//scriptlet("abort-current-inline-script", "$", "!document.getElementById(btoa")
+! https://github.com/AdguardTeam/AdguardFilters/issues/50731
+@@||gogodl.com/*/js/advertisement.js
+gogodl.com#%#//scriptlet("abort-current-inline-script", "document.getElementById", "bannerad")
+! https://github.com/AdguardTeam/AdguardFilters/issues/50707
+@@||shorteet.com/*/advertisement.js
+||shorteet.com/*/check.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/50721
+lg-firmwares.com,sfirmware.com#%#AG_onLoad(function(){var a=document.querySelector("#download-popup-inner");if(a&&!a.hasChildNodes()){var b=document.createElement("inc");a.appendChild(b);b.setAttribute("class","adsbygoogle")}a=document.querySelector("#download-popup-inner > .adsbygoogle");b=document.createElement("iframe");b.style="width: 0px !important; border: none !important;";a&&a.appendChild(b)});
+! https://github.com/AdguardTeam/AdguardFilters/issues/50737
+@@||lookmovie.ag/*dfp.min.js
+lookmovie.ag#@#.adbanner
+lookmovie.ag#$##ft-site-logo { height: 1px!important; }
+lookmovie.ag#%#//scriptlet("abort-on-property-read", "detect")
+lookmovie.ag#%#//scriptlet("abort-on-property-read", "adBlockDetected")
+lookmovie.ag#%#//scriptlet("abort-current-inline-script", "document.addEventListener", "wellcome-boy")
+! https://github.com/AdguardTeam/AdguardFilters/issues/50387
+btcmining.best#%#//scriptlet("set-constant", "window.ADSController", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/50629
+md5hashing.net#%#//scriptlet("set-constant", "_app.adsBlocked.set", "falseFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/50540
+read7deadlysins.com#@#.adBlock
+! https://github.com/AdguardTeam/AdguardFilters/issues/50520
+@@||secureservercdn.net/*.myftpupload.com/wp-content/themes/jannah/assets/js/advertisement.js$domain=sailuniverse.com
+sailuniverse.com#%#//scriptlet("set-constant", "$tieE3", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/50548
+almezoryae.com#%#//scriptlet("abort-current-inline-script", "document.createElement", "adblock")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,important,domain=almezoryae.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/50482
+@@||cdn.howtofixwindows.com/wp-content/*/better-adsmanager/js/advertising.min-*.js
+howtofixwindows.com#%#//scriptlet("set-constant", "better_ads_adblock", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/49874
+kimochi.info#%#//scriptlet("abort-current-inline-script", "$", "checkAdBlocker")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,important,domain=kimochi.info
+! https://github.com/AdguardTeam/AdguardFilters/issues/50102
+sznlink.xyz#%#//scriptlet("abort-current-inline-script", "jQuery", "/ai_|ai-|detected|use_current_selector|JSON.stringify|insertion_before|AdSense|jquery-migrate\.min\.js/")
+! https://github.com/AdguardTeam/AdguardFilters/issues/50179
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,important,domain=tunein.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/50016
+u-s-news.com#%#//scriptlet("set-constant", "ulp_noadb", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/49892
+@@||cdn.jsdelivr.net/npm/*/fuckadblock.min.js$domain=theandroidpro.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/50065
+journaldev.com#%#//scriptlet("abort-on-property-read", "mailoptin_globals.public_js")
+! https://github.com/AdguardTeam/AdguardFilters/issues/49707
+gamesradar.com#@#.googleAd
+! https://github.com/AdguardTeam/AdguardFilters/issues/146245
+! https://github.com/AdguardTeam/AdguardFilters/issues/79192
+filecr.com#%#AG_onLoad(function(){let o=document.location.origin,e=document.location.href;const t=o=>{window.postMessage('{"msg_type":"adsense-labs"}',o)};o&&t(o);const n=document.querySelector("body");new MutationObserver((n=>{n.forEach((()=>{e!==document.location.href&&(e=document.location.href,o=document.location.origin,o&&setTimeout((()=>{t(o)}),100))}))})).observe(n,{childList:!0,subtree:!0})});
+filecr.com#$#body .pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links { display: block !important; width: 3px !important; }
+filecr.com#$?#body .pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links { display: block !important; width: 3px !important; }
+filecr.com#%#AG_defineProperty('ShPublic.extention_session', {value: true});
+@@||filecr.com/wp-content/plugins/holdback/$script,stylesheet
+@@||scriptcdn.net/code/$xmlhttprequest,domain=filecr.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/49667
+||cdn.staticaly.com/gist/pyarmeindia/*/raw/*/gourabblock.js$third-party
+softwarecrackguru.com#%#//scriptlet("abort-current-inline-script", "addEventListener", "abblock")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,important,domain=softwarecrackguru.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/49608
+@@||birdload.com/*/js/advertisement.js
+birdload.com#%#//scriptlet("abort-current-inline-script", "document.getElementById", "bannerad")
+! https://github.com/AdguardTeam/AdguardFilters/issues/49526
+tecknity.com#%#//scriptlet("set-constant", "ads_b_test", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/49290
+avforums.com#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/49261
+@@||bitearns.com/*/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/177030
+! https://github.com/AdguardTeam/AdguardFilters/issues/49176
+||rimworldbase.com/wp-content/plugins/mireia-tools/assets/js/anti-adblock.js
+rimworldbase.com#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/48905
+play.anghami.com#@#.adsBanner
+play.anghami.com#$#.adsbox.adsBanner { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/48665
+asia-mag.com#%#//scriptlet("abort-on-property-read", "adsBlocked")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,important,domain=asia-mag.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/48661
+@@||viptools.es/assets/ads.js
+! adslink.pw - antiadblock
+@@||adslink.pw/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/48465
+/levelmaxblock.js
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,important,domain=safelink.hulblog.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/48420
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=cdnvideo.me
+! https://github.com/AdguardTeam/AdguardFilters/issues/47155
+demonslayermanga.com#@#.adBlock
+! https://github.com/AdguardTeam/AdguardFilters/issues/48211
+@@||dloady.com/js/*/ad-banner.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/48392
+thewatchcartoononline.tv,wco.tv,wcoanimesub.tv,wcoanimedub.tv#$##wrapfabtest { height: 1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/48245
+@@||ooodesi.com/*/js/advertisement.js
+! abyss.to, abysscdn.com, playhydrax.com, hydrax.net - antiadblock
+filmespi.online,playembedapi.site,abysscdn.com,playhydrax.com,hydrax.net#%#//scriptlet('trusted-replace-node-text', 'script', 'AdBlock', 'isNoAds=!1', 'isNoAds=!0')
+filmespi.online,playembedapi.site,abysscdn.com,playhydrax.com,hydrax.net#%#//scriptlet("set-constant", "isClick", "true")
+@@||iamcdn.net/players/*ads*.js$domain=hydrax.net|playhydrax.com
+!+ NOT_PLATFORM(ext_ublock)
+||fadsanz.com/*.js$script,redirect=noopjs,important,domain=hydrax.net|playhydrax.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/48025
+@@||ads.remix.es/advertisement.js|
+! https://github.com/AdguardTeam/AdguardFilters/issues/48010
+joblo.com#%#//scriptlet("abort-current-inline-script", "document.body.appendChild", "adb:function")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,important,domain=joblo.com
+!+ NOT_PLATFORM(windows, mac, android)
+@@||rddywd.com/adcode.png$domain=joblo.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/48008
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=player.glomex.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/59049
+@@||leechall.download/js/adsbygoogle.js
+leechall.download#$##taboola-below-article-thumbnails { height: 450px!important; position: absolute!important; left: -3000px!important; }
+leechall.download#$#.asd { display: block!important; position: absolute!important; left: -3000px!important; height: 100px !important; }
+leechall.download#$##adBanner { display: block!important; position: absolute!important; left: -3000px!important; height: 100px !important; }
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=leechall.download
+! https://forum.adguard.com/index.php?threads/19361/
+rong-chang.com###content > div > table:nth-child(3)
+! https://github.com/AdguardTeam/AdguardFilters/issues/47632
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=wibc.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/47555
+||cdn.rawgit.com/perampokgoogle/AntiAdblock/master/AdblockRampok.js
+! sickworldmusic.com - antiadblock
+sickworldmusic.com#%#//scriptlet("abort-current-inline-script", "document.addEventListener", "ad blocker")
+!+ NOT_PLATFORM(windows, mac, android)
+@@||sickworldmusic.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/47144
+!+ PLATFORM(windows, mac, android, ext_chromium, ext_ff, ext_opera)
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,important,domain=radiotunes.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/47331
+! https://github.com/AdguardTeam/AdguardFilters/issues/47187
+totv.org#%#//scriptlet("set-constant", "blocked", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/47284
+ddl.to#%#//scriptlet("set-constant", "adb_check", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/47112
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=babygames.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/47231
+||cdn.rawgit.com/Abdo-Hegazi/wdbloog/*/wdbloogablock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/46844
+@@||bitent.com/lock_html5/adPlayer/v*/adPlayer.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/46862
+||cdnjs.cloudflare.com/ajax/libs/jquery-confirm/*/jquery-confirm.min.js$domain=openplayer.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/46483
+@@||fingahvf.top/advertisers.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/46351
+@@||retweetpicker.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/46350
+123greetings.com###ad_lightbox
+! https://github.com/AdguardTeam/AdguardFilters/issues/46107
+quackr.io#%#window.adsbygoogle = { loaded: !0 };
+! https://github.com/AdguardTeam/AdguardFilters/issues/45966
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=sportskeeda.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/45945
+@@||picmix.com/js/fuckadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/45891
+freevocabulary.com#@##adWrap
+freevocabulary.com#$##adWrap { display: block!important; height: 1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/157481
+! https://github.com/AdguardTeam/AdguardFilters/issues/116756
+@@||pandora.com/static/ads/
+@@||pandora.com/web-client-assets/ads.*.js
+@@||pandora.com/web-version/*/*.json
+||pandora.com/static/ads/omsdk-*.js$script,redirect=noopjs,domain=pandora.com,important
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=pandora.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/45688
+@@||seeitworks.com/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/45465
+@@||c.yandexcdn.com/js/adv/ads.js$domain=yandexcdn.com
+@@||c.yandexcdn.com/js/adv/advert3.js$domain=yandexcdn.com
+@@||c.yandexcdn.com/js/adv/fuckadblock.js$domain=yandexcdn.com
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=yandexcdn.com
+@@||cdn.jsdelivr.net/npm/videojs-contrib-ads/dist/videojs.ads.min.css$domain=yandexcdn.com
+@@||cdn.jsdelivr.net/npm/videojs-contrib-ads/dist/videojs.ads.min.js$domain=yandexcdn.com
+@@||storage.googleapis.com/vkcdnservice.appspot.com/script$domain=yandexcdn.com
+||deliver.vkcdnservice.com/api/spots/$redirect=nooptext,domain=yandexcdn.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/45453
+freemagazines.top#%#//scriptlet("set-constant", "adsbygoogle.length", "undefined")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=freemagazines.top
+! https://github.com/AdguardTeam/AdguardFilters/issues/45452
+@@||keran.co/*/libs/ad*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/45447
+@@||wstream.video/ads2.js
+!+ NOT_PLATFORM(windows, mac, android)
+wstream.video#%#//scriptlet("prevent-setTimeout", "/document\.getElementById\([\s\S]*?\)\.style\.display/")
+! https://github.com/AdguardTeam/AdguardFilters/issues/45442
+@@||cdnjs.cloudflare.com/ajax/libs/fuckadblock/*/fuckadblock.min.js$domain=televisiongratishd.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/45411
+doodle.com#@#.googleAd
+! she2013.com - antiadblock
+@@||cdnjs.cloudflare.com/ajax/libs/fuckadblock/*/fuckadblock.min.js$domain=she2013.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/45347
+@@||konten.co.id/wp-content/*/fuckadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/45311
+autocar.co.uk#@#.googleAd
+! https://github.com/AdguardTeam/AdguardFilters/issues/49288
+! https://github.com/AdguardTeam/AdguardFilters/issues/45301
+@@||dreamdth.com/community/js/*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/45298
+@@||cdn.osimg.co/ads/pop.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/45187
+games.latimes.com#%#//scriptlet("set-constant", "Adv_ab", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/70152
+@@||wilafhhbdyewgbd.xyz/popads.js$domain=filezip.cc
+filezip.cc#$##blockblockB { display: block!important; }
+filezip.cc#$##blockblockA { display: none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/178204
+bing.com#%#//scriptlet('json-prune', 'relatedAds')
+! https://github.com/AdguardTeam/AdguardFilters/issues/44788 - bing.com - it seems that bing.com is using some kind of ad reinjection script and displays different ads if below elements are blocked
+! https://github.com/AdguardTeam/AdguardFilters/issues/116297
+! https://github.com/AdguardTeam/AdguardFilters/issues/188911
+! 27.04.2022 - It looks like that website is checking "document.querySelector('li.b_ad').offsetHeight < 1 || document.querySelector('li.b_ad').offsetWidth < 1 || document.querySelector('li.b_ad').offsetLeft < 0" (and some other elements) and
+! if it returns true, then ABDEF cookie is set to "V=13&ABDV=13" and then display a different ads, if returns false then to "V=13&ABDV=11" and ad reinjection is not called, if I'm not wrong
+! bing.com##.sb_adTA
+! bing.com###b_content > main > #b_results > li:not(.b_algo):not(.b_ans):not(.b_mop):not(.b_pag)
+! bing.com#$?#.b_ad { remove: true; }
+bing.com#@#.pa_sb
+bing.com#@#.pa_carousel_mlo
+bing.com#@#li.b_adBottom
+@@||bing.com^$generichide
+bing.com#$#body .pa_sb { display: block !important; position: absolute !important; top: -9999px !important; }
+bing.com#$#body .pa_carousel_mlo { display: block !important; position: absolute !important; top: -9999px !important; }
+bing.com#$#body .b_adLastChild { display: block !important; position: absolute !important; top: -9999px !important; }
+bing.com#$#.b_ad { display: block !important; position: absolute !important; top: -9999px !important; }
+bing.com#$?#.b_restorableLink { remove: true; }
+||bing.com^$cookie=ABDEF
+bing.com#%#!function(){const e={apply:(e,l,t)=>{const o=t[0];return o?.includes(".b_ad,")?t[0]="#b_results":o?.includes(".b_restorableLink")&&(t[0]=".b_algo"),Reflect.apply(e,l,t)}};window.Element.prototype.querySelectorAll=new Proxy(window.Element.prototype.querySelectorAll,e)}();
+! https://github.com/AdguardTeam/AdguardFilters/issues/44634
+@@||androiddownload.net/themes/*/js/advertisement.js
+androiddownload.net#%#//scriptlet("abort-current-inline-script", "document.getElementById", "bannerad")
+! hargawebsite.com - antiadblock
+@@||hargawebsite.com/js/fuckadblock.js
+! https://forum.adguard.com/index.php?threads/36047/
+||shqipvision.com/js/blockadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/44518
+@@||ams.cdn.arkadiumhosted.com/advertisement/video/stable/video-ads.js$domain=games.metv.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/44442
+sadeempc.com#$?#body[style*="visibility"] { visibility: visible!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/44314
+@@||geekrar.com/wp-content/*/js/ads-*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/44260
+@@||wstream.video/js/popads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/44068
+@@||vidia.tv/js/googima.js
+vidia.tv#%#//scriptlet("set-constant", "cRAds", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/44048
+@@||kxcdn.com/js/wutime_adblock/ads.js$domain=enxf.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/44003
+!+ PLATFORM(windows, mac, android, ext_chromium, ext_ff, ext_opera)
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,important,domain=jazzradio.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/102126
+! https://github.com/AdguardTeam/AdguardFilters/issues/53221
+! https://github.com/AdguardTeam/AdguardFilters/issues/43982
+!+ NOT_OPTIMIZED
+adshnk.com,adshrink.it#$#.adsbox.pub_300x250 { display: block !important; }
+||c.adsco.re^$script,other,redirect=noopjs,domain=adshnk.com|adshrink.it
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$redirect=googlesyndication-adsbygoogle,domain=adshnk.com|adshrink.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/43950
+!+ PLATFORM(windows, mac, android, ext_chromium, ext_ff, ext_opera)
+||saruch.co/ads/ad.xml$redirect=nooptext,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/43791
+||cdn.jsdelivr.net/gh/vli-platform/adb-analytics@a6f3a45/v1.0.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/43152
+pch.com#%#//scriptlet("abort-current-inline-script", "pAPI", "location")
+! https://github.com/AdguardTeam/AdguardFilters/issues/43723
+!+ PLATFORM(windows, mac, android, ext_chromium, ext_ff, ext_opera)
+||adservice.google.com/adsid/integrator.js$script,redirect=noopjs,important,domain=943thex.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/43553
+@@||cdn.onlystream.tv/ads/pop.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/43168
+@@||hesgoal.com/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/43517
+||subtitledb.org/js/adblockcheck.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/43408
+@@||asianrun.com/ads.js
+asianrun.com#%#//scriptlet("set-constant", "allow_ads", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/72376
+! https://github.com/AdguardTeam/AdguardFilters/issues/43231
+teemo.gg#@#ins.adsbygoogle[data-ad-client]
+teemo.gg#@#ins.adsbygoogle[data-ad-slot]
+teemo.gg#$#.bg-gray-200 { background: none !important; height: 1px !important; min-height: 1px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/42869
+@@||books-share.com/scripts/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/42870
+@@||promods.net/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/42630
+windows4all.com#@##adWrap
+windows4all.com#$##adWrap { display: block!important; height: 1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/42638
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=litecoinfaucet.info
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,important,domain=litecoinfaucet.info
+! https://github.com/AdguardTeam/AdguardFilters/issues/42584
+@@||bagi.co.in/*/js/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/42533
+@@||receivesms.co/js/fuckadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/42256
+programmer-books.com#%#//scriptlet("set-constant", "canRunAds", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/42197
+@@||radio.securenetsystems.net/cwa/scripts/ads/prebid.js
+securenetsystems.net#%#//scriptlet("set-constant", "iExist", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/42206
+streamty.com###adbd
+! https://github.com/AdguardTeam/AdguardFilters/issues/42270
+videobin.co#%#//scriptlet("set-constant", "adb", "0")
+! https://github.com/AdguardTeam/AdguardFilters/issues/42085
+gogoanime.cloud#%#//scriptlet("set-constant", "check_adblock", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/41496
+coinhub.pw#%#//scriptlet('abort-current-inline-script', 'adBlockNotDetected', '/FuckAdBlock/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/41798
+@@||keran.co/*/js/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/41762
+! https://github.com/AdguardTeam/AdguardFilters/issues/41762#issuecomment-541089131
+@@||megaup.net/ads.js
+megaup.net#$?#div[id*="ScriptRootC"] > div[id*="PreloadC"] { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/41357
+! FAB with different baits list('.pub_300x25')
+falkirkherald.co.uk#$#.pub_300x25.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/71351
+m.hindustantimes.com#%#//scriptlet("prevent-addEventListener", "DOMContentLoaded", "checkAdBlocker")
+! https://github.com/AdguardTeam/AdguardFilters/issues/42081
+hindustantimes.com#%#//scriptlet("abort-current-inline-script", "$", "areAdsBlocked")
+!+ PLATFORM(windows, mac, android, ext_chromium, ext_ff, ext_opera)
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,important,domain=hindustantimes.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/41916
+@@||paraphrasing-tool.com/js/wp-banners.js
+paraphrasing-tool.com#%#//scriptlet("abort-current-inline-script", "angular", "/whiteListRequestMessage|canRunAds/")
+! https://github.com/AdguardTeam/AdguardFilters/issues/41688
+gounlimited.to###adbd
+@@||gounlimited.to/ads/pop.js|
+gounlimited.to#%#//scriptlet("set-constant", "xads", "false")
+gounlimited.to#%#//scriptlet("set-constant", "_p", "1")
+! https://github.com/AdguardTeam/AdguardFilters/issues/41660
+! https://github.com/AdguardTeam/AdguardFilters/issues/144994
+3dtuning.com#%#//scriptlet('prevent-fetch', 'https://pagead2.googlesyndication.com/pagead/js/adsbygoogle.js')
+@@||3dtuning.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/41594
+@@||myneobuxportal.com/wp-content/plugins/*/adblock-detector/advertisement.js
+myneobuxportal.com#%#//scriptlet("set-constant", "jQuery.adblock", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/41376
+creditcardgenerator.com#@##adWrap
+creditcardgenerator.com#$#body #adWrap { display: block!important; height: 1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/40896
+! https://github.com/AdguardTeam/AdguardFilters/issues/41035
+@@||tagmp3.net/ads.js
+tagmp3.net#%#//scriptlet('abort-current-inline-script', 'document.getElementById', '$(".warning")')
+! https://github.com/AdguardTeam/AdguardFilters/issues/41038
+||transparentcalifornia.com/static/js/ab-message
+! https://github.com/AdguardTeam/AdguardFilters/issues/41068
+@@||stackpathcdn.com/wp-content/plugins/*/adblock-detector/advertisement.js$domain=phoneswiki.com
+phoneswiki.com#%#//scriptlet("set-constant", "jQuery.adblock", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/41023
+||conversationexchange.com/javaScript/checkBlock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/40935
+@@||cloudfront.net/assets/advertisement/ads-*.js$domain=heatworld.com
+@@||d27so4lebom4m9.cloudfront.net/assets/advertisement/ads-ad7a5d608196d8a3a02d451c604c2ad5.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/40531
+@@||services.brid.tv/player/build/plugins/adunit.js
+gem021.com#%#//scriptlet("set-constant", "document.bridCanRunAds", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/40674
+@@||cdn.jsdelivr.net/gh/njentit/testads/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/40632
+@@||sombex.com/ads.js
+sombex.com#%#//scriptlet("abort-current-inline-script", "document.getElementById", "adblock-blocker-overlay")
+! https://github.com/AdguardTeam/AdguardFilters/issues/40452
+@@||vegashipcalc.co.uk/scripts/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/62999
+! https://github.com/AdguardTeam/AdguardFilters/issues/40536
+novelas360.com,hqq.tv#%#//scriptlet('set-constant', 'doSecondPop', 'noopFunc')
+@@||hqq.tv/js/optscript/script
+@@||storage.googleapis.com/vkcdnservice.appspot.com/script$domain=hqq.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/40405
+@@||1filesharing.com/*/js/advertisement.js
+1filesharing.com#%#//scriptlet("abort-current-inline-script", "document.getElementById", "bannerad")
+! https://github.com/AdguardTeam/AdguardFilters/issues/40260
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,important,domain=kharisma-adzana.blogspot.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/40235
+@@||mexa.sh/advertisements.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/40222
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=mobinozer.com
+@@||cdn.games.mobinozer.com/shared/loader/advert.js
+mobinozer.com#%#//scriptlet("set-constant", "noAdblock", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/67498
+@@||nulledteam.com/js/*/adsservice.js
+nulledteam.com#%#//scriptlet("abort-current-inline-script", "$", "!document.getElementById(btoa")
+! https://github.com/AdguardTeam/AdguardFilters/issues/40000
+tv-onlinehd.com###divadblock
+! https://github.com/AdguardTeam/AdguardFilters/issues/39877
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=amc.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/39745
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,important,domain=download.shareappscrack.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/39507
+@@||techperiod.com/wp-content/cache/min/*/wp-content/themes/TechPeriod/js/ads-*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/39501
+@@||turkdown.com/*/advertisement.js
+turkdown.com#$##agzblocker-unit-id { display: block!important; }
+turkdown.com#%#//scriptlet("set-constant", "agzblocker.adsBlocked", "noopFunc")
+turkdown.com#%#//scriptlet("abort-current-inline-script", "document.getElementById", "bannerad")
+! https://github.com/AdguardTeam/AdguardFilters/issues/39498
+creditcardrush.com#@##adWrap
+creditcardrush.com#$##adWrap { display: block!important; height: 1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/39386
+@@||letsdownloads.com/wp-content/plugins/*/assets/fuckadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/81465
+! https://github.com/AdguardTeam/AdguardFilters/issues/70252
+! https://github.com/AdguardTeam/AdguardFilters/issues/39316
+! https://github.com/AdguardTeam/AdguardFilters/issues/39322
+pokemonlaserielatino.xyz,stbpnetu.xyz,tmdbcdn.lat,asdasd1231238das.site,animeyt2.es,filmcdn.top,ztnetu.com,vpge.link,opuxa.lat,troncha.lol,player.igay69.com,xtapes.to,player.streaming-integrale.com,vapley.top,fansubseries.com.br,cinecalidad.vip,shitcjshit.com,pupupul.site,playertoast.cloud,fsohd.pro,xz6.top,javboys.cam,vzlinks.com,playvideohd.com,younetu.org,mundosinistro.com,stbnetu.xyz,diziturk.club,1069jp.com,vertelenovelasonline.com,rpdrlatino.live,ntvid.online,playerhd.org,gledajvideo.top,tikzoo.xyz,filme-romanesti.ro,peliculas8k.com,vido.fun,europixhd.net,cuevana.*,cuevana3.*,javboys.cam,koreanbj.club,vaav.top,ddl-francais.com,cuevana4.cc,watch-series.site,multiup.us,hqq.tv#%#//scriptlet('set-constant', 'WebSocket', 'undefined')
+pokemonlaserielatino.xyz,stbpnetu.xyz,tmdbcdn.lat,asdasd1231238das.site,animeyt2.es,filmcdn.top,ztnetu.com,vpge.link,opuxa.lat,troncha.lol,player.igay69.com,xtapes.to,player.streaming-integrale.com,vapley.top,fansubseries.com.br,cinecalidad.vip,shitcjshit.com,pupupul.site,playertoast.cloud,fsohd.pro,xz6.top,javboys.cam,vzlinks.com,playvideohd.com,younetu.org,mundosinistro.com,stbnetu.xyz,diziturk.club,1069jp.com,vertelenovelasonline.com,rpdrlatino.live,ntvid.online,playerhd.org,gledajvideo.top,younetu.*,tikzoo.xyz,video.q34r.org,korall.xyz,porntoday.ws,tabooporns.com,netuplayer.top,wiztube.xyz,netu.ac,hqq.to,hqq.ac,zerknij.cc,speedporn.net,chillicams.net,meucdn.vip,yandexcdn.com,waaw1.tv,waaw.*,czxxx.org,scenelife.org,hqq.tv#%#//scriptlet("set-constant", "adblockcheck", "false")
+younetu.*,chillicams.net,waaw.to,meucdn.vip,yandexcdn.com,waaw1.tv,waaw.tv,czxxx.org,scenelife.org,hqq.tv#%#//scriptlet("set-constant", "adBlockDetected", "noopFunc")
+@@/fuckadblock.js$domain=uniqueten.net|allcryptoz.net|meucdn.vip|yandexcdn.com|scenelife.org|hqq.tv|czxxx.org|waaw.tv
+@@||cdn.jsdelivr.net/npm/videojs-contrib-ads/dist/videojs.ads.min.js$domain=scenelife.org|hqq.tv|czxxx.org|waaw.tv
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=scenelife.org|hqq.tv|czxxx.org|waaw.tv
+||deliver.vkcdnservice.com/vast-im.js$script,redirect=noopjs,domain=meucdn.vip|yandexcdn.com|waaw.to|waaw1.tv|waaw.tv|czxxx.org|scenelife.org|hqq.tv
+! Redirect rule is not required for apps, because script with onerror event is removed from website
+!+ NOT_PLATFORM(windows, mac, android)
+||googletagmanager.com/ns.html?id=GTM-$script,redirect-rule=noopjs
+!+ NOT_PLATFORM(ext_edge, ext_ublock)
+||vkcdnservice.com/api/spots/$redirect=noopjs,domain=waaw.to|waaw1.tv|waaw.tv|czxxx.org|scenelife.org|hqq.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/39196
+antdownloadmanager.com#@#.adv_td
+! https://github.com/AdguardTeam/AdguardFilters/issues/38854
+besttechinfo.com#%#//scriptlet("set-constant", "$tieE3", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/39038
+||satchel.rei.com/packages/adobe-target^
+! https://github.com/AdguardTeam/AdguardFilters/issues/38961
+@@||solve-all-problems.info/googleads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/38757
+automobiledimension.com#$##adtura { height: 1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/38562
+pcgamer.com#%#//scriptlet("set-constant", "handleHeaderError", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/38347
+zoobeeg.com##.swal2-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/38625
+@@||indianrailways.info/js/adblocker.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/33497
+autocar.co.uk#@#input[onclick^="window.open('http://www.FriendlyDuck.com/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/38401
+safemaru.blogspot.com###unblocker
+! https://github.com/AdguardTeam/AdguardFilters/issues/38302
+! https://github.com/AdguardTeam/AdguardFilters/issues/38127
+! https://github.com/AdguardTeam/AdguardFilters/issues/38148
+||tsukie.com/js/guarder2.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/38135
+@@||ams.cdn.arkadiumhosted.com/assets/*/display-ads-f.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/38156
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=wuxiaworld.com
+wuxiaworld.com#%#//scriptlet("set-constant", "CHAPTER.adwallTag", "")
+! https://github.com/AdguardTeam/AdguardFilters/issues/38117
+! https://github.com/AdguardTeam/AdguardFilters/issues/37992
+! https://github.com/AdguardTeam/AdguardFilters/issues/38049
+||racedepartment.com/js/RD/blockDetect.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/29454
+@@/smarttag.js$~third-party,domain=rte.ie
+@@/showads.$~third-party,domain=rte.ie
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=rte.ie
+! https://github.com/AdguardTeam/AdguardFilters/issues/28337
+! https://github.com/AdguardTeam/AdguardFilters/issues/37573
+@@||fwlive.sonycrackle.com/ad/g/1|
+! https://github.com/AdguardTeam/AdguardFilters/issues/37508
+@@||mycastapp.*.amazonaws.com/assets/ads.js$domain=mycast.io
+mycast.io#%#//scriptlet("abort-current-inline-script", "document.getElementById", "blocking_ads")
+! https://github.com/AdguardTeam/AdguardFilters/issues/33975
+conservativefiringline.com#$#body { display: block!important; }
+!+ NOT_PLATFORM(ios, ext_android_cb, ext_safari)
+||conservativefiringline.com/*/*.jpg$script
+! https://github.com/AdguardTeam/AdguardFilters/issues/87894
+! https://github.com/AdguardTeam/AdguardFilters/issues/35648
+nosteamgames.ro###fanback
+nosteamgames.ro#%#//scriptlet('abort-current-inline-script', 'jQuery', 'AdBlock')
+@@||nosteamgames.ro/notcaptcha/adheader.js
+@@||nosteam.ro/notcaptcha/messages.js
+! warscrap.io
+||warscrap.io/js/libs/blockadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/37340
+! https://github.com/AdguardTeam/AdguardFilters/issues/35670
+kitploit.com#%#//scriptlet("abort-on-property-read", "adB")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,important,domain=kitploit.com
+! veedi.com
+@@||veedi.com/*/js/ads/advert.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/172240
+! https://github.com/AdguardTeam/AdguardFilters/issues/162675
+! https://github.com/AdguardTeam/AdguardFilters/issues/126190
+! https://github.com/AdguardTeam/AdguardFilters/issues/80122
+! https://github.com/AdguardTeam/AdguardFilters/issues/37214
+@@||v.fwmrm.net/ad/g/1$domain=uktvplay.uktv.co.uk|uktvplay.co.uk
+uktvplay.co.uk,uktvplay.uktv.co.uk#%#//scriptlet('prevent-fetch', 'v.fwmrm.net')
+uktvplay.co.uk,uktvplay.uktv.co.uk#%#//scriptlet('prevent-xhr', 'v.fwmrm.net')
+uktvplay.co.uk,uktvplay.uktv.co.uk#%#//scriptlet("set-constant", "FW_plugin.prototype._adPlayer", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/35411
+! desirecourse.net
+@@||desirecourse.net/wp-content/*/themes/jannah/assets/js/advertisement-*.js
+! british-birdsongs.uk
+british-birdsongs.uk#%#(function(){var b=window.setTimeout;window.setTimeout=function(a,c){if(!/\]\.bab\(window/.test(a.toString()))return b(a,c)};})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/36684
+! https://github.com/AdguardTeam/AdguardFilters/issues/36749
+! https://github.com/AdguardTeam/AdguardFilters/issues/36760
+@@||bc.vc/fly/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/32896
+@@||mediaite.com/*/adsbygoogle.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/36921
+! https://github.com/AdguardTeam/AdguardFilters/issues/36653
+! https://github.com/AdguardTeam/AdguardFilters/issues/36642
+! https://github.com/AdguardTeam/AdguardFilters/issues/36619
+! https://github.com/AdguardTeam/AdguardFilters/issues/35591
+janjua.tv#$##blockeddiv { height: 1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/36324
+fuckit.cc,camhub.cc,camhub.world#@#.ads-iframe
+@@||camhub.cc/player/player_ads.html
+@@||camhub.world/player/player_ads.html
+! https://github.com/AdguardTeam/AdguardFilters/issues/85114
+i.trackr.fr##.classInfoCoucou
+! https://github.com/AdguardTeam/AdguardFilters/issues/35608
+! https://github.com/AdguardTeam/AdguardFilters/issues/36217
+! breaks cookie settings on https://github.com/AdguardTeam/AdguardFilters/issues/38663
+! ||sourcepoint.mgr.consensu.org^
+! https://github.com/AdguardTeam/AdguardFilters/issues/36036
+nekopoi.care#%#//scriptlet("set-constant", "popjs", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/32134
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=di.fm
+di.fm#%#//scriptlet('set-constant', 'di.VAST.XHRURLHandler', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/35674
+@@||newser.com/javascript/*/adblock.js
+! rulu.co
+@@||rulu.co/*.php$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/35139
+ebates.ca#@#.google-ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/31904
+@@||gvt1.com/videoplayback/id/*/source/gfp_video_ads/*/file.mp4$domain=rx.iscdn.net
+@@||pubads.g.doubleclick.net/gampad/live/ads?correlator=$domain=rx.iscdn.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/35406
+! https://github.com/AdguardTeam/AdguardFilters/issues/35292
+! https://github.com/AdguardTeam/AdguardFilters/issues/35273
+!+ NOT_PLATFORM(windows, mac, android)
+@@||theseotools.net^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/35212
+! https://github.com/AdguardTeam/AdguardFilters/issues/34066
+flashplayer.fullstacks.net#%#//scriptlet("set-constant", "gadb", "false")
+||pagead2.googlesyndication.com/pagead/show_ads.js$script,redirect=noopjs,important,domain=flashplayer.fullstacks.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/35055
+! https://github.com/AdguardTeam/AdguardFilters/issues/35068
+helis.com#$##ablockercheck { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/34998
+gametop.com#%#AG_onLoad(function() { var el=document.body; var ce=document.createElement('div'); if(el) { el.appendChild(ce); ce.setAttribute("id", "aswift_0_expand"); } });
+! https://github.com/AdguardTeam/AdguardFilters/issues/34990
+@@||surfsees.com/wp-content/plugins/clickarsf/assets/fuckadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/34987
+macrotrends.net#%#//scriptlet("abort-current-inline-script", "atob", "removeCookie")
+! https://github.com/AdguardTeam/AdguardFilters/issues/34958
+appnee.com#$?#body[style*="visibility"] { visibility: visible !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/34932
+undeniable.info#%#//scriptlet("abort-current-inline-script", "document.getElementById", "testadblock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/34918
+win10.vn#%#//scriptlet("abort-current-inline-script", "document.addEventListener", "|kcolbdakcolb|")
+! https://github.com/AdguardTeam/AdguardFilters/issues/34853
+@@||tinyhomebuilders.com/scripts/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/34884
+! https://github.com/AdguardTeam/AdguardFilters/issues/39858
+! https://github.com/AdguardTeam/AdguardFilters/issues/37706
+! https://github.com/AdguardTeam/AdguardFilters/issues/34877
+@@||dreamdth.com/*/ads.js
+! https://forum.adguard.com/index.php?threads/speed4up-com.32807/
+! https://github.com/AdguardTeam/AdguardFilters/issues/34854
+! https://github.com/AdguardTeam/AdguardFilters/issues/34832
+! https://github.com/AdguardTeam/AdguardFilters/issues/34787
+! https://github.com/AdguardTeam/AdguardFilters/issues/34742
+! https://github.com/AdguardTeam/AdguardFilters/issues/34725
+! https://github.com/AdguardTeam/AdguardFilters/issues/34732
+@@||freeupload.info/assets/js/advertisement.js$domain=fstore.biz
+fstore.biz#@##bannerad
+! https://github.com/AdguardTeam/AdguardFilters/issues/34664
+! https://github.com/AdguardTeam/AdguardFilters/issues/34663
+! https://github.com/AdguardTeam/AdguardFilters/issues/34569
+! https://github.com/AdguardTeam/AdguardFilters/issues/34535
+! https://github.com/AdguardTeam/AdguardFilters/issues/34484
+! https://github.com/AdguardTeam/AdguardFilters/issues/34464
+!+ NOT_PLATFORM(windows, mac, android)
+@@||vnhax.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/34429
+@@||satellite-calculations.com/ads.js
+satellite-calculations.com#%#//scriptlet("set-constant", "blck_enabled", "false")
+@@||yepi.com/assets/*advertisement-*.js
+yepi.com#%#//scriptlet("set-constant", "evitca_kcolbda", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/34384
+! https://github.com/AdguardTeam/AdguardFilters/issues/34399
+! https://github.com/AdguardTeam/AdguardFilters/issues/34311
+! https://github.com/AdguardTeam/AdguardFilters/issues/34288
+! https://github.com/AdguardTeam/AdguardFilters/issues/34338
+! https://github.com/AdguardTeam/AdguardFilters/issues/34224
+! https://github.com/AdguardTeam/AdguardFilters/issues/34211
+! https://github.com/AdguardTeam/AdguardFilters/issues/34176
+! https://github.com/AdguardTeam/AdguardFilters/issues/34175
+! https://github.com/AdguardTeam/AdguardFilters/issues/34110
+! https://github.com/AdguardTeam/AdguardFilters/issues/98062
+@@||freevpn4you.net/*/advt.png
+freevpn4you.net#$##adbanner { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/33986
+gamekit.com#$#.ad.ads.adBanner { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/34002
+! https://github.com/AdguardTeam/AdguardFilters/issues/33863
+! https://github.com/AdguardTeam/AdguardFilters/issues/33861
+namemc.com#%#//scriptlet("abort-current-inline-script", "navigator", "Object.defineProperties?Object.defineProperty:function")
+! https://github.com/AdguardTeam/AdguardFilters/issues/33837
+! https://github.com/AdguardTeam/AdguardFilters/issues/33870
+@@||123link.biz/js/blockadblock.js
+123link.biz#%#//scriptlet("abort-on-property-read", "showAdsBlock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/33932
+! https://forum.adguard.com/index.php?threads/hanime-tv-unable-to-block.32296/
+hanime.tv#@#.ad-content-area
+hanime.tv#@#.vertical-ad
+hanime.tv#$#.htv-video-player > iframe { display:block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/33743
+@@||spinbot.com/js/adsbygoogle.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/33760
+thelibertydaily.com#$#body { display: block!important; }
+!+ NOT_PLATFORM(ios, ext_android_cb, ext_safari)
+||thelibertydaily.com/*/*.jpg$script
+! https://github.com/AdguardTeam/AdguardFilters/issues/33671
+worder.cat#%#//scriptlet("set-constant", "aben", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/33795
+@@||ratemyteachers.com/ads.js
+ratemyteachers.com#%#//scriptlet("abort-current-inline-script", "document.getElementById", "whitelist")
+! https://github.com/AdguardTeam/AdguardFilters/issues/33678
+! https://github.com/AdguardTeam/AdguardFilters/issues/33653
+! https://github.com/AdguardTeam/AdguardFilters/issues/33657
+! link-to.net
+! skycloud-exploit.weebly.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/33511
+! https://github.com/AdguardTeam/AdguardFilters/issues/33423
+antiadblockscript.com#@#.ad_box
+! https://github.com/AdguardTeam/AdguardFilters/issues/33476
+! https://github.com/AdguardTeam/AdguardFilters/issues/33487
+! https://github.com/AdguardTeam/AdguardFilters/issues/33475
+vidlox.me#%#//scriptlet("set-constant", "adb", "0")
+! https://github.com/AdguardTeam/AdguardFilters/issues/33433
+! https://github.com/AdguardTeam/AdguardFilters/issues/33321
+! https://github.com/AdguardTeam/AdguardFilters/issues/33373
+! https://github.com/AdguardTeam/AdguardFilters/issues/33351
+! https://github.com/AdguardTeam/AdguardFilters/issues/33362
+cyfostreams.com###blockblockA
+@@||cyfostreams.com/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/33055
+! https://github.com/AdguardTeam/AdguardFilters/issues/33303
+! https://github.com/AdguardTeam/AdguardFilters/issues/33270
+! https://github.com/AdguardTeam/AdguardFilters/issues/33276
+megaxz.com#%#(function(){var b=window.addEventListener;window.addEventListener=function(c,a,d){if(a&&-1==a.toString().indexOf("adblocker"))return b(c,a,d)}.bind(window)})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/33259
+nonsensediamond.website#%#(function(){var b=window.setInterval;window.setInterval=function(a,c){if(!/.\.display=='hidden'[\s\S]*?.\.visibility=='none'/.test(a.toString()))return b(a,c)}.bind(window)})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/34363
+! https://forum.adguard.com/index.php?threads/freepsdvn-com.31748/
+! https://github.com/AdguardTeam/AdguardFilters/issues/31759
+@@||xcafe.com/*/advertisement.jsf
+! https://github.com/AdguardTeam/AdguardFilters/issues/33125
+! https://github.com/AdguardTeam/AdguardFilters/issues/33167
+! https://github.com/AdguardTeam/AdguardFilters/issues/33058
+! https://github.com/AdguardTeam/AdguardFilters/issues/33028
+! https://github.com/AdguardTeam/AdguardFilters/issues/32994
+! https://github.com/AdguardTeam/AdguardFilters/issues/32918
+@@||s.jsrdn.com/s/1.js$domain=lcpdfr.com
+@@||g17media.com/detect.html$domain=lcpdfr.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/32925 - fixing openload fullscreen button
+@@/advert3.js|$~third-party,domain=waaw.tv|czxxx.org|scenelife.org|hqq.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/32806
+!+ NOT_PLATFORM(windows, mac, android)
+@@||getinmac.com^$generichide
+! merdekaid.online,shtu.pro - antiadblock
+@@||merdekaid.online^$generichide
+@@||shtu.pro^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/32767
+! https://github.com/AdguardTeam/AdguardFilters/issues/32813
+teachertube.com#%#//scriptlet("abort-current-inline-script", "document.addEventListener", "|kcolbdakcolb|")
+! https://github.com/AdguardTeam/AdguardFilters/issues/31731
+! https://github.com/AdguardTeam/AdguardFilters/issues/32722
+! https://github.com/AdguardTeam/AdguardFilters/issues/32580
+! https://github.com/AdguardTeam/AdguardFilters/issues/32672
+! https://github.com/AdguardTeam/AdguardFilters/issues/32582
+! https://github.com/AdguardTeam/AdguardFilters/issues/32614
+@@||febbit.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/32586
+software-on.com#%#(function(){var b=window.setInterval;window.setInterval=function(a,c){if(!/e\.display=='hidden'[\s\S]*?e\.visibility=='none'/.test(a.toString()))return b(a,c)}.bind(window)})();
+@@||software-on.com/wp-content/plugins/angwp2/assets/dev/js/advertising.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/32581
+@@||reactiongaming.us/community/js/siropu/am/ads.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/32526
+! https://github.com/AdguardTeam/AdguardFilters/issues/32479
+! https://github.com/AdguardTeam/AdguardFilters/issues/32460
+! https://github.com/AdguardTeam/AdguardFilters/issues/32447
+! https://github.com/AdguardTeam/AdguardFilters/issues/32444
+@@||nohat.cc/*/advertisement.js
+nohat.cc#%#//scriptlet("set-constant", "adblock", "1")
+! https://github.com/AdguardTeam/AdguardFilters/issues/59313
+||d33wubrfki0l68.cloudfront.net/js/*/js/ad-payment.js$domain=duellinksmeta.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/32324
+dausel.co#$#.center-captcha.hidden { display: block!important; visibility: visible!important; }
+dausel.co#$#.btn-danger[title^="Please disable AdBlocker"] { display: none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/32340
+! https://github.com/AdguardTeam/AdguardFilters/issues/31213
+@@||sportsplays.com/ads/ad.html$~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/32291
+javaguides.net#@#.vertical-ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/32131
+! https://github.com/AdguardTeam/AdguardFilters/issues/32216
+! https://github.com/AdguardTeam/AdguardFilters/issues/32189
+! https://github.com/AdguardTeam/AdguardFilters/issues/32185
+! https://github.com/AdguardTeam/AdguardFilters/issues/101490
+olympicstreams.*,crackstreams.*,soccerworldcup.me,720pstream.me,buffstreams.*,vipboxtv.*,cricstream.me,viprow.*,socceronline.me,vipleague.*,vipbox.*,strikeout.*#$#.position-absolute { position: absolute !important; left: -3000px !important; }
+vipleague.tv#@#.adSense
+vipleague.tv#@#.adContent
+vipleague.tv#@#.adBlock
+vipleague.tv#@#.ad-text
+@@||raw.githubusercontent.com/wmcmurray/just-detect-adblock/master/baits
+! https://github.com/AdguardTeam/AdguardFilters/issues/32016
+! veuclips.com - antiadblock
+! https://github.com/AdguardTeam/AdguardFilters/issues/32108
+! https://github.com/AdguardTeam/AdguardFilters/issues/31983
+! https://github.com/AdguardTeam/AdguardFilters/issues/31892
+! https://github.com/AdguardTeam/AdguardFilters/issues/31888
+rmdown.com#$#table.container td[bgcolor="white"] > a[href][target="_blank"] { position: absolute!important; left: -3000px!important; }
+rmdown.com#$#table.container td[bgcolor="white"] > a[href][target="_blank"] > img { height: 1px!important; display: block!important; }
+@@||rmdown.com/ads.js
+rmdown.com###foo1ter
+rmdown.com#%#//scriptlet("set-constant", "ert6j", "false")
+rmdown.com#%#AG_onLoad(function() { window.dpos = function() {}; });
+! https://github.com/AdguardTeam/AdguardFilters/issues/31926
+! https://github.com/AdguardTeam/AdguardFilters/issues/31840
+! https://github.com/AdguardTeam/AdguardFilters/issues/31745
+! https://github.com/AdguardTeam/AdguardFilters/issues/31498
+! https://github.com/AdguardTeam/AdguardFilters/issues/31475
+! https://github.com/AdguardTeam/AdguardFilters/issues/31400
+! https://github.com/AdguardTeam/AdguardFilters/issues/31383
+! https://github.com/AdguardTeam/AdguardFilters/issues/31375
+! https://github.com/AdguardTeam/AdguardFilters/issues/31351
+! https://github.com/AdguardTeam/AdguardFilters/issues/26283
+justjared.com#%#//scriptlet('abort-current-inline-script', 'document.readyState', 'getAttribute("abp")')
+! https://github.com/AdguardTeam/AdguardFilters/issues/31304
+@@||watch32hd.org/ads_*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/31099
+! https://github.com/AdguardTeam/AdguardFilters/issues/31182
+! https://github.com/AdguardTeam/AdguardFilters/issues/31174
+! https://github.com/AdguardTeam/AdguardFilters/issues/31157
+! https://github.com/AdguardTeam/AdguardFilters/issues/31126
+! https://github.com/AdguardTeam/AdguardFilters/issues/31091
+! https://github.com/AdguardTeam/AdguardFilters/issues/31050
+memoryhackers.org#@#.pub_300x250
+! https://github.com/AdguardTeam/AdguardFilters/issues/31145
+! https://github.com/AdguardTeam/AdguardFilters/issues/31052
+pornbimbo.com#%#//scriptlet("set-constant", "flashvars.protect_block", "")
+!+ NOT_PLATFORM(windows, mac, android)
+@@||pornbimbo.com/player/player_ads.html
+! https://github.com/AdguardTeam/AdguardFilters/issues/30966
+! https://github.com/AdguardTeam/AdguardFilters/issues/30995
+! https://github.com/AdguardTeam/AdguardFilters/issues/30946
+@@||ams.cdn.arkadiumhosted.com/assets/*/advertisements.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/48073
+! https://github.com/AdguardTeam/AdguardFilters/issues/34915
+! https://github.com/AdguardTeam/AdguardFilters/issues/30936
+channel4.com#%#//scriptlet('json-prune', 'adverts')
+channel4.com#%#//scriptlet('prevent-xhr', 'v.fwmrm.net/ad/')
+channel4.com#%#//scriptlet('prevent-element-src-loading', 'script', 'v.fwmrm.net/ad/')
+/^https?:\/\/cdn\.http\.anno\.channel4\.com\/m\/[\s\S]*?_[\s\S]*_\d+\.mp4/$object,domain=channel4.com,important
+-ads-ingest-prod.*.amazonaws.com/*.mp4$~object,media,redirect=noopmp4-1s,domain=channel4.com
+||cdn.http.anno.channel4.com/m/*.mp4$~object,media,redirect=noopmp4-1s,important,domain=channel4.com
+@@||s-static.innovid.com/*/config/*.xml$object,domain=channel4.com
+@@||mssl.fwmrm.net/p/c4_live/*.swf$object,domain=channel4.com
+@@||v.fwmrm.net/ad/l/1?$object,domain=channel4.com
+@@||cdn.http.anno.channel4.com^$domain=channel4.com
+@@||ad-emea.doubleclick.net/ad/*$domain=channel4.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/30931
+! https://github.com/AdguardTeam/AdguardFilters/issues/30941
+@@||leakforums.co/js/siropu/am/ads.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/30924
+! https://github.com/AdguardTeam/AdguardFilters/issues/30777
+! https://github.com/AdguardTeam/AdguardFilters/issues/30766
+! https://github.com/AdguardTeam/AdguardFilters/issues/30725
+! https://github.com/AdguardTeam/AdguardFilters/issues/30799
+! https://github.com/AdguardTeam/AdguardFilters/issues/30755
+! https://github.com/AdguardTeam/AdguardFilters/issues/30728
+! https://github.com/AdguardTeam/AdguardFilters/issues/185157
+kisstvshow.es#%#//scriptlet('set-constant', 'check_adblock', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/30617
+! https://github.com/AdguardTeam/AdguardFilters/issues/30608
+@@||boas.io/adBlockDetector.js
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=boas.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/30547
+! https://github.com/AdguardTeam/AdguardFilters/issues/41342
+! https://github.com/AdguardTeam/AdguardFilters/issues/35050
+! https://github.com/AdguardTeam/AdguardFilters/issues/31232
+! https://github.com/AdguardTeam/AdguardFilters/issues/11379
+@@||media.trafficjunky.net/__js/test.js
+@@||media.trafficjunky.net/js/holiday-promo.js$domain=redtube.com|redtube.net|tube8.com|youporn.com|youporn.fyi
+! https://github.com/AdguardTeam/AdguardFilters/issues/30430
+avoiderrors.com#%#window.google_jobrunner = function() {};
+! https://github.com/AdguardTeam/AdguardFilters/issues/30456
+! https://github.com/AdguardTeam/AdguardFilters/issues/30404
+!+ NOT_PLATFORM(windows, mac, android)
+@@||akalaty4day.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/30363
+! https://github.com/AdguardTeam/AdguardFilters/issues/30364
+! https://github.com/AdguardTeam/AdguardFilters/issues/30381
+heidisql.com#%#//scriptlet('set-constant', 'floovy', 'undefined')
+! https://forum.adguard.com/index.php?threads/up-4-net.30856
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=www.up-4.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/121637
+! https://github.com/AdguardTeam/AdguardFilters/issues/36005
+! https://github.com/AdguardTeam/AdguardFilters/issues/30143
+theappstore.org#$##divalert { display: none !important; }
+theappstore.org#$##bodypanel { filter: none !important; }
+@@||aosmark.com/ads.js
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,important,domain=theappstore.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/29716
+! https://github.com/AdguardTeam/AdguardFilters/issues/30028
+@@||macddl.com/themes/min/frontend_assets/js/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/27851
+! https://github.com/AdguardTeam/AdguardFilters/issues/29076
+@@||mx-sh.net/advertisements.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/29138
+! https://github.com/AdguardTeam/AdguardFilters/issues/29830
+@@||geoguessr.com/_ads/
+! https://github.com/AdguardTeam/AdguardFilters/issues/29775
+@@||flixsite.b-cdn.net/js/pop.js
+flix555.com#%#window.cRAds = !0;
+! https://github.com/AdguardTeam/AdguardFilters/issues/29608
+! https://github.com/AdguardTeam/AdguardFilters/issues/29628
+! https://github.com/AdguardTeam/AdguardFilters/issues/29605
+! https://github.com/AdguardTeam/AdguardFilters/issues/29164
+! https://github.com/AdguardTeam/AdguardFilters/issues/29443
+! https://github.com/AdguardTeam/AdguardFilters/issues/28031
+@@||cutearn.ca^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/29440
+! https://github.com/AdguardTeam/AdguardFilters/issues/29151
+stream4free.live#%#//scriptlet("abort-current-inline-script", "document.addEventListener", "moc.kcolbdakcolb")
+! https://github.com/AdguardTeam/AdguardFilters/issues/169691
+couponscorpion.com#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/29444
+@@||dramaz.se/*antiadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/29418
+! https://github.com/AdguardTeam/AdguardFilters/issues/29401
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=gameswf.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/29101
+!+ NOT_PLATFORM(windows, mac, android)
+@@||drivebox.club^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/28900
+! https://github.com/AdguardTeam/AdguardFilters/issues/28894
+! https://github.com/AdguardTeam/AdguardFilters/issues/28888
+@@||game-maps.com/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/28948
+@@||tubidy.net/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/28030
+! https://github.com/AdguardTeam/AdguardFilters/issues/28748
+! sonycrackle.com - making player unhidden
+sonycrackle.com#$#.cracklePlayer > div > div { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/28742
+! https://github.com/AdguardTeam/AdguardFilters/issues/28763
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=cdn.witchhut.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/28720
+! https://github.com/AdguardTeam/AdguardFilters/issues/27408
+! Prevent popup
+@@||origin-ads.exosrv.com/ad99uip8i.php
+! https://github.com/AdguardTeam/AdguardFilters/issues/28513
+||kimochi.info/qc.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/28627
+||script.bloggerku.com/antiadblock/1.0/script.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/28605
+! https://github.com/AdguardTeam/AdguardFilters/issues/28514
+@@||earnz.xyz/js/adsbygoogle.js
+earnz.xyz#%#window.canRunAds = true;
+! https://github.com/AdguardTeam/AdguardFilters/issues/28466
+! https://github.com/AdguardTeam/AdguardFilters/issues/28389
+@@||aniwatcher.com/adblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/28420
+! https://github.com/AdguardTeam/AdguardFilters/issues/28307
+! https://github.com/AdguardTeam/AdguardFilters/issues/28377
+! https://github.com/AdguardTeam/AdguardFilters/issues/28310
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$redirect=googlesyndication-adsbygoogle,domain=boards.vinylcollective.com,important
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=boards.vinylcollective.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/28200
+! https://github.com/AdguardTeam/AdguardFilters/issues/28159
+@@||wstream.video/img2/rivcash_banner_468x60_650.gif
+wstream.video#$#img[src*="_banner_"] { height: 1px!important; visibility: hidden; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/28260
+! https://github.com/AdguardTeam/AdguardFilters/issues/28121
+! https://github.com/AdguardTeam/AdguardFilters/issues/28240
+! https://github.com/AdguardTeam/AdguardFilters/issues/27462
+!+ NOT_OPTIMIZED
+@@/ad/banner/_adsense_/_adserver/_adview_.ad.json
+! https://github.com/AdguardTeam/AdguardFilters/issues/28008
+@@||demolandia.net/js/adsbygoogle.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/27912
+hanime.tv#@#.banner-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/25906
+@@||sexcamdb.com/advert.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/27808
+! https://github.com/AdguardTeam/AdguardFilters/issues/27797
+!+ NOT_PLATFORM(windows, mac, android)
+@@||nulledteam.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/27643
+||googletagmanager.com/gtag/$domain=strikeout.nu
+! https://github.com/AdguardTeam/AdguardFilters/issues/27754
+! https://github.com/AdguardTeam/AdguardFilters/issues/27726
+@@||pirate.ws/advert.js
+pirate.ws#%#window.spoof_weer2edasfgeefzc = true;
+! https://github.com/AdguardTeam/AdguardFilters/issues/36048
+@@||textfree.us^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/27602
+@@||dreamdth.com/js/siropu/am/ads.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/27493
+@@||filegage.com/popads.js
+filegage.com#$##blockblockB { display: block!important; }
+filegage.com#$##blockblockA { display: none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/27506
+! https://github.com/AdguardTeam/AdguardFilters/issues/27435
+! https://github.com/AdguardTeam/AdguardFilters/issues/24969
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=firstonetv.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/27330
+||jolygram.com/js/ba.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/30875
+@@||file-up.org/js/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/26985
+! https://github.com/AdguardTeam/AdguardFilters/issues/54765
+! https://github.com/AdguardTeam/AdguardFilters/issues/40813
+! https://github.com/AdguardTeam/AdguardFilters/issues/38170
+! https://forum.adguard.com/index.php?threads/30210/
+! https://github.com/AdguardTeam/AdguardFilters/issues/41895
+a2zupload.com#%#AG_onLoad(function(){if(document.querySelector(".DownLoadBotton")){var b=new MutationObserver(function(){var c=document.querySelector("#alertmsg");if(c)try{[].slice.call(document.getElementsByTagName("script")).some(function(a){if(a.text.match(/var apk;[\s\S]*?\.attr\('action'/))return a=a.text.split(/function ([\s\S]*?\(\))\n/),(new Function(a[1]))(),c.remove(),b.disconnect(),!0})}catch(a){}});b.observe(document,{childList:!0,subtree:!0});setTimeout(function(){b.disconnect()},1E4)}});
+@@|http*://*.*/*.$image,third-party,domain=a2zupload.com
+@@||a2zapk.com/images/$image,domain=a2zupload.com
+! if DNS filtering enabled
+||tpc.googlesyndication.com/simgad/*?w=*&h=$domain=a2zupload.com|educatiocenter.online,redirect=1x1-transparent.gif,important
+@@||tpc.googlesyndication.com/simgad/$image,domain=a2zupload.com|educatiocenter.online|unlockapk.com
+@@||adsterra.com/images/*.png$image,domain=unlockapk.com
+@@||static.popads.net/img/icons/menu/websites.png$domain=a2zupload.com
+!+ PLATFORM(windows, mac, android, ext_chromium)
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,important,domain=unlockapk.com|a2zupload.com
+a2zupload.com,unlockapk.com#%#AG_onLoad(function() { var el = document.querySelector('.adsbygoogle'); if(el) el.setAttribute("data-adsbygoogle-status", "done"); });
+@@||unlockapk.com/*ads.js
+unlockapk.com###aswift_2_expand
+a2zupload.com,unlockapk.com#@#.showads
+a2zupload.com,unlockapk.com#$#.adsbygoogle { height: 1px!important; }
+a2zupload.com,unlockapk.com#$#.showads { height: 1px!important; }
+a2zupload.com,unlockapk.com#$##adsenseimage { height: 1px!important; }
+@@||airpush.com/wp-content/themes/airpush/assets/images^$domain=a2zupload.com|unlockapk.com
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/27102
+@@||player.ooyala.com/static/v*/production/latest/ad-plugin/google_ima.min.js$domain=broncos.com.au
+! https://github.com/AdguardTeam/AdguardFilters/issues/26990
+!+ NOT_PLATFORM(windows, mac, android)
+@@||freshstuff4you.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/51300
+! https://github.com/AdguardTeam/AdguardFilters/issues/27060
+@@||mshare.xyz/js/blockadblock.js
+@@||mshare.io/js/blockadblock.js
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,important,domain=mshare.io|mshare.xyz
+! https://github.com/AdguardTeam/AdguardFilters/issues/26665
+@@||ovh.webshark.pl/adserver/*/main_script.js?advertise_check=1
+@@|https:///ovh.webshark.pl/adserver/*/main_script.js?advertise_check=1
+! https://github.com/AdguardTeam/AdguardFilters/issues/26610
+! TODO: Change AG_setConstant to scripltet when this issue will be fixed - https://github.com/AdguardTeam/Scriptlets/issues/65
+safelinkmoba.blogspot.com#%#AG_defineProperty('safelink.adblock', { value: false }); AG_defineProperty('safelink.counter', { value: 0 });
+! https://github.com/AdguardTeam/AdguardFilters/issues/26621
+@@||googleads.g.doubleclick.net/pagead/ads?client=ca-pub-$domain=dl.ccbluex.net
+||pagead2.googlesyndication.com/pub-config/*/ca-pub-*.js$script,redirect=noopjs,important,domain=dl.ccbluex.net
+||adservice.google.*/adsid/integrator.js?domain=dl.ccbluex.net$redirect=nooptext,important,domain=dl.ccbluex.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/26841
+! https://github.com/AdguardTeam/AdguardFilters/issues/26696
+phoneworld.com.pk#%#window.$tieE3 = true;
+@@||phoneworld.com.pk/wp-content/themes/phoneworld/assets/js/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/32663
+! https://github.com/AdguardTeam/AdguardFilters/issues/25530
+!+ NOT_OPTIMIZED
+theverge.com##div[class^="adblock-allowlist-messaging"]
+! rapidstream.co - antiadblock
+@@||rapidstream.co/js/pop.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/26600
+! gentside.com
+@@/assets/prebid/*.js$script,xmlhttprequest,domain=gentside.com|gentside.de|gentside.co.uk|gentside.com.br|esgentside.com|maxisciences.com|ohmymag.com|ohmymag.de|ohmymag.com.br|ohmirevista.com
+@@/js/prebid/*/others.$script,domain=gentside.com|gentside.de|gentside.co.uk|gentside.com.br|esgentside.com|maxisciences.com|ohmymag.com|ohmymag.de|ohmymag.com.br|ohmirevista.com
+@@/js/prebid/*/others/*$script,domain=gentside.com|gentside.de|gentside.co.uk|gentside.com.br|esgentside.com|maxisciences.com|ohmymag.com|ohmymag.de|ohmymag.com.br|ohmirevista.com
+@@/js/prebid/others.$script,domain=gentside.com|gentside.de|gentside.co.uk|gentside.com.br|esgentside.com|maxisciences.com|ohmymag.com|ohmymag.de|ohmymag.com.br|ohmirevista.com
+@@/js/prebid/others/*$script,domain=gentside.com|gentside.de|gentside.co.uk|gentside.com.br|esgentside.com|maxisciences.com|ohmymag.com|ohmymag.de|ohmymag.com.br|ohmirevista.com
+@@||googletagservices.com/tag/js/gpt.js$domain=gentside.com|gentside.de|gentside.co.uk|gentside.com.br|esgentside.com|maxisciences.com|ohmymag.com|ohmymag.de|ohmymag.com.br|ohmirevista.com
+@@||adservice.google.*/adsid/integrator.js^$domain=gentside.com|gentside.de|gentside.co.uk|gentside.com.br|esgentside.com|maxisciences.com|ohmymag.com|ohmymag.de|ohmymag.com.br|ohmirevista.com
+@@||cdn.adsafeprotected.com/*.*.js$domain=gentside.com|gentside.de|gentside.co.uk|gentside.com.br|esgentside.com|maxisciences.com|ohmymag.com|ohmymag.de|ohmymag.com.br|ohmirevista.com
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=gentside.com|gentside.de|gentside.co.uk|gentside.com.br|esgentside.com|maxisciences.com|ohmymag.com|ohmymag.de|ohmymag.com.br|ohmirevista.com
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_$domain=gentside.com|gentside.de|gentside.co.uk|gentside.com.br|esgentside.com|maxisciences.com|ohmymag.com|ohmymag.de|ohmymag.com.br|ohmirevista.com
+@@||maxisciences.com/js/amazon/$script
+! https://github.com/AdguardTeam/AdguardFilters/issues/26550
+! https://github.com/AdguardTeam/AdguardFilters/issues/26328
+@@||rapidrar.com/js/fuckadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/26569
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=hackedfreegames.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/26474
+! https://github.com/AdguardTeam/AdguardFilters/issues/26316
+@@||cdnjs.cloudflare.com/ajax/libs/blockadblock/*/blockadblock.js$domain=clk.ink
+! https://github.com/AdguardTeam/AdguardFilters/issues/26242
+! https://github.com/AdguardTeam/AdguardFilters/issues/26229
+@@||mc-premium.org/assets/js/fuckadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/26334
+! https://github.com/AdguardTeam/AdguardFilters/issues/26226
+! https://github.com/AdguardTeam/AdguardFilters/issues/26225
+! https://github.com/AdguardTeam/AdguardFilters/issues/26212
+uploadbox.io#%#//scriptlet('set-constant', 'replaceContentWithAdBlockerContent', 'noopFunc')
+@@||uploadbox.io/js/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/26177
+! https://github.com/AdguardTeam/AdguardFilters/issues/26097
+! https://github.com/AdguardTeam/AdguardFilters/issues/25925
+dexterclearance.com#$##ads { height: 1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/24376
+@@||native.propellerclick.com/1?z=^$domain=swatchseries.to
+! https://github.com/AdguardTeam/AdguardFilters/issues/25923
+!+ NOT_PLATFORM(windows, mac, android)
+@@||google-analytics.com/analytics.js$domain=receive-sms-online.info
+! https://github.com/AdguardTeam/AdguardFilters/issues/25765
+! https://github.com/AdguardTeam/AdguardFilters/issues/25650
+popsci.com#$#.tp-backdrop { display: none!important; }
+popsci.com#$#.tp-modal { display: none!important; }
+popsci.com#$#body.tp-modal-open { overflow: visible!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/25325
+! https://github.com/AdguardTeam/AdguardFilters/issues/25471
+leakforums.co#%#window.adblock = 'no';
+@@||leakforums.co/js/SvgAdblockDetected/advertising.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/25581
+@@||gounlimited.to/js/pop.js|
+gounlimited.to#%#window.cRAds = true;
+! https://github.com/AdguardTeam/AdguardFilters/issues/25468
+! https://github.com/AdguardTeam/AdguardFilters/issues/25364
+! https://github.com/AdguardTeam/AdguardFilters/issues/25322
+! https://github.com/AdguardTeam/AdguardFilters/issues/25245
+! https://github.com/AdguardTeam/AdguardFilters/issues/25250
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=etonline.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/25188
+||rawgit.com/wejdaneblogger/master/master/wejdane-adblocker.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/25105
+! https://github.com/AdguardTeam/AdguardFilters/issues/25131
+@@||gamezhero.com/api/ima3.js
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=gamezhero.com
+@@||onlinemahjong.games/api/ima3.js
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=onlinemahjong.games
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/24722
+@@||mega-debrid.eu/JS/advertisement.js
+mega-debrid.eu#%#window.Advertisement = 1;
+!
+@@||file-upload.com/js/advertisement.js
+file-upload.com#%#//scriptlet('abort-current-inline-script', 'document.getElementById', 'getElementById("adblockinfo")')
+! https://github.com/AdguardTeam/AdguardFilters/issues/58160
+! https://github.com/AdguardTeam/AdguardFilters/issues/61814
+! solvetube.site,getintopc.com#%#AG_onLoad(function(){if(location.pathname.includes("/wait-for-resource/")||location.pathname.includes("/video-guide-for-setup-installation/")||location.pathname.includes("/file-will-start-automatically")){var c=function(a){for(var b="",e=0;e div[id][style] > h1 > b");a&&a.innerText.includes("Adblocker")&&(a.style.display="none",[].slice.call(document.getElementsByTagName("script")).some(function(b){b.text.match(/'({"ct":"[\s\S]*?"\})'/)&&"CryptoJS"in window&&(b=b.text.matchAll(/'({"ct":"[\s\S]*?"\})'/g),(match=Array.from(b))&&match[0]&&match[0][1]&&(link=match[0][1], c.disconnect(),setTimeout("location.href = 'http://"+JSON.parse(CryptoJS.AES.decrypt(link,"lvzzcibxicb",d).toString(CryptoJS.enc.Utf8))+"';",10)))}))}catch(b){}});c.observe(document,{childList:!0,subtree:!0});setTimeout(function(){c.disconnect()},1E4)}});
+unique-tutorials.info,getintopc.com,solvetube.site,tech-platform.info#%#//scriptlet("set-constant", "qckyta", "false")
+unique-tutorials.info,getintopc.com,solvetube.site,tech-platform.info#%#//scriptlet("abort-current-inline-script", "jQuery", "/ai_|ai-|detected|use_current_selector|JSON.stringify|insertion_before|AdSense|\/wp-includes\/[\s\S]*?\.js|jscomp\.arrayIterator|_mNDetails/")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=getintopc.com|solvetube.site
+@@||getintopc.com/*.js$domain=getintopc.com
+@@||solvetube.site/*js$domain=solvetube.site
+@@||unique-tutorials.info^$generichide
+@@||getintopc.com^$generichide
+@@||solvetube.site^$generichide
+@@||tech-platform.info^$generichide
+unique-tutorials.info,getintopc.com,solvetube.site,tech-platform.info##.adsbygoogle
+!unique-tutorials.info,getintopc.com,solvetube.site,tech-platform.info#%#//scriptlet("abort-on-property-write", "ai_front")
+!@@|http$script,domain=unique-tutorials.info|getintopc.com|solvetube.site|tech-platform.info
+!||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$important,domain=unique-tutorials.info|getintopc.com|solvetube.site|tech-platform.info
+!@@||unique-tutorials.info/*ad*.js
+!@@||solvettube.com/*ad*.js
+!@@||solvetube.site/*ad*.js
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/24884
+! https://github.com/AdguardTeam/AdguardFilters/issues/24860
+@@||h5.4j.com/js/ima3.js
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=dressupmix.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/24858
+! https://github.com/AdguardTeam/AdguardFilters/issues/24830
+@@||itopmusic.com/wp-content/plugins/ad-ace//includes/adblock-detector/advertisement.js
+itopmusic.com#%#//scriptlet("set-constant", "jQuery.adblock", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/24835
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=temp-mail.org,redirect=nooptext,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/24657
+@@||imgview.net/js/jquery-*.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/24512
+! https://github.com/AdguardTeam/AdguardFilters/issues/24585
+! https://github.com/AdguardTeam/AdguardFilters/issues/24428
+rim-world.com#%#(function(){var b=window.setTimeout;window.setTimeout=function(a,c){if(!/getAdIFrameCount/.test(a.toString()))return b(a,c)};})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/24422
+@@||blindhypnosis.com/adsbygoogle.js
+! trueachievements.com, pockettactics.com - ad reinjection
+! https://github.com/AdguardTeam/AdguardFilters/issues/24472
+pockettactics.com#%#//scriptlet("abort-current-inline-script", "Math.random", "isIframeNetworking")
+trueachievements.com,ign.com#%#//scriptlet("abort-current-inline-script", "document.addEventListener", "isIframeNetworking")
+ign.com#%#//scriptlet('abort-current-inline-script', 'addEventListener', 'iframe-network')
+! https://github.com/AdguardTeam/AdguardFilters/issues/24396
+! https://github.com/AdguardTeam/AdguardFilters/issues/24374
+xmovies8.pl#%#window.check_adblock = true;
+xmovies8.pl#%#window.isAdsDisplayed = true;
+! https://github.com/AdguardTeam/AdguardFilters/issues/24160
+simply-debrid.com#%#window.adsbygoogle = { loaded: !0 };
+! https://github.com/AdguardTeam/AdguardFilters/issues/24322
+allpcworld.com##body > div[id][class][style*="z-index: 9999"]
+allpcworld.com##body > div[id][class][style*="z-index: 9999"] + div[class][style*="z-index: 9999"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/24149
+! https://github.com/AdguardTeam/AdguardFilters/issues/24179
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=igniel.com,redirect=nooptext,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/24180
+! https://github.com/AdguardTeam/AdguardFilters/issues/24186
+@@||emailregex.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/24119
+! https://github.com/AdguardTeam/AdguardFilters/issues/24025
+@@||mexashare.com/advertisements.js
+mexashare.com#%#//scriptlet("abort-current-inline-script", "document.getElementById", "adblockinfo")
+! https://github.com/AdguardTeam/AdguardFilters/issues/23993
+!+ NOT_PLATFORM(windows, mac, android)
+@@||freetutorials.eu^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/22945
+parkers.co.uk#@#.plainAd
+! https://github.com/AdguardTeam/AdguardFilters/issues/23661
+@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=hexviewer.iblogbox.com
+@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=hexviewer.iblogbox.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/23741
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=boo.tw|b00.tw
+@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=boo.tw|b00.tw
+! https://github.com/AdguardTeam/AdguardFilters/issues/23728
+! https://github.com/AdguardTeam/AdguardFilters/issues/23668
+||practicequiz.com/responsive/plugins/detectAdBlock.js
+||practicequiz.com/responsive/js/detectAdBlockPC.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/23568
+kizi.com#%#//scriptlet("set-constant", "evitca_kcolbda", "false")
+kizi.com#%#//scriptlet("set-constant", "ad_blocker_active", "false")
+@@||kizicdn.com/assets/prebid.detect_ad_blocker-*.js$domain=kizi.com
+@@||kizi.com/assets/*advertisement-*.js
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=kizi.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/23334
+! https://github.com/AdguardTeam/AdguardFilters/issues/23318
+! https://github.com/AdguardTeam/AdguardFilters/issues/22722
+! https://github.com/AdguardTeam/AdguardFilters/issues/21596
+||static.popads.net/js/trustguard.js$script,redirect=noopjs,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/23144
+! https://github.com/AdguardTeam/AdguardFilters/issues/23068
+mackie100projects.altervista.org###fuckadblock
+! https://github.com/AdguardTeam/AdguardFilters/issues/23027
+! https://github.com/AdguardTeam/AdguardFilters/issues/22890
+! TODO: Change AG_setConstant to scripltet when this issue will be fixed - https://github.com/AdguardTeam/Scriptlets/issues/65
+safelink.miuipedia.com#%#AG_defineProperty('safelink.adblock', { value: false }); AG_defineProperty('safelink.counter', { value: 0 });
+! https://github.com/AdguardTeam/AdguardFilters/issues/22955
+! https://github.com/AdguardTeam/AdguardFilters/issues/22916
+! https://github.com/AdguardTeam/AdguardFilters/issues/22878
+@@||deepbrid.com/backend-dl/app/views/site/default/ads/advertisement.js
+deepbrid.com#%#//scriptlet("abort-current-inline-script", "document.getElementById", "adblock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/22753
+! Ad reinject
+debka.com#%#//scriptlet("abort-current-inline-script", "Math.random", "InstallTrigger")
+! matchat.online
+! https://github.com/AdguardTeam/AdguardFilters/issues/22720
+||cdn.rawgit.com/MuhBayu/adBDetect^$third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/22651
+! https://github.com/AdguardTeam/AdguardFilters/issues/22562
+@@||platinmods.com/js/siropu/am/ads.min.js
+platinmods.com#%#window.adBlockDetected = false;
+! https://github.com/AdguardTeam/AdguardFilters/issues/22526
+! https://github.com/AdguardTeam/AdguardFilters/issues/22478
+msguides.com#$##msgblogheader { height: 1px!important; }
+! readshingekinokyojin.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/22398
+@@||upload.ac/hg/js/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/22350
+! https://github.com/AdguardTeam/AdguardFilters/issues/21804
+@@||porntube.com/adb_detector.js|$~third-party
+porntube.com#%#window.adsEnabled = true;
+! https://github.com/AdguardTeam/AdguardFilters/issues/21584
+@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=24sms.net
+@@||pagead2.googlesyndication.com/pagead/js/r*/show_ads_impl.js$domain=24sms.net
+! https://forum.adguard.com/index.php?threads/fontsrepo-com.29425
+||fontsrepo.com/plugin/*/inc/pause-front.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/22277
+! https://github.com/AdguardTeam/AdguardFilters/issues/22189
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=player.theplatform.com
+||pubads.g.doubleclick.net/gampad/ads?*&output=xml_vast$domain=stream.thecwvideo.com,redirect=nooptext,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/100918
+thurrott.com#$#body { overflow: visible!important; }
+thurrott.com#$##adBlock.blocker-interstitial { display: none!important; }
+@@||thurrott.com/wp-content/themes/theme/assets/dist/scripts/wp-banners.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/22149
+! https://github.com/AdguardTeam/AdguardFilters/issues/22142
+! https://github.com/AdguardTeam/AdguardFilters/issues/22070
+! https://github.com/AdguardTeam/AdguardFilters/issues/22048
+@@||sfl.ink^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/21862
+! https://github.com/AdguardTeam/AdguardFilters/issues/21859
+! https://github.com/AdguardTeam/AdguardFilters/issues/21792
+! https://github.com/AdguardTeam/AdguardFilters/issues/21888
+! https://forum.adguard.com/index.php?threads/29340/
+@@||service.videoplaza.tv/proxy/pulse-sdk-html5/*/latest.min.js$domain=rtl.be
+! https://github.com/AdguardTeam/AdguardFilters/issues/21708
+! https://github.com/AdguardTeam/AdguardFilters/issues/21702
+@@||vivo.sx^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/21615
+@@||cdnjs.cloudflare.com/ajax/libs/fuckadblock/*/fuckadblock.min.js$domain=sport-tv-guide.live
+! https://github.com/AdguardTeam/AdguardFilters/issues/21380
+@@||files.vitalitygames.com/games/webgl/PreloaderBG/*/game-ads.js
+! short24.pw - antiadblock
+! https://github.com/AdguardTeam/AdguardFilters/issues/21369
+ebook3000.biz##.swal2-fade
+! https://github.com/AdguardTeam/AdguardFilters/issues/21671
+@@||firstonetv.net^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/21497
+! https://github.com/AdguardTeam/AdguardFilters/issues/21459
+! https://github.com/AdguardTeam/AdguardFilters/issues/21628
+!+ NOT_PLATFORM(windows, mac, android, ext_ff)
+pcmag.com#@#iframe[title="3rd party ad content"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/31976
+! https://github.com/AdguardTeam/AdguardFilters/issues/21509
+@@||fileflares.com/advertisements.js
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js?$domain=fileflares.com
+||adservice.google.com/adsid/integrator.js$script,redirect=noopjs,important,domain=fileflares.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/21422
+@@||pngtosvg.com/wp-content/plugins/ad-inserter^
+pngtosvg.com#@##banner-advert-container
+pngtosvg.com#@#.chitika-ad
+pngtosvg.com#@#.ad-inserter
+pngtosvg.com#@#.adsense
+pngtosvg.com#@#.SponsorAds
+! https://github.com/AdguardTeam/AdguardFilters/issues/21348
+! https://github.com/AdguardTeam/AdguardFilters/issues/21287
+||opjav.com/statics/defaultv2/js/dedect.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/21204
+! https://github.com/AdguardTeam/AdguardFilters/issues/21209
+! https://github.com/AdguardTeam/AdguardFilters/issues/21226
+@@||adulttvlive.net/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/21206
+mhtviewer.booogle.net,kmlviewer.nsspot.net,epubreader.1bestlink.net,imagetotext.iblogbox.com#%#//scriptlet('set-constant', 'gadb', 'false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/20910
+! https://github.com/AdguardTeam/AdguardFilters/issues/20955
+@@||lunaticfiles.com/ads.js|
+! https://github.com/AdguardTeam/AdguardFilters/issues/21030
+!+ NOT_PLATFORM(windows, mac, android)
+@@||everydayporn.co/player/player_ads.html
+! https://github.com/AdguardTeam/AdguardFilters/issues/20966
+@@||vb.icdrama.se/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/20544
+! https://github.com/AdguardTeam/AdguardFilters/issues/23800
+! https://github.com/AdguardTeam/AdguardFilters/issues/20917
+reuters.com#%#//scriptlet("abort-current-inline-script", "navigator", "Flags.autoRecov")
+reuters.com#%#//scriptlet("abort-on-property-read", "Object.prototype.autoRecov")
+reuters.com#%#window.uabpdl = window.uabInject = window.uabpDetect = true;
+@@||reuters.com/ads.js|
+! https://github.com/AdguardTeam/AdguardFilters/issues/20786
+! https://github.com/AdguardTeam/AdguardFilters/issues/21808
+@@||pubads.g.doubleclick.net/gampad/adx$domain=watoday.com.au
+watoday.com.au#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links { display:block!important; }
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=watoday.com.au
+! https://github.com/AdguardTeam/AdguardFilters/issues/20841
+! https://github.com/AdguardTeam/AdguardFilters/issues/16677
+!#safari_cb_affinity(all)
+!#safari_cb_affinity
+! https://github.com/AdguardTeam/AdguardFilters/issues/20663
+||shortit.pw/js/adbb.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/20648
+@@||stream2watch.org/js/advertisement.js
+! cbssports.com - antiadblock in video player
+@@||imasdk.googleapis.com/js/sdkloader/ima3_debug.js$domain=cbssports.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/20520
+! https://github.com/AdguardTeam/AdguardFilters/issues/20219
+@@||sexwebvideo.me/js/advertising.js
+sexwebvideo.me#%#window.canRunAds = true;
+! https://github.com/AdguardTeam/AdguardFilters/issues/20262
+happyfor.win#%#(function(){var b=window.setTimeout;window.setTimeout=function(a,c){if(!/adblock.html/.test(a.toString()))return b(a,c)};})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/20257
+emurom.net#$##adsense { display: block!important; height: 1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/20377
+! https://forum.adguard.com/index.php?threads/getlink-pw.29175/
+! https://github.com/AdguardTeam/AdguardFilters/issues/20130
+@@||mp4upload.com/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/20222
+! https://github.com/AdguardTeam/AdguardFilters/issues/20187
+! https://github.com/AdguardTeam/AdguardFilters/issues/20126
+wroffle.com#@##banner-advert-container
+wroffle.com#@#.chitika-ad
+wroffle.com#@#.ad-inserter
+wroffle.com#@#.SponsorAds
+wroffle.com#@#.adsense
+@@||wroffle.com/wp-content/plugins/ad-inserter^
+! https://github.com/AdguardTeam/AdguardFilters/issues/20128
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=stickgames.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/20134
+@@||uploaded-premium-link-generator.com/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/20026
+! https://github.com/AdguardTeam/AdguardFilters/issues/19952
+rollercoin.com#@#.adBlock
+rollercoin.com#%#AG_onLoad(function() { window.addBlockTest = function() {}; });
+! https://github.com/AdguardTeam/AdguardFilters/issues/19935
+! https://github.com/AdguardTeam/AdguardFilters/issues/19899
+! https://github.com/AdguardTeam/AdguardFilters/issues/19902
+@@||zonebourse.com/js/googleads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/19838
+@@||imgdrive.net/anex/alt2.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/19753
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=hiddenobjectgames.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/19748
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=tetris.com
+@@||tetris.com/play-tetris-content/ads.js
+! https://forum.adguard.com/index.php?threads/uplod-io.29091/
+@@||uplod.io/hg/js/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/19450
+! https://github.com/AdguardTeam/AdguardFilters/issues/19449
+@@/adBlockDetector.js$~third-party,domain=facepunch.io|biters.io|fisp.io
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=facepunch.io|biters.io|fisp.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/19558
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=wordgames.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/19473
+! https://github.com/AdguardTeam/AdguardFilters/issues/19455
+! https://github.com/AdguardTeam/AdguardFilters/issues/19458
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=smsget.net
+@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=smsget.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/19520
+! https://github.com/AdguardTeam/AdguardFilters/issues/19214
+! https://github.com/AdguardTeam/AdguardFilters/issues/19320
+cwseed.com#%#//scriptlet("set-constant", "wc.pid", "")
+! https://forum.adguard.com/index.php?threads/29029/
+xclusivejams.com##.main-container > div[id][class][style*="z-index: 9999"]
+xclusivejams.com##.main-container > div[id][class][style*="z-index: 9999"] + div[class][style*="z-index: 9999"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/19283
+@@||g.doubleclick.net/pagead/managed/js/gpt/*/pubads_impl.js$domain=games.coolgames.com
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=coolgames.com|newgames.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/19337
+! https://github.com/AdguardTeam/AdguardFilters/issues/19255
+! https://github.com/AdguardTeam/AdguardFilters/issues/19338
+@@||shortadd.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/19310
+||foxbooru.com/js/bab.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/19370
+! https://github.com/AdguardTeam/AdguardFilters/issues/19240
+! https://github.com/AdguardTeam/AdguardFilters/issues/18503
+! https://github.com/AdguardTeam/AdguardFilters/issues/18937
+@@||perfectgirls.net^$generichide
+@@||ads.exosrv.com/ad_track.js$domain=perfectgirls.net
+@@||ads.exosrv.com/ad99uip8i.php$domain=perfectgirls.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/19050
+! https://github.com/AdguardTeam/AdguardFilters/issues/18807
+! https://github.com/AdguardTeam/AdguardFilters/issues/18806
+@@||hm732.com/adverts/ad-400.js
+goodtoknow.co.uk#%#//scriptlet("abort-current-inline-script", "IPCCoreQueue", "bidWon")
+! https://github.com/AdguardTeam/AdguardFilters/issues/18633
+@@||evowars.io/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/18700
+! https://github.com/AdguardTeam/AdguardFilters/issues/18728
+! https://github.com/AdguardTeam/AdguardFilters/issues/18628
+@@||1fichier.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/18569
+! https://github.com/AdguardTeam/AdguardFilters/issues/181976
+readcomiconline.li###adbWarnContainer
+readcomiconline.li#%#//scriptlet('set-constant', 'isAdb', 'false')
+readcomiconline.li#%#//scriptlet('abort-on-property-write', 'ads_urls')
+readcomiconline.li#%#//scriptlet('abort-on-property-write', 'checkAdsBlocked')
+readcomiconline.li#%#//scriptlet('prevent-xhr', '/bidgear\.com|mgid\.com|pagead2\.googlesyndication\.com/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/18215
+! https://github.com/AdguardTeam/AdguardFilters/issues/12524
+! https://github.com/AdguardTeam/AdguardFilters/issues/18350
+! https://github.com/AdguardTeam/AdguardFilters/issues/18139
+! https://github.com/AdguardTeam/AdguardFilters/issues/17420
+! https://github.com/AdguardTeam/AdguardFilters/issues/18079
+couponcabin.com#@##bottomAd
+! https://github.com/AdguardTeam/AdguardFilters/issues/16190
+! TODO: Change AG_setConstant to scripltet when this issue will be fixed - https://github.com/AdguardTeam/Scriptlets/issues/65
+xberuang.blogspot.de,xberuang.blogspot.com#%#AG_defineProperty('safelink.adblock', {value: false}); AG_defineProperty('safelink.counter', {value: 0});
+! https://github.com/AdguardTeam/AdguardFilters/issues/17661
+@@||cdnjs.cloudflare.com/ajax/libs/blockadblock/3.2.1/blockadblock.min.js$domain=cpmlink.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/17890
+@@||waves4you.com/files/advert.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/17764
+444.coffee##.ui-widget-overlay
+444.coffee##div[aria-describedby="myaabpfun12dialog"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/17646
+! https://github.com/AdguardTeam/AdguardFilters/issues/17098
+! https://github.com/AdguardTeam/AdguardFilters/issues/17644
+! https://github.com/AdguardTeam/AdguardFilters/issues/27787
+! https://forum.adguard.com/index.php?threads/10844/
+! https://forum.adguard.com/index.php?threads/radio-net-ads.33637/
+! https://github.com/AdguardTeam/AdguardFilters/issues/56841
+! ad reinjection
+@@/nbc-ad*.js$domain=notebookcheck-hu.com|notebookcheck.com|notebookcheck.net|notebookcheck.org|notebookcheck.biz|notebookcheck.it|notebookcheck.nl|notebookcheck.info|notebookcheck-tr.com|notebookcheck.se|notebookcheck-ru.com
+@@/ads.*.js$domain=notebookcheck-hu.com|notebookcheck.com|notebookcheck.net|notebookcheck.org|notebookcheck.biz|notebookcheck.it|notebookcheck.nl|notebookcheck.info|notebookcheck-tr.com|notebookcheck.se|notebookcheck-ru.com
+radio.net,notebookcheck-hu.com,notebookcheck.com,notebookcheck.net,notebookcheck.org,notebookcheck.biz,notebookcheck.it,notebookcheck.nl,notebookcheck.info,notebookcheck-tr.com,notebookcheck.se,notebookcheck-ru.com#%#//scriptlet("abort-on-property-read", "Object.prototype.autoRecov")
+notebookcheck-hu.com,notebookcheck.com,notebookcheck.net,notebookcheck.org,notebookcheck.biz,notebookcheck.it,notebookcheck.nl,notebookcheck.info,notebookcheck-tr.com,notebookcheck.se,notebookcheck-ru.com#%#//scriptlet("abort-current-inline-script", "navigator", "Flags.autoRecov")
+@@||notebookcheck*/fileadmin/scripts/pagecall_dfp_async.js
+notebookcheck-hu.com,notebookcheck.com,notebookcheck.net,notebookcheck.org,notebookcheck.biz,notebookcheck.it,notebookcheck.nl,notebookcheck.info,notebookcheck-tr.com,notebookcheck.se,notebookcheck-ru.com#%#window.uabpdl = window.uabInject = true;
+! https://github.com/AdguardTeam/AdguardFilters/issues/17518
+! https://github.com/AdguardTeam/AdguardFilters/issues/17607
+@@||a2zapk.com/ads.js
+a2zapk.com#%#window.ads = "on";
+! https://github.com/AdguardTeam/AdguardFilters/issues/17560
+! https://github.com/AdguardTeam/AdguardFilters/issues/17604
+@@||hulkshare.com/combine/*adblocker.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/17382
+! https://github.com/AdguardTeam/AdguardFilters/issues/17336
+sofonesia.com###popDiv
+! https://github.com/AdguardTeam/AdguardFilters/issues/17341
+! https://github.com/AdguardTeam/AdguardFilters/issues/19061
+! https://github.com/AdguardTeam/AdguardFilters/issues/17104
+! https://github.com/AdguardTeam/AdguardFilters/issues/17514
+intercelestial.com##.swal2-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/92570#issuecomment-989634249
+! https://github.com/AdguardTeam/AdguardFilters/issues/28391
+! https://github.com/AdguardTeam/AdguardFilters/issues/18113
+! https://github.com/AdguardTeam/AdguardFilters/issues/115683#issuecomment-1109265607
+[$domain=facebook.com,path=/gaming]#$#body > .AdBox.Ad.advert ~ div[class] { display: block !important; }
+[$domain=facebook.com,path=/gaming]#$#body > .AdBox.Ad.advert { display: block !important; }
+[$domain=facebook.com,path=/adsmanager]#$#body { display: block !important; }
+[$domain=facebook.com,path=/adsmanager]#$#body > .AdBox.Ad.advert { display: block !important; }
+[$domain=facebook.com,path=/adsmanager]#$#body > .AdBox.Ad.advert ~ div[class] { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/17252
+@@||maps4heroes.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/17316
+! https://github.com/AdguardTeam/AdguardFilters/issues/17295
+@@||crackedgameservers.com/uploads/set_resources*adframe.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/17077
+! https://github.com/AdguardTeam/AdguardFilters/issues/17196
+hotcars.com#@#.AdSense
+! https://github.com/AdguardTeam/AdguardFilters/issues/28122
+! https://github.com/AdguardTeam/AdguardFilters/issues/16909
+! https://github.com/AdguardTeam/AdguardFilters/issues/16676
+!+ NOT_PLATFORM(windows, mac, android)
+@@||pagead2.googlesyndication.com/pagead/$domain=nationalpost.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/16832
+! https://github.com/AdguardTeam/AdguardFilters/issues/16698
+@@||tvcatchup.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/16271
+@@||n4mo.org/advert.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/16660
+@@||cutcaptcha.com/captcha/*.js$domain=filecrypt.cc
+! https://github.com/AdguardTeam/AdguardFilters/issues/16476
+! https://github.com/AdguardTeam/AdguardFilters/issues/16519
+@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=dl.ccbluex.net
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=dl.ccbluex.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/16420
+@@||viewasian.tv/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/16288
+! https://github.com/AdguardTeam/AdguardFilters/issues/16397
+offidocs.com##body > div[style*="text-align: center; z-index: 90000;"]
+@@||assets.beinsports.com/*/scripts/ads.js$~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/15962
+streamratio.com#%#window.detector_active = true;
+@@/detector/adsbygoogle.js$~third-party,script,domain=streamratio.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/16277
+@@||billiongraves.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/15762
+||education-load.com/js/main.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/15951
+! https://github.com/AdguardTeam/AdguardFilters/issues/15929
+@@||houstonpress.com/js_cache/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/15752
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=ditchthecarbs.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/15851
+! https://github.com/AdguardTeam/AdguardFilters/issues/15848
+@@||phoenixnewtimes.com/js_cache/ads.js^
+! https://github.com/AdguardTeam/AdguardFilters/issues/15850
+! https://github.com/AdguardTeam/AdguardFilters/issues/15834
+! https://github.com/AdguardTeam/AdguardFilters/issues/15787
+@@||pagead2.googlesyndication.com/pagead/js/r*/show_ads_impl.js$domain=cmacapps.com
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=cmacapps.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/15792
+! https://github.com/AdguardTeam/AdguardFilters/issues/15546
+! https://github.com/AdguardTeam/AdguardFilters/issues/15533
+! https://github.com/AdguardTeam/AdguardFilters/issues/161864
+! https://github.com/AdguardTeam/AdguardFilters/issues/62435
+! https://github.com/AdguardTeam/AdguardFilters/issues/15491
+surfline.com#@#.ad-box:not(#ad-banner):not(:empty)
+@@||cdn-surfline.com/quiver/*/scripts/$domain=surfline.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/15485
+rockfile.co#%#AG_onLoad(function() { var el=document.body; var ce=document.createElement('iframe'); ce.style = 'display: none!important;'; if(el) { el.appendChild(ce); } });
+! https://github.com/AdguardTeam/AdguardFilters/issues/15381
+! https://github.com/AdguardTeam/AdguardFilters/issues/15245
+thememypc.net#$#.ABD_display_adblock { display: none!important; }
+thememypc.net#$#.ABD_display_noadblock { display: block!important; }
+@@||thememypc.net/wp-content/plugins/nervous-pleasure/assets/js/advertisement.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/15046
+/^https?:\/\/anonymousemail\.me\/[\S]{3,10}\.js$/$important,domain=anonymousemail.me
+!+ NOT_PLATFORM(windows, mac, android)
+@@||benkhouya.com/ads.js$domain=anonymousemail.me
+! https://github.com/AdguardTeam/AdguardFilters/issues/15242
+rentanadviser.com#$#.reklamcontainer { height: 1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/15358
+@@||vlist.se/advertisement.js
+@@||videobug.se/advertisement.js
+vlist.se#%#window.adblock = 1;
+! https://github.com/AdguardTeam/AdguardFilters/issues/66583
+! https://github.com/AdguardTeam/AdguardFilters/issues/33179
+! https://github.com/AdguardTeam/AdguardFilters/issues/23960
+! https://github.com/AdguardTeam/AdguardFilters/issues/15341
+@@||einthusan.ca/prebid.js
+@@||einthusan.tv/prebid.js
+@@||einthusan.com/prebid.js
+@@||vid.springserve.com/vast/*einthusan.ca
+@@||vid.springserve.com/vast/*einthusan.tv
+@@||vid.springserve.com/vast/*einthusan.com
+@@||imasdk.googleapis.com/js/sdkloader/loader.js$domain=einthusan.ca|einthusan.tv|einthusan.com
+||googletagmanager.com/gtm.js$script,xmlhttprequest,redirect=googletagmanager-gtm,domain=einthusan.ca|einthusan.tv|einthusan.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/15190
+@@||gardenista.com/assets/scripts/advert.js
+gardenista.com#%#//scriptlet('set-constant', 'adsAreBlocked', 'false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/15296
+@@/js/advertisement.$domain=blogs.sapib.ca
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=blogs.sapib.ca
+! https://github.com/AdguardTeam/AdguardFilters/issues/15306
+! https://github.com/AdguardTeam/AdguardFilters/issues/15273
+! https://github.com/AdguardTeam/AdguardFilters/issues/15275
+! https://github.com/AdguardTeam/AdguardFilters/issues/15278
+@@||cut4links.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/15049
+elfqrin.com#%#var _st = window.setTimeout; window.setTimeout = function(a, b) { if(!/document\.querySelector\("ins\.adsbygoogle"\)/.test(a)){ _st(a,b);}};
+! https://github.com/AdguardTeam/AdguardFilters/issues/15180
+! https://github.com/AdguardTeam/AdguardFilters/issues/15043
+! https://github.com/AdguardTeam/AdguardFilters/issues/15048
+@@||speed4up.com/themes/flow/frontend_assets/js/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/15117
+@@||hgtv.ca^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/14991
+@@||livesports.pw/*adblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/14985
+! https://github.com/AdguardTeam/AdguardFilters/issues/23708
+@@||faucetcrypto.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/14969
+! https://github.com/AdguardTeam/AdguardFilters/issues/14895
+@@||gamesglue.com/game_core/check^
+! https://github.com/AdguardTeam/AdguardFilters/issues/14898
+! https://github.com/AdguardTeam/AdguardFilters/issues/14858
+! https://github.com/AdguardTeam/AdguardFilters/issues/14823
+! https://github.com/AdguardTeam/AdguardFilters/issues/14430
+! https://github.com/AdguardTeam/AdguardFilters/issues/28709
+@@||v.fwmrm.net/ad/g/1$domain=stream.nbcsports.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/14259
+! https://github.com/AdguardTeam/AdguardFilters/issues/14650
+||javhiv.net/statics/defaultv2/js/dedect.js
+! allvideos.me - antiadblock
+! https://github.com/AdguardTeam/AdguardFilters/issues/11336
+@@||pubads.g.doubleclick.net^$domain=twitch.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/14486
+! https://github.com/AdguardTeam/AdguardFilters/issues/14297
+! https://github.com/AdguardTeam/AdguardFilters/issues/14020
+! https://github.com/AdguardTeam/AdguardFilters/issues/14392
+@@||mapquest.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/14303
+@@||hyperdebrid.net^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/14246
+||dreamdth.com/js/siropu/am/core.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/28426
+! https://github.com/AdguardTeam/AdguardFilters/issues/14270
+! https://github.com/AdguardTeam/AdguardFilters/issues/13326
+! https://github.com/AdguardTeam/AdguardFilters/issues/14172
+! https://github.com/AdguardTeam/AdguardFilters/issues/13804
+! https://github.com/AdguardTeam/AdguardFilters/issues/13801
+cointiply.com#@#.side-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/13882
+@@||tvarticles.org^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/13797
+! https://github.com/AdguardTeam/AdguardFilters/issues/14006
+forum.hackinformer.com#@#.headerads
+! https://github.com/AdguardTeam/AdguardFilters/issues/13991
+@@||audioz.cc/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/13888
+! https://github.com/AdguardTeam/AdguardFilters/issues/13628
+@@||leechall.download^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/20121
+! https://github.com/AdguardTeam/AdguardFilters/issues/13434
+@@||haaretz.com/htz/js/advertisement.js
+@@||haaretz.com/ad/dclk^
+! https://github.com/AdguardTeam/AdguardFilters/issues/13436
+@@||cdncontent.wakanim.tv/scripts/dist/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/184782
+! https://github.com/AdguardTeam/AdguardFilters/issues/13034
+||video-ads.rubiconproject.com/video/*/vast.xml$redirect=nooptext,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/13061
+@@||speedtest.net/javascript/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/13031
+! https://github.com/AdguardTeam/AdguardFilters/issues/13057
+@@||fcportables.com/wp-content/uploads/ad-inserter^
+! https://github.com/AdguardTeam/AdguardFilters/issues/12939
+@@||liveadexchanger.com/a/display.php^$domain=prem.link
+! https://github.com/AdguardTeam/AdguardFilters/issues/12974
+@@||uplod.org/hg/js/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/99972
+! https://github.com/AdguardTeam/AdguardFilters/issues/65172
+! https://github.com/AdguardTeam/AdguardFilters/issues/23901
+! https://github.com/AdguardTeam/AdguardFilters/issues/12807
+magesy.blog#%#//scriptlet("prevent-setTimeout", "keepChecking")
+@@||majesy.com/css-cdn/advertisement.js
+@@||mage.si/advertisement.js
+@@||majesy.com/advertisement.js
+@@||beelink.in/ad/advertisement.js
+||magesy.blog/dublocker.js
+magesypro.pro,magesypro.com,magesy.blog,majesy.org,magesy.eu,magesy.fr###adb
+magesypro.pro,magesypro.com,magesy.blog,majesy.org,magesy.eu,magesy.fr##div[id][class^="popup"][class$="wrap"][style]
+magesypro.pro,magesypro.com,magesy.blog,majesy.org,magesy.eu,magesy.fr#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+magesypro.pro,magesypro.com,magesy.blog,majesy.org,magesy.eu,magesy.fr#%#//scriptlet("abort-current-inline-script", "onload", ".offsetHeight<=0")
+magesypro.pro,magesypro.com,magesy.blog,majesy.org,magesy.eu,magesy.fr#%#//scriptlet('abort-current-inline-script', 'document.getElementById', 'document.write')
+majesy.com,magesy.eu,beelink.in#%#//scriptlet("set-constant", "jQuery.adblock", "false")
+@@/ad_banner.js$~third-party,domain=magesypro.pro|magesypro.com|magesy.blog|majesy.org|magesy.eu|magesy.fr
+@@||majesy.org^$generichide
+@@||majesy.com^$generichide
+@@||magesy.eu^$generichide
+@@||magesy.blog^$generichide
+@@.png#$domain=majesy.org|majesy.com|magesy.eu|magesy.blog
+! https://github.com/AdguardTeam/AdguardFilters/issues/12816
+minecraft-forum.net#%#window.ab = false;
+@@||minecraft-forum.net/v/adblock-detection-master/advert.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/12736
+@@||img.tfd.com/ads.js
+freethesaurus.com,thefreedictionary.com#%#window.showAds = 1;
+freethesaurus.com,thefreedictionary.com#%#(function(){var b=window.setTimeout;window.setTimeout=function(a,c){if(!/ad-free subscription/.test(a.toString()))return b(a,c)};})();
+freethesaurus.com#%#window.adsbygoogle = { loaded: !0 };
+freethesaurus.com#@#.TopBannerAd
+!+ NOT_PLATFORM(ext_ff, ext_opera, ios, ext_android_cb)
+||thefreedictionary.com/_/tr.ashx?
+! https://github.com/AdguardTeam/AdguardFilters/issues/12529
+! https://github.com/AdguardTeam/AdguardFilters/issues/12756
+ma-x.org##.k2cd89-hide
+! https://github.com/AdguardTeam/AdguardFilters/issues/12654
+! https://github.com/AdguardTeam/AdguardFilters/issues/12570
+@@||gotceleb.com/wp-content/plugins/wppas/templates/js/advertising.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/12639
+@@||vergol.com/adblock.js
+@@||vergol.com/player/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/12607
+@@||sltrib.com/pb/resources/scripts/utils/ads/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/66574
+! https://github.com/AdguardTeam/AdguardFilters/issues/14251
+! https://github.com/AdguardTeam/AdguardFilters/issues/12297
+vidlox.me#%#window.popns = true;
+! https://github.com/AdguardTeam/AdguardFilters/issues/12416
+! https://github.com/AdguardTeam/AdguardFilters/issues/12414
+itprotoday.com#$##body-wrapper { opacity: 1!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/66551
+freeopenvpn.org#$##advert_top { height: 6px !important; }
+@@||ipspeed.online/*/*.png$domain=freeopenvpn.*
+@@||freeopenvpn.*/*/*.png$domain=freeopenvpn.*
+@@||freeopenvpn.org^$generichide
+@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=freeopenvpn.org
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=freeopenvpn.org
+freeopenvpn.org#$?#.adsbygoogle { height: 2px!important; }
+freeopenvpn.org#$#.adsbygoogle iframe { position: absolute!important; left: -3000px!important; }
+@@||freeopenvpn.org/adsense.js
+freeopenvpn.org#%#window.adBlock = false;
+! https://github.com/AdguardTeam/AdguardFilters/issues/12386
+@@||fileflares.com^$generichide
+@@||fileflares.com/*ads.js$~third-party
+fileflares.com#$#.adsbygoogle { height: 0!important; }
+! https://forum.adguard.com/index.php?threads/28133/
+! https://github.com/AdguardTeam/AdguardFilters/issues/12098
+! https://github.com/AdguardTeam/AdguardFilters/issues/12042
+! https://github.com/AdguardTeam/AdguardFilters/issues/12031
+@@||securepubads.g.doubleclick.net/gampad/ads^$domain=theatlantic.com
+@@||cdn.theatlantic.com/assets/static/*/js/advertisement.2.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/11994
+@@||hotcopper.com.au/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/11881
+@@||cdn.broadstreetads.com/init.js$domain=thebatavian.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/31493
+! https://github.com/AdguardTeam/AdguardFilters/issues/11602
+updato.com#%#(function(){var b=window.setTimeout;window.setTimeout=function(a,c){if(!/\!document\.getElementById[\s\S]*?#updato-overlay/.test(a.toString()))return b(a,c)};})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/11610
+||mma-core.com/vidjs*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/11758
+@@||stc.fx.fastcontentdelivery.com/js/showad_.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/11679
+@@||clksite.com/static/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/171747
+! https://github.com/AdguardTeam/AdguardFilters/issues/27985
+! https://github.com/AdguardTeam/AdguardFilters/issues/25578
+! https://github.com/AdguardTeam/AdguardFilters/issues/11580
+sms-receive.net#$#.adsbygoogle { height: 0!important; }
+sms-receive.net#%#//scriptlet('abort-current-inline-script', '$', 'AdBlock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/11542
+@@||dl.go4up.com/*ad*.js
+@@||sharethis.com/button/$script,domain=dl.go4up.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/11545
+! https://github.com/AdguardTeam/AdguardFilters/issues/11519
+! https://github.com/AdguardTeam/AdguardFilters/issues/87054
+@@||static.adsafeprotected.com/skeleton.js$domain=cwtv.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/48235
+! https://github.com/AdguardTeam/AdguardFilters/issues/10770#issuecomment-365468745
+cwseed.com,cwtv.com#%#//scriptlet("set-constant", "Object.prototype.handleWall", "noopFunc")
+cwtv.com#%#//scriptlet("set-constant", "wc.pid", "")
+! https://github.com/AdguardTeam/AdguardFilters/issues/11390
+@@||minecraftbuildinginc.com/wp-content/themes/*/js/advertisement.js
+minecraftbuildinginc.com#%#window.$tieE3 = true;
+! https://github.com/AdguardTeam/AdguardFilters/issues/11159
+! https://github.com/AdguardTeam/AdguardFilters/issues/10906
+! https://github.com/AdguardTeam/AdguardFilters/issues/11058
+! https://github.com/AdguardTeam/AdguardFilters/issues/10856
+! https://github.com/AdguardTeam/AdguardFilters/issues/11033
+@@||camsexvideo.net/js/advertising.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/11026
+surfguru.com##.camBoxAd
+@@||surfguru.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/10890
+observer.com#@#.AdSense
+! https://github.com/AdguardTeam/AdguardFilters/issues/10938
+@@||games.gamesplaza.com^$generichide
+@@||games.gamesplaza.com/shared/loader/advert.js
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=games.gamesplaza.com
+@@||games.gamesplaza.com/shared/loader/gads.js
+! https://forum.adguard.com/index.php?threads/seehd-club.27998/
+! https://github.com/AdguardTeam/AdguardFilters/issues/10862
+@@||vip.freelive365.com/adblocker.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/10914
+@@||media.studybreakmedia.com/doubleclick/ads2.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/10863
+@@||123link.pw/1/2/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/10882
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=supergames.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/10844
+@@||doomed.io/scripts/ads.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/10831
+@@||akvideo.stream/banners^$domain=akvideo.stream
+! https://github.com/AdguardTeam/AdguardFilters/issues/10738
+! https://github.com/AdguardTeam/AdguardFilters/issues/10712
+@@||bitfun.co^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/10586
+@@||pagead2.googlesyndication.com/pagead/js/r20180124/r20170110/osd.js$domain=cpu-world.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/10680
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=updato.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/10687
+idsly.com##.adsbygoogle
+@@||idsly.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/10519
+@@||9bis.net/advert.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/10516
+@@||abysstream.com/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/18187
+! https://github.com/AdguardTeam/AdguardFilters/issues/10542
+! Ads reinjection
+nme.com#%#//scriptlet("abort-current-inline-script", "Math.floor", "Infinity")
+! https://github.com/AdguardTeam/AdguardFilters/issues/10492
+! https://github.com/AdguardTeam/AdguardFilters/issues/10567
+filesupload.org#$#.detect { display:none!important; }
+filesupload.org#$#.link-download { display:block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/10409
+! https://github.com/AdguardTeam/AdguardFilters/issues/10342
+ally.sh#$#.center-captcha.hidden { display: block!important; visibility: visible!important; }
+ally.sh#$#.btn-danger[title^="Please disable AdBlocker"] { display: none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/10482
+@@||pagead2.googlesyndication.com/pagead/$domain=free-scores.com,image
+! https://github.com/AdguardTeam/AdguardFilters/issues/10323
+! https://github.com/AdguardTeam/AdguardFilters/issues/10147
+livesports.pw###adb-enabled
+! https://github.com/AdguardTeam/AdguardFilters/issues/10096
+! https://github.com/AdguardTeam/AdguardFilters/issues/9979
+vergol.com###adb-enabled
+! https://github.com/AdguardTeam/AdguardFilters/issues/9977
+! https://github.com/AdguardTeam/AdguardFilters/issues/9993
+@@||metabomb.net^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/9990 - rule from Liste FR
+||www.multiup.*/js/compiled_js_
+! https://github.com/AdguardTeam/AdguardFilters/issues/9875
+@@||c.amazon-adsystem.com/aax2/apstag.js$domain=player.watch.aetnd.com
+@@||player.watch.aetnd.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/9806
+! https://github.com/AdguardTeam/AdguardFilters/issues/9789
+wstream.video#$#.mypop { height:1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/9537
+off-soft.net##.contents-usual .adsbygoogle:not(#content-raw)
+! https://github.com/AdguardTeam/AdguardFilters/issues/9335
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=vidyome.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/9336
+@@||download.hr/module/detector/adsbygoogle.js
+download.hr#%#window.detector_active = true;
+! https://github.com/AdguardTeam/AdguardFilters/issues/9028
+@@||map.poketrack.xyz/js/ads-min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/9052
+8wayrun.com#$#.happyContainer { height: 1px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/9411
+@@||fwmrm.net^$domain=liiga.fi
+@@||v.fwmrm.net/ad/g/1?$domain=ruutu.fi
+! https://github.com/AdguardTeam/AdguardFilters/issues/9015
+@@||googleads.g.doubleclick.net/pagead/images/abg$domain=lolalytics.com
+@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=lolalytics.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/8891
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js^$domain=onitube.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/8923
+||assets.jumpstartmediavault.com/abd/v2/jam_abd.min.js
+||assets.jumpstartmediavault.com/abd/v2/jam_abd_nag.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/8727
+getrelax.club#@#.google-ad
+! seattletimes.com - antiadblock
+@@||seattletimes.com/wp-content/plugins/st-privacy-detection/js/src/ads/ad-test.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/8702
+therichest.com##.ad-zone-container
+@@||therichest.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/8665
+bonusbitcoin.co#$##adX {height:40px!important;}
+! https://github.com/AdguardTeam/AdguardFilters/issues/7567
+||gigaleecher.com/templates/plugmod/giga.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/8688
+! https://github.com/AdguardTeam/AdguardFilters/issues/8668
+@@||timeforbitco.in/application/views/script/advert.js
+timeforbitco.in#%#window.adBlock = false;
+! https://github.com/AdguardTeam/AdguardFilters/issues/8667
+@@||worldofbitco.in/application/views/script/advert.js
+worldofbitco.in#%#window.adBlock = false;
+! https://github.com/AdguardTeam/AdguardFilters/issues/8666
+@@||getyourbitco.in/application/views/script/advert.js
+getyourbitco.in#%#window.adBlock = false;
+! https://github.com/AdguardTeam/AdguardFilters/issues/8575
+! https://github.com/AdguardTeam/AdguardFilters/issues/8492
+! https://github.com/AdguardTeam/AdguardFilters/issues/8408
+! https://github.com/AdguardTeam/AdguardFilters/issues/8493
+@@||hollaforums.com/js/adcash.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/8499
+@@||menshealth.com/*/pubads$script,~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/8389
+@@||ad.doubleclick.net/ddm/ad/*$domain=twitch.tv,third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/8278
+@@||porn.com^$generichide
+! https://forum.adguard.com/index.php?threads/27405/
+masseurporn.com#@#.advertisement
+masseurporn.com#@#.ad-body
+! https://github.com/AdguardTeam/AdguardFilters/issues/8298
+@@||getfree.co.in^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/8299
+! https://github.com/AdguardTeam/AdguardFilters/issues/8357
+! https://github.com/AdguardTeam/AdguardFilters/issues/8252
+! https://github.com/AdguardTeam/AdguardFilters/issues/8297
+! https://github.com/AdguardTeam/AdguardFilters/issues/33815
+! https://github.com/AdguardTeam/AdguardFilters/issues/23999
+! https://github.com/AdguardTeam/AdguardFilters/issues/8168
+next-episode.net#%#//scriptlet("abort-on-property-read", "tryCheckB32")
+! https://github.com/AdguardTeam/AdguardFilters/issues/7903
+! https://forum.adguard.com/index.php?threads/27550/
+@@||apjr.needrom.com/advert*.js
+! https://forum.adguard.com/index.php?threads/27524/
+@@||themelock.com/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/8089
+target.my.com#%#//scriptlet("set-constant", "trg.ads", "true")
+@@||target.my.com/media/js/app/ads.js^
+! https://github.com/AdguardTeam/AdguardFilters/issues/7905
+kisshentai.net#%#//scriptlet('set-constant', 'adblock', 'false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/8003
+@@||ebates.com^$generichide
+! https://forum.adguard.com/index.php?threads/27330/
+||vortez.net/jscript/warn2.js
+! https://forum.adguard.com/index.php?threads/27243/
+! https://github.com/AdguardTeam/AdguardFilters/issues/7589
+@@||v.fwmrm.net/ad/g/1$domain=viasatsport.se
+@@||v.fwmrm.net/ad/l/1$domain=viasatsport.se
+@@||mssl.fwmrm.net/*/MTG_Brightcove_HTML5/AdManager.js$domain=viasatsport.se
+||freewheel-mtgx-tv.akamaized.net/*.mp4$domain=viasatsport.se,redirect=nooptext,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/7592
+! https://github.com/AdguardTeam/AdguardFilters/issues/7455
+! https://forum.adguard.com/index.php?threads/27092/
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=uptostream.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/121997
+||uploadcloud.pro/js/Aab-js-
+@@||uploadcloud.pro^$generichide
+! https://forum.adguard.com/index.php?threads/files-save-com.26898/
+@@||files-save.com/Assets/Addon/Css/ads.css
+! https://github.com/AdguardTeam/AdguardFilters/issues/7634
+@@||festyy.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/7242
+au.tv.yahoo.com#@#.y7-advertisement
+! https://github.com/AdguardTeam/AdguardFilters/issues/7240
+||freewheel-mtgx-tv.akamaized.net/*.mp4$redirect=nooptext,important
+! https://forum.adguard.com/index.php?threads/xvidstage-com.26827/
+@@||xvidstage.com/js/pop.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/7576
+@@||bravofly.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/7600
+@@||cllkme.com^$generichide
+! https://forum.adguard.com/index.php?threads/26799/
+! https://github.com/AdguardTeam/AdguardFilters/issues/7536
+@@||cpmlink.net^$generichide
+! https://forum.adguard.com/index.php?threads/last-fm-anti-adblock.16897/
+||static.doubleclick.net/instream/ad_status.js$domain=last.fm,redirect=nooptext,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/7306
+@@||v.fwmrm.net/ad/g/1?$domain=01net.com
+! https://forum.adguard.com/index.php?threads/26602/
+@@||seomafia.net/stylesheets/ads.css
+! https://forum.adguard.com/index.php?threads/26604/
+@@||thebookee.net^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/6905
+!+ NOT_PLATFORM(windows)
+socketloop.com#%#var _st = window.setTimeout; window.setTimeout = function(a, b) { if(!/document\.getElementById\('cootent'\)\.innerHTML=/.test(a)){ _st(a,b);}};
+! https://github.com/AdguardTeam/AdguardFilters/issues/7175
+simply-debrid.com#@##google_ads
+! https://forum.adguard.com/index.php?threads/26512/
+! https://forum.adguard.com/index.php?threads/26453/
+@@||vpnsplit.com/ads/advertisement.js
+! https://forum.adguard.com/index.php?threads/26453/
+@@||tcpvpn.com/ads/advertisement.js
+! https://forum.adguard.com/index.php?threads/down2hub-com.26379/
+! https://github.com/AdguardTeam/AdguardFilters/issues/7170
+! https://github.com/AdguardTeam/AdguardFilters/issues/7251
+@@||firstonetv.net/*/*&&_=
+! https://github.com/AdguardTeam/AdguardFilters/issues/7108
+! https://github.com/AdguardTeam/AdguardFilters/issues/7106
+freestocks.org##body.adblock > .popup
+! https://github.com/AdguardTeam/AdguardFilters/issues/7224
+! https://forum.adguard.com/index.php?threads/uploadx-link.26197/
+! https://forum.adguard.com/index.php?threads/26177/
+youtubemultidownloader.com#@#.ad-placement
+youtubemultidownloader.com#$##ablockercheck { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/7180
+! https://github.com/AdguardTeam/AdguardFilters/issues/7034
+@@||media.wired.it/static/js/cn-adv.js
+! https://forum.adguard.com/index.php?threads/26114/
+! https://forum.adguard.com/index.php?threads/26085/
+@@/ads.js$domain=cut-urls.com,~third-party
+! marvelousga.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/7026
+@@||hdliveextra-a.akamaihd.net/HD/scripts/*/config/ads.js
+! https://forum.adguard.com/index.php?threads/zmovs-com-pop-up-nsfw.25923/
+@@||zmovs.com/js/pop.js
+! https://forum.adguard.com/index.php?threads/bigspeeds-com-anti-ad-block.25908/
+@@||bigspeeds.com/ajax/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/166758
+! https://github.com/AdguardTeam/AdguardFilters/issues/128127
+leechpremium.net#%#//scriptlet('prevent-setInterval', 'iframe')
+! leechpremium.net#%#AG_onLoad(function(){var b=new MutationObserver(function(){var a=document.querySelectorAll(".adsbygoogle iframe");for(i=0;i iframe[height][width][style]')
+myuploadedpremium.de#%#//scriptlet('abort-current-inline-script', '$', '/setInterval[\s\S]*?_0x[\s\S]*?')
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$redirect=googlesyndication-adsbygoogle,domain=myuploadedpremium.de
+! https://forum.adguard.com/index.php?threads/www-televisionparatodos-tv-anti-adblock.25891/
+latino-webtv.com###adb-enabled
+! https://forum.adguard.com/index.php?threads/25761/
+! https://forum.adguard.com/index.php?threads/25823/
+! https://forum.adguard.com/index.php?threads/25828/
+! https://github.com/AdguardTeam/AdguardFilters/issues/6980
+! https://github.com/AdguardTeam/AdguardFilters/issues/6979
+ps4news.com#$##blockblockB { display: block!important; }
+ps4news.com#$##blockblockA { display: none!important; }
+! https://forum.adguard.com/index.php?threads/25743/
+@@||zeroboard.org^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/6888
+! https://github.com/AdguardTeam/AdguardFilters/issues/7020
+@@||rappers.in/js/antiadblock.js
+! https://forum.adguard.com/index.php?threads/https-fxporn69-com-nsfw.25495/
+! https://forum.adguard.com/index.php?threads/http-www-javhiv-com-nsfw.25509/
+||javhiv.com/statics/defaultv2/js/dedect.js
+! vidoza.net
+! https://forum.adguard.com/index.php?threads/25497/
+@@||wendgames.com/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/6922
+! https://github.com/AdguardTeam/AdguardFilters/issues/28633
+!+ NOT_OPTIMIZED
+cs-fundamentals.com###adBlockerAlert
+! https://github.com/AdguardTeam/AdguardFilters/issues/6947
+||fairfaxstatic.com.au/dtm/*/satelliteLib-*.js$domain=theage.com.au
+! https://github.com/AdguardTeam/AdguardFilters/issues/6812
+||pigav.com/cdn-cgi/apps/head/*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/6866
+digitalinformationworld.com#%#window.adsbygoogle = { loaded: !0 };
+! https://github.com/AdguardTeam/AdguardFilters/issues/6858
+alemdarleech.com###koddostu-com-adblocker-engelleme
+! https://github.com/AdguardTeam/AdguardFilters/issues/6842
+! https://github.com/AdguardTeam/AdguardFilters/issues/6841
+@@||hackingwithphp.com/js/adsbygoogle.js
+hackingwithphp.com#%#window.areAdsDisplayed = true;
+! https://github.com/AdguardTeam/AdguardFilters/issues/6783
+! https://github.com/AdguardTeam/AdguardFilters/issues/7402
+@@||anonymousemail.me/*.js$~third-party
+anonymousemail.me#$#.adsense { height: 1px!important; }
+anonymousemail.me#$#.adsbygoogle { height: 1px!important; width: 1px!important; }
+! https://forum.adguard.com/index.php?threads/25426/
+@@||uplod.cc/hg/js/advertisement.js
+! https://forum.adguard.com/index.php?threads/https-chan-sankakucomplex-com.20084/
+! https://github.com/AdguardTeam/AdguardFilters/issues/6777
+behindwoods.com#@##sponsorText
+! https://github.com/AdguardTeam/AdguardFilters/issues/6860
+||gpone.com/cdn-cgi/apps/head/*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/6871
+@@||beinsports.com/wp-content/themes/bein/dist/scripts/fuckadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/18729
+@@||tmearn.com/js/ads*.js
+! https://forum.adguard.com/index.php?threads/25117/
+@@||7sim.net^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/6796
+! https://forum.adguard.com/index.php?threads/25067/
+playretrogames.com#@##prerollAd
+! https://github.com/AdguardTeam/AdguardFilters/issues/15726
+! https://github.com/AdguardTeam/AdguardFilters/issues/6661
+! https://forum.adguard.com/index.php?threads/25048/
+@@||a10.com/wdg/js_aggregator-active/js/module/monetisation/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/6721
+! https://github.com/AdguardTeam/AdguardFilters/issues/6693
+! https://github.com/AdguardTeam/AdguardFilters/issues/6479
+bizled.co.in#%#window.google_jobrunner = function() {};
+! https://github.com/AdguardTeam/AdguardFilters/issues/6478
+@@||vertamedia.com/assets/img/adimage.png
+! https://github.com/AdguardTeam/AdguardFilters/issues/6476
+@@||afdah.to/show-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/6459
+! https://forum.adguard.com/index.php?threads/24938/
+! https://github.com/AdguardTeam/AdguardFilters/issues/6434
+@@||v.fwmrm.net/ad/g/1?$domain=play.tv3.lt
+@@||mssl.fwmrm.net/*/MTG_Brightcove_HTML5/AdManager.js$domain=play.tv3.lt
+@@||play.tv3.lt/ad/banner/*.ad.json$domain=play.tv3.lt
+||freewheel-mtgx-tv.akamaized.net/*.mp4$domain=play.tv3.lt,redirect=nooptext,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/6602
+@@||sgxnifty.org/wp-content/themes/default/js/adblocker.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/6575
+@@||business-standard.com/ad/banner.js
+! premium-link.ninja
+@@||premium-link.ninja/js/blockadblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/6561
+@@||pornbraze.com/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/6418
+@@||v.fwmrm.net/ad/l/1$domain=tv3sport.dk,important
+@@||v.fwmrm.net/ad/g/1$domain=tv3sport.dk,important
+@@||mssl.fwmrm.net/*/MTG_Brightcove_HTML5/AdManager.js$domain=tv3sport.dk
+!+ NOT_PLATFORM(ext_edge)
+||freewheel-mtgx-tv.akamaized.net/*.mp4$domain=tv3sport.dk,redirect=nooptext,important
+||mds.pliing.com/scm/videoburner/isobar/burneruploads/*.mp4$domain=tv3sport.dk,redirect=nooptext,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/6414
+bank-codes.com#%#//scriptlet('set-constant', 'ab1', 'false')
+bank-codes.com#%#//scriptlet('set-constant', 'ab2', 'false')
+bank-codes.com#%#//scriptlet('set-constant', 'ab3', 'false')
+bank-codes.com#%#//scriptlet('set-constant', 'ab4', 'false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/6411
+! https://github.com/AdguardTeam/AdguardFilters/issues/6357
+@@||ads.korri.fr/index.js$domain=dogefaucet.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/6356
+! https://github.com/AdguardTeam/AdguardFilters/issues/6530
+@@||linkkawy.com^*js/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/6520
+! https://forum.adguard.com/index.php?threads/24564/
+ur.ly#@##bottomad
+! https://github.com/AdguardTeam/AdguardFilters/issues/6517
+1001tracklists.com#$?#div[class*="adngin"].exNet { remove: true; }
+1001tracklists.com#@##adframe:not(frameset)
+! https://forum.adguard.com/index.php?threads/zippyshare-com-pop-up-on-download-now-windows.24433/
+@@||revdepo.com/static/advertisement.js|
+! https://github.com/AdguardTeam/AdguardFilters/issues/6336
+nydailynews.com#%#window.Adv_ab = false;
+@@||amsarkadium-a.akamaihd.net/assets/*/arena/heap/advertisements.js$domain=nydailynews.com
+! https://forum.adguard.com/index.php?threads/22199/
+@@||v.fwmrm.net/ad/p/1?$domain=channel4.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/6312
+@@/crossdomain.xml$domain=channel4.com
+@@||ak.http.anno.channel4.com^$domain=channel4.com
+@@||cf.http.anno.channel4.com^$domain=channel4.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/6404
+@@||wallpapersite.com/scripts/ads.js
+wallpapersite.com#%#window.canRunAds = true;
+! https://github.com/AdguardTeam/AdguardFilters/issues/6382
+! https://forum.adguard.com/index.php?threads/24246/
+! https://github.com/AdguardTeam/AdguardFilters/issues/6335
+! https://forum.adguard.com/index.php?threads/24236/
+||demo.smarttutorials.net/how-to-detect-adblocker-with-javascript-demo/js/script.js$third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/6349
+! https://github.com/AdguardTeam/AdguardFilters/issues/6284
+! https://github.com/AdguardTeam/AdguardFilters/issues/6280
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=lolalytics.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/6278
+! https://github.com/AdguardTeam/AdguardFilters/issues/11167
+||savetodrive.net/*/cblock.js
+savetodrive.net#%#var _st = window.setTimeout; window.setTimeout = function(a, b) { if(!/isAdsBlocked/.test(a)){ _st(a,b);}};
+! https://github.com/AdguardTeam/AdguardFilters/issues/6236
+@@||egobits.com/envato/detector/detector/adsbygoogle.js$~third-party
+! https://forum.adguard.com/index.php?threads/apkmirror-com-ag-browser-extension.24166/
+! https://forum.adguard.com/index.php?threads/desktop-and-android-same-filters-different-behavior.30070/
+apkmirror.com#%#//scriptlet('remove-class', 'disabled', 'a.downloadButton.disabled')
+apkmirror.com#%#//scriptlet('abort-on-stack-trace', 'document.querySelectorAll', '/Object\.visibleEl[\s\S]*?onload|Object\.vE/')
+apkmirror.com#$#.accent_bg.downloadButton { pointer-events: auto !important; cursor: pointer !important; }
+apkmirror.com#$#body .ains { display: block !important; position: absolute !important; left: -3000px !important; }
+apkmirror.com#$#body .gooWidget { display: block !important; position: absolute !important; left: -3000px !important; height: 310px !important; }
+apkmirror.com#$#.gooWidget.google-ad-square { display: block !important; }
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=apkmirror.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/6229
+@@||moviemakeronline.com/resources/jsc/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/6228
+@@||sportspyder.com/assets/ads-*.js|
+sportspyder.com#%#window.adsEnabled=!0;
+! https://github.com/AdguardTeam/AdguardFilters/issues/6227
+@@||stream.nbcsports.com/assets/page/general/ads.js
+nbcsports.com#%#AG_onLoad(function() { window.adBlockEnabled = false; });
+! https://github.com/AdguardTeam/AdguardFilters/issues/6174
+! https://github.com/AdguardTeam/AdguardFilters/issues/6165
+! https://github.com/AdguardTeam/AdguardFilters/issues/11166
+paraphrasing-tool.com#$#[id^="adsense_"] { height: 80px!important; width: 80px!important; position: absolute!important; left: -3000px!important; }
+! https://forum.adguard.com/index.php?threads/24045/
+@@||copypastecharacter.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/6053
+@@||vaughnlive.tv/*/js/ima3.js
+||cdn.pelcro.com/js/bab/min.js$domain=livenewsus.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/6049
+@@||samehadaku.net/wp-content/themes/jannah/js/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/6006
+@@||kingofdown.com^$generichide
+!
+! NoAdBlock (CloudflareApps)
+!
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/5953
+! https://github.com/AdguardTeam/AdguardFilters/issues/5984
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=door2windows.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/5983
+! https://github.com/AdguardTeam/AdguardFilters/issues/5981
+! https://github.com/AdguardTeam/AdguardFilters/issues/5957
+@@||generatorlinkpremium.com/ads/advertisement.php
+! https://github.com/AdguardTeam/AdguardFilters/issues/5904
+! https://forum.adguard.com/index.php?threads/4-missed-ads-4-nsfw.23438/
+! https://github.com/AdguardTeam/AdguardFilters/issues/5901
+explosm.net#%#window.showads=true;
+@@||explosm.net/js/adsense.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/5760
+@@||assets.gameallianz.com/api/js/ads/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/5766
+yiv.com###AdBlockMessage
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=h5.4j.com
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/5759
+haxmaps.com#%#//scriptlet('prevent-setTimeout', 'log_abb_tests')
+! https://github.com/AdguardTeam/AdguardFilters/issues/5694
+steamcustomizer.com###sadcat
+steamcustomizer.com##span.support-notice.notice
+@@||steamcustomizer.com/cache/skin/ad/$image
+! https://forum.adguard.com/index.php?threads/23709/
+@@||games.iwin.com^$generichide
+! https://forum.adguard.com/index.php?threads/23665/
+@@/adsense.js$~third-party,domain=handjob.pro|lezbiyen-tube.com|mybigbeautifulwoman.com|mystreetgirl.com|sex-jav.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/5758
+@@||totaldebrid.org^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/5753
+! http://ps.w.org/monitor-adblock/tags/2.3/monitorblockad.php
+securityonline.info,xkorean.net,h-hentai.com,honatur.com,lanouvelletribune.info,supertelatv.net,yearn-magazine.fr,cantaringles.com,cscscholarships.org,javgay.com,rozbor-dila.cz,teenboytwink.com,filmeseserieshd.org,kizzboy.com,meterpreter.org,pronunciaciones.com,atelevisao.com,worldoftrucks.ru,novelleleggere.com,plant-home.net,mundo-pack.com,scholarshipsads.org,jmusic.me###adblock_screen
+! https://forum.adguard.com/index.php?threads/23575/
+@@||instasave.xyz^$generichide
+! https://forum.adguard.com/index.php?threads/15976/
+@@||ahmedabadmirror.indiatimes.com/ads.cms
+@@||timesofindia.indiatimes.com/ads_native_js^
+@@||timesofindia.indiatimes.com/ad-banner-zedo^
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/96795
+! https://github.com/AdguardTeam/AdguardFilters/issues/5764
+cellmapper.net#%#//scriptlet("prevent-setTimeout", "/children\('ins'\)|Adblock|adsbygoogle/")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=cellmapper.net
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/5677
+openculture.com#@##SponsoredLinks
+openculture.com#@##influads_block
+!
+!
+!+ NOT_PLATFORM(windows, mac, android)
+gktoday.in#@##google-ads
+!+ NOT_PLATFORM(windows, mac, android)
+gktoday.in#@#.adsense
+!+ NOT_PLATFORM(windows, mac, android)
+gktoday.in#@#.sponsored
+! https://github.com/AdguardTeam/AdguardFilters/issues/5508
+@@||cdn.reverso.net/*/static/js/advertising.js^
+! https://forum.adguard.com/index.php?threads/23122/
+trancepodcasts.com#$##banner-message { visibility: hidden!important; }
+trancepodcasts.com#$#.w3eden { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/18482
+@@||mangatail.me/sites/all/themes/newbird/js/advertisement.js
+! 9cartoon.me/Watch/160651/party-legends-season-2-2016/episodie-3
+@@||player.9cartoon.me/static/ads.js^
+! https://forum.adguard.com/index.php?threads/22999/
+@@||indiaeveryday.com/staticcontent/ads/googleads.js^
+! https://github.com/AdguardTeam/AdguardFilters/issues/5496
+@@||tubeninja.net/ads.js^
+! https://forum.adguard.com/index.php?threads/cinemablend-com-anti-adb-windows.22290/
+@@//aka-cdn-ns.adtechus.com/images/$domain=cinemablend.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/5655
+@@||cdn.hackintosh.zone/ipscdn/adsense/$domain=hackintosh.zone
+! https://github.com/AdguardTeam/AdguardFilters/issues/5626
+! https://forum.adguard.com/index.php?threads/23302/
+@@||destyy.com^$generichide
+! https://forum.adguard.com/index.php?threads/23262/
+! https://github.com/AdguardTeam/AdguardFilters/issues/5469
+! https://forum.adguard.com/index.php?threads/23109/
+@@||uplod.ws/*/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/28761
+! https://github.com/AdguardTeam/AdguardFilters/issues/26327
+! https://forum.adguard.com/index.php?threads/flacplayer-ehubsoft-net-anti-ad-block-ubo-on-chrome.23131/
+ehubsoft.net#%#//scriptlet("set-constant", "gadb", "false")
+!+ NOT_PLATFORM(ios, ext_android_cb)
+||pagead2.googlesyndication.com/pagead/show_ads.js$script,redirect=noopjs,important,domain=ehubsoft.net
+!
+! https://forum.adguard.com/index.php?threads/smsreceiveonline-com-anti-ad-block-ubo.23093/
+! https://forum.adguard.com/index.php?threads/getfreesmsnumber-com-anti-ad-block-ubo-on-chrome.23091/
+@@||getfreesmsnumber.com/js/advertisement.js^
+! https://forum.adguard.com/index.php?threads/receive-a-sms-com-anti-ad-block-ubo-on-chrome.23087/
+receive-a-sms.com#@#ins.adsbygoogle[data-ad-client]
+receive-a-sms.com#@#ins.adsbygoogle[data-ad-slot]
+! realclearpolitics.com antiadblock
+@@||realclearpolitics.com/asset/section/ad-blocker.js
+! uploadfiles.io anti-adblock (size of the element exceeds 100500px)
+uploadfiles.io##.ad-blocked
+! https://github.com/AdguardTeam/AdguardFilters/issues/5389
+gosugamers.net#@#.ad-placement
+! https://forum.adguard.com/index.php?threads/22624/
+!+ NOT_PLATFORM(windows, mac, android)
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=receive-sms-online.info
+!
+! https://forum.adguard.com/index.php?threads/22596/
+@@||uploadboy.com/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/103491
+! https://forum.adguard.com/index.php?threads/22256/
+*$script,redirect-rule=noopjs,domain=binbucks.com
+@@||binbucks.com/fuckadblock.js
+@@||binbucks.com^$generichide
+! https://forum.adguard.com/index.php?threads/expedia-de.22147/
+@@||travel-assets.com/ads/*/expadsblocked.js^
+! https://forum.adguard.com/index.php?threads/anti-adblock-ibtimes-co-uk.22124/
+@@||d.ibtimes.co.uk/imasdk/ads.js^
+! https://forum.adguard.com/index.php?threads/22081/
+mylifetime.com#@#.block-doubleclick
+! https://forum.adguard.com/index.php?threads/22029/
+@@||raptu.com/e/$generichide
+! https://forum.adguard.com/index.php?threads/21829/
+whosampled.com#%#var _st = window.setTimeout; window.setTimeout = function(a, b) { if(!/_detectAdBlocker/.test(a)){ _st(a,b);}};
+! https://github.com/AdguardTeam/AdguardFilters/issues/5039
+@@||viid.me^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/15016
+! https://github.com/AdguardTeam/AdguardFilters/issues/4661
+zap.in#$##flexContentAdFrame { height: 51px!important; display: block!important; }
+zap.in#$##verifyAd { display: block!important; height: 1px!important; }
+! https://forum.adguard.com/index.php?threads/21454/
+forum.xda-developers.com#@#.adonis-placeholder
+! https://github.com/AdguardTeam/AdguardFilters/issues/4917
+@@||dailygeekshow.com/wp-content/themes/soofresh2/js/advertisement.js^
+! https://xenforo.com/community/resources/rellect-adblock-detector.2312/
+/rellect/AdblockDetector/handler.$~third-party,redirect=nooptext,important
+! https://forum.adguard.com/index.php?threads/21366/
+||b.slipstick.com/bmp/bmpjquery.js
+! https://forum.adguard.com/index.php?threads/bollywoodshaadis-com-anti-adb-windows.21328/
+bollywoodshaadis.com###ad_blocker
+! https://github.com/AdguardTeam/AdguardFilters/issues/4841
+@@||vidoza.net/js/pop.js
+! Graphiq owned sites https://forum.adguard.com/index.php?threads/planes-axlegeeks-com.21241/
+corporate.com,findthebest.com,findthecompany.com,findthedata.com,graphiq.com,platform.com#%#(function(o,a){o(window,"FTBAds",{get:function(){return a},set:function(b){a=b;o(a,"ads",{value:!1})}})})(Object.defineProperty);
+! https://forum.adguard.com/index.php?threads/21233/
+!+ NOT_OPTIMIZED
+||api.tinypass.com^$domain=dallasnews.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/4850
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=up-4ever.com
+@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=up-4ever.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/4840
+engineeringtoolbox.com##.adblo
+! wordpress theme https://mythemeshop.com/themes/ad-sense/
+adisteme.kz,adobevn.net,aggressivecars.com,allbluevr.com,androidcrush.com,applosungen.com,awamiweb.com,besthealthyguide.com,bhookedcrochet.com,biochemden.com,bloggingden.com,braininspired.net,business-solution.us,carapraktis.info,caratulasparacuadernos.com,catchmyjobs.com,ccna6.com,ccnav6.com,circuiteasy.com,conspatriot.com,dailyhealthkeeper.com,darmawan.my.id,dayoadetiloye.com,detutorial.com,diedit.com,dollsnews.com,dormir-moins-bete.com,download-album.com,duniaq.com,espiaresgratis.com,gamingguidetips.com,geekpeaksoftware.com,gennarino.org,gratiserotik.se,healthspiritbody.com,healthytotal.net,hightechbuzz.net,horamerica.com,howtorootmobile.com,inmigrantesenmadrid.com,insurancequotestip.com,kampusexcel.com,kimdirbu.com,lahuria.com,laivanduc.com,langsungviral.com,learn-automation.com,lifeblogid.com,liriklaguindonesia.net,masterdrivers.com,mjemagazine.com,mobilehardreset.com,mobilesreview.co.in,mstory.me,mypapercraft.net,mysemakan.com,newmoviesfun.com,nicecarsinfo.com,ofertasahora.com,onlinehealthsociety.com,orduh.com,organichealthcorner.com,otimundo.com,ovnihoje.com,parhaye.com,prdnews.com,quoteacademy.com,ricasaude.com,rwaag.org,sarungpreneur.com,satgobmx.com,shoemoney.com,smartphonehrvatska.com,soltvperu.com,ssante.com,sumberpendidikan.com,supportcanon.com,tatuajestatu.com,techcrack.net,teclane.com,tellynews.us,tipsdroidmax.com,topnaturaltips.com,topwebsitelists.com,trenddify.com,tutorialescomo.com,ultra4kporn.com,usefuldiys.com,vegrecetas.com,vidabytes.com,viralistics.com,wikigain.com,wisdomquotesandstories.com,yoemigro.com,zenfoneasus.com#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/4796
+||mangatail.com/sites/all/themes/newbird/js/adblock-checker.min.js
+||mangasail.com/sites/all/themes/newbird/js/acheck.min.js
+! https://forum.adguard.com/index.php?threads/adageindia-in-missed-ads-windows.20841/
+||gaia.adage.com/assets/js/min/BlockDetector.js^
+! https://forum.adguard.com/index.php?threads/liverpoolecho-co-uk.20590/
+||dashboard.tinypass.com/*/load^$third-party
+! https://forum.adguard.com/index.php?threads/20348/
+@@||outlookindia.com/*anti_ab.js$script
+@@||outlookindia.com$generichide
+! https://forum.adguard.com/index.php?threads/14368/
+gelbooru.com#%#window.abvertDar = 1;
+@@||gelbooru.com/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/23200
+@@||onlinemschool.com/script/ads.js
+@@||onlinemschool.com/script/ads1.js
+onlinemschool.com#@##oms_left
+@@||onlinemschool.com^$generichide
+! https://forum.adguard.com/index.php?threads/18766/
+jetload.tv#@##bannerad
+@@||jetload.tv/themes/flow/frontend_assets/js/advertisement.js
+! https://forum.adguard.com/index.php?threads/http-www-newsnow-co-uk.20278/
+newsnow.co.uk##.c-blockmsg
+! https://forum.adguard.com/index.php?threads/www-papergeek-fr.20281/
+papergeek.fr##.padb-enabled
+! https://forum.adguard.com/index.php?threads/20253/
+@@||streamlive.to^$generichide
+! https://forum.adguard.com/index.php?threads/im9-eu.20226/
+@@||tff.tf/popunder.js$domain=im9.eu
+! https://github.com/AdguardTeam/AdguardFilters/issues/4624
+bicycling.com,menshealth.com,prevention.com,rodalesorganiclife.com,rodalewellness.com,runnersworld.com,womenshealthmag.com#%#(function(c,b){Object.defineProperties(window,{dataLayer:c,dataLayer_gtm:c})})({set:function(a){a&&a[0]&&(a[0].AdBlockerDetected=!1);b=a},get:function(){return b},enumerable:!0});
+@@/securepubads.$script,other,~third-party,domain=bicycling.com|menshealth.com|prevention.com|rodalesorganiclife.com|rodalewellness.com|runnersworld.com|womenshealthmag.com
+@@.com/ads.$script,other,~third-party,domain=bicycling.com|menshealth.com|prevention.com|rodalesorganiclife.com|rodalewellness.com|runnersworld.com|womenshealthmag.com
+@@/pagead2.$script,other,~third-party,domain=bicycling.com|menshealth.com|prevention.com|rodalesorganiclife.com|rodalewellness.com|runnersworld.com|womenshealthmag.com
+@@/pubads.$script,other,~third-party,domain=bicycling.com|menshealth.com|prevention.com|rodalesorganiclife.com|rodalewellness.com|runnersworld.com|womenshealthmag.com
+! https://forum.adguard.com/index.php?threads/20180/
+@@||top1porn.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/4604
+@@||xda-developers-forum.blogspot.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/54746
+@@||googletagservices.com/tag/js/gpt.js$domain=citationmachine.net
+@@||cdn.springserve.com/assets/0/playerJS/chegg_unlocked_cm.js$domain=citationmachine.net
+@@||snippets.studybreakmedia.com/doubleclick/ads.js
+citationmachine.net#%#window.canRunAds = true;
+! https://github.com/AdguardTeam/AdguardFilters/issues/4578
+@@||sportbikerider.us^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/4513
+@@||adm.fwmrm.net/p/fox_live/AdManager.js^
+@@||player.foxdcg.com/*/js/playback.js?*^ad$xmlhttprequest,domain=fox.com
+! https://forum.adguard.com/index.php?threads/http-www-fordclub-eu.20043/
+fordclub.eu#@#.reklama
+! https://forum.adguard.com/index.php?threads/19724/
+@@||bsp.needrom.com/advert*.js
+! https://forum.adguard.com/index.php?threads/freelive365-com.19834/
+@@||freelive365.com/adblock.js^
+! https://forum.adguard.com/index.php?threads/19740/
+@@||bestlistofporn.com^$generichide
+! https://forum.adguard.com/index.php?threads/19735/
+@@||revdownload.com/*.php$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/4459
+@@||battlecats.spica-net.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/4143
+! https://forum.adguard.com/index.php?threads/%D0%A0%D0%B5%D1%88%D0%B5%D0%BD%D0%BE-http-www-allmusic-com.18598/
+allmusic.com,sidereel.com#%#(function(a){setTimeout=function(){var b="function"==typeof arguments[0]?Function.prototype.toString.call(arguments[0]):"string"==typeof arguments[0]?arguments[0]:String(arguments[0]);return/\[(_0x[a-z0-9]{4,})\[\d+\]\][\[\(]\1\[\d+\]/.test(b)?NaN:a.apply(window,arguments)}.bind();Object.defineProperty(setTimeout,"name",{value:a.name});setTimeout.toString=Function.prototype.toString.bind(a)})(setTimeout);
+! https://forum.adguard.com/index.php?threads/last-fm-anti-adblock-detection.13686/
+! https://forums.lanik.us/viewtopic.php?f=62&t=35213
+last.fm#%#(function(b,c){setTimeout=function(){var a=arguments[0];if("function"==typeof a&&/^function [A-Za-z]{1,2}\(\)\s*\{([A-Za-z])\|\|\(\1=!0,[\s\S]{1,13}\(\)\)\}$/.test(c.call(a)))throw"Adguard stopped a script execution.";return b.apply(window,arguments)}})(setTimeout,Function.prototype.toString);
+! ratemyprofessors.com - adblock detection
+@@||ratemyprofessors.com/assets/libs/adFrame_ads-*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/4362
+@@||upbitcoin.com^$generichide
+! https://forum.adguard.com/index.php?threads/13436/
+@@||ads2.contentabc.com/ads?spot_id=$domain=8muses.com,xmlhttprequest
+@@||8muses.com^$generichide
+8muses.com#$#a.t-hover iframe { position: absolute!important; left: -3000px!important; }
+! https://forum.adguard.com/index.php?threads/pokemonultimate-forumcommunity-net.18332/
+||forumfree.net/js/anti_adb.js
+! https://forum.adguard.com/index.php?threads/16928/
+@@||hdwall.us/js/adsbygoogle.js
+! Anti-adblock ads
+@@||traffic.adxprts.com/ads/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/4237
+! Reported: https://forums.lanik.us/viewtopic.php?f=64&t=35263
+sonichits.com#@#.right-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/4170
+@@/ad_top$domain=gamecopyworld.click,image
+! https://forum.adguard.com/index.php?threads/18340/
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js^$domain=zattoo.com
+! https://forum.adguard.com/index.php?threads/20675/
+@@||pubads.g.doubleclick.net/gampad/ad?$domain=nbc.com
+@@||tpc.googlesyndication.com/pagead/imgad?id=$domain=nbc.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/4182
+nbc.com#%#window.canRunAds = true;
+@@||nbc.com/generetic/scripts/ads.js
+! https://forum.adguard.com/index.php?threads/pornve-com-nsfw.18962/
+@@||fistfast.com/pop.js
+! https://forum.adguard.com/index.php?threads/18804/
+@@||superwall.us/js/adsbygoogle.js
+! https://forum.adguard.com/index.php?threads/18800/
+@@||file-upload.cc^$generichide
+! https://forum.adguard.com/index.php?threads/18447/
+@@||mp3fy.com^$generichide
+! https://forum.adguard.com/index.php?threads/14844/
+imagefap.com#@#[id][style*="width:"]
+! https://forum.adguard.com/index.php?threads/18426/
+@@||cam-archive.com/js/fuckadblock.js
+@@||cam-archive.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/3969
+@@||hdliveextra-a.akamaihd.net/*/showads*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/3925
+@@||msn.com/advertisement.ad.js
+! http://www.oregonlive.com/beavers/index.ssf/2016/12/oregon_state_moves_up_to_no_22.html#incart_river_home - Prevent detection and style removal
+||sp148.global.ssl.fastly.net^$redirect=nooptext
+! https://forum.adguard.com/index.php?threads/wstream-video.14711/
+wstream.video#$##divplayer { display: block!important; }
+wstream.video#$##noplayer { display: none!important; }
+! https://forum.adguard.com/index.php?threads/thesimsresource-com.16877/
+thesimsresource.com#%#window.sessionStorage.loadedAds = 3;
+! https://github.com/AdguardTeam/AdguardFilters/issues/58238
+@@||aranzulla.it/_adv/
+! https://forum.adguard.com/index.php?threads/javhdonline-com-nsfw.16116/
+@@||javhdonline.com^$generichide
+! Anti-adblock ads
+@@||traffichaus.com/scripts/banner-ad.js
+@@||traffichaus.com/scripts/*ad*.js$domain=hdzog.com
+! https://forum.adguard.com/index.php?threads/facebook-com.12519/
+@@||ad.atdmt.com/m/*account_id=*&source=cm&step=1^$domain=facebook.com|facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion
+! https://forum.adguard.com/index.php?threads/14760/
+! https://forum.adguard.com/index.php?threads/http-jav-720p-com-nsfw.20255/
+@@||dato.porn/js/pop.js|
+! https://github.com/AdguardTeam/AdguardFilters/issues/3762
+@@||einthusan.tv^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/3779
+@@||video-download.online/js/advertisement.js
+! https://forum.adguard.com/index.php?threads/17645/
+@@||imgwallet.com/advertisement.js
+! https://forum.adguard.com/index.php?threads/wired-com-adblock-detection.8268/
+@@||securepubads.g.doubleclick.net/gampad/ads?gdfp_req=1$domain=wired.com
+! https://forum.adguard.com/index.php?threads/17590/
+@@||football-lineups.com^$generichide
+! https://forum.adguard.com/index.php?threads/17447/
+@@.adcenter.$domain=indiansgetfucked.com
+@@||indiansgetfucked.com$generichide
+! vulture.com - anti-adblock message
+vulture.com###article > #bottom > div.nymab-response
+! https://forum.adguard.com/index.php?threads/16784/
+@@||urlex.org^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/3594
+@@||s0ft4pc.com^$generichide
+! https://forum.adguard.com/index.php?threads/16689/
+||cosplayjav.pl/wp-content/themes/cosplayjav/js/fuckadblock
+! https://forum.adguard.com/index.php?threads/16627/
+@@||ah-me.com^$generichide
+! https://forum.adguard.com/index.php?threads/16183/
+@@||gamenguide.com/common/js/common/ads.js
+||gamenguide.com*adbk
+! https://forum.adguard.com/index.php?threads/16187/
+||itechpost.com*adbk
+@@||itechpost.com/common/js/common/ads.js
+! https://forum.adguard.com/index.php?threads/16526/
+@@||cloudfront.net^*adframe.js$domain=webupd8.org
+@@||contextual.media.net/nmedianet.js$domain=webupd8.org
+@@||contextual.media.net/fcmdynet.js$domain=webupd8.org
+! https://forum.adguard.com/index.php?threads/16312/
+@@||media2.intoday.in/aajtak/$script
+! https://github.com/AdguardTeam/AdguardFilters/issues/3482
+theatlantic.com#@#.ad
+theatlantic.com#@#.sponsored
+! https://forum.adguard.com/index.php?threads/16242/
+/torrenttrackerlist.com\/(wp-content)\/(uploads)\/[a-zA-Z0-9]{10,}\/[a-zA-Z0-9]{10,}.js/
+! https://forum.adguard.com/index.php?threads/16173/
+@@||tehnotone.com^$generichide
+! https://forum.adguard.com/index.php?threads/15982/
+@@||livehindustan.com/*ad$script
+! https://forum.adguard.com/index.php?threads/15996/
+@@||s3.amazonaws.com/khachack/*.js$script,domain=ndtv.com
+! https://forum.adguard.com/index.php?threads/14313/
+@@||gadgets360.com/*ad$script
+! https://forum.adguard.com/index.php?threads/16112/
+zippymusic.co##.modal-bg
+! https://forum.adguard.com/index.php?threads/http-www-vipleague-co.15776/
+vipleague.tv###warningdiv + div[id][style]
+! https://forum.adguard.com/index.php?threads/www-lesechos-fr.15718/
+lesechos.fr#%#window.call_Ad = function() { };
+! https://github.com/AdguardTeam/AdguardFilters/issues/3254
+||s1.wp.com/*/ie_block_redirect.js$important,domain=indianexpress.com
+indianexpress.com#%#window.RunAds = !0;
+! sktorrent.net - adblock detection
+@@||sktorrent.net^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/3353
+@@||cdn.vidyomani.com/*/*ads*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/3354
+@@||paybis.com/assets/*/responsive/*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/3333
+@@||doridro.com^$generichide
+@@||doridro.com/forum/styles/FLATBOOTS/theme/images/logo.png
+! https://forum.adguard.com/index.php?threads/15454/
+@@||crawlist.net^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/3279
+@@||ad.crwdcntrl.net/*/callback=$domain=cityam.com
+@@||partner.googleadservices.com/gpt/pubads_impl_$domain=cityam.com
+@@||securepubads.g.doubleclick.net/gampad/ads$domain=cityam.com
+! https://forum.adguard.com/index.php?threads/15344/
+@@/advert.js$domain=radiostreamlive.com,~third-party
+! https://forum.adguard.com/index.php?threads/15316/
+@@||eenadu.net/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/3257
+theinquirer.net#%#window._r3z = {}; Object.defineProperties(window._r3z, { jq: { value: undefined }, pub: { value: {} } });
+@@||securepubads.g.doubleclick.net/gampad/ads$domain=theinquirer.net
+@@||partner.googleadservices.com/gpt/pubads_impl_$domain=theinquirer.net
+@@||ssl.cf3.rackcdn.com/Pub/*$domain=theinquirer.net
+@@||ssl.cf3.rackcdn.com/Ads/*$domain=theinquirer.net
+@@|http://*.theinquirer.net/$script
+! https://github.com/AdguardTeam/AdguardFilters/issues/3230
+@@://*.ico$domain=livenewschat.eu
+@@||adsatt.espn.starwave.com^$domain=livenewschat.eu,~script
+! https://forum.adguard.com/index.php?threads/15246/
+@@||sexwebvideo.com/js/ad*.js
+! https://forum.adguard.com/index.php?threads/15159/
+@@||javhdx.tv$generichide
+! https://forum.adguard.com/index.php?threads/14963/
+carandbike.com#@#.ad300
+! https://forum.adguard.com/index.php?threads/14965/
+@@||computerera.co.in^$generichide
+! https://forum.adguard.com/index.php?threads/14904/
+@@||katfile.com/js/*ad*.js
+! https://forum.adguard.com/index.php?threads/14756/
+@@||picrelated.com^$generichide
+!
+! https://forum.adguard.com/index.php?threads/14544/
+@@||static.cdn.web.tv/scripts/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/3097
+@@||ad.doubleclick.net/ddm/ad/*$domain=seekingalpha.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/3113
+@@||climatempo.com.br/climatempo/climatempo/js/vendor/detectadblock/
+! https://forum.adguard.com/index.php?threads/14464/
+@@||ad.doubleclick.net/ddm/ad/*$domain=wiltshiretimes.co.uk|gazetteandherald.co.uk|theboltonnews.co.uk|oxfordmail.co.uk|swindonadvertiser.co.uk|southwalesargus.co.uk
+! https://forum.adguard.com/index.php?threads/14337/
+beeg.com#@##ad-1
+beeg.com#@##ad-2
+! https://forum.adguard.com/index.php?threads/14287/
+spaste.com#%#//scriptlet('set-constant', 'adBlockDetected', 'false')
+! https://forum.adguard.com/index.php?threads/14288/
+@@||shink.in$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/3092
+@@||ad.doubleclick.net/ddm/ad/*$domain=familyhandyman.com
+@@||familyhandyman.com$generichide
+! https://forum.adguard.com/index.php?threads/14158/
+||kelleybbook.tt.omtrdc.net/m2/kelleybbook/mbox/ajax?mboxHost=
+! https://forum.adguard.com/index.php?threads/13867/
+@@||pagead2.googlesyndication.com/pagead/js/lidar.js$domain=freewarefiles.com
+@@||ad.doubleclick.net/favicon.ico$domain=freewarefiles.com
+! https://forum.adguard.com/index.php?threads/19712/
+@@/pop.js|$domain=pornve.com
+pornve.com#%#(function() { window.xRds = false; window.frg = true; window.frag = true; })();
+! https://forum.adguard.com/index.php?threads/13810/
+||connect.cointent.com^$domain=allaboutjazz.com
+! https://forum.adguard.com/index.php?threads/13801/
+@@||sharepirate.com^$generichide
+! https://forum.adguard.com/index.php?threads/13775/
+@@||livemint.com/_js/*ads
+! https://forum.adguard.com/index.php?threads/13754/
+@@||multiup.org/pop.js
+@@||myadcash.com/video_landing/js/jquery.inview.min.js$domain=multiup.org
+! https://forum.adguard.com/index.php?threads/13640/
+@@||rapidrar.com^$generichide
+! html.net - anti-adblock ads
+@@||ad.doubleclick.net/ddm/ad/*$domain=html.net
+! https://forum.adguard.com/index.php?threads/13593/
+bollywood.bhaskar.com#%#window.canABP = true;
+@@||bollywood.bhaskar.com/*ads*.js
+! https://forum.adguard.com/index.php?threads/13328/
+||businesstoday.in/ad-blocker.html
+! https://github.com/AdguardTeam/AdguardFilters/issues/2930
+@@||js.jansatta.com/ads_js.js
+! https://forum.adguard.com/index.php?threads/13277/
+seslimakale.com#@#.post-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/2926
+@@||thenextweb.com$generichide
+! https://forum.adguard.com/index.php?threads/lcpdfr-com.13294/
+lcpdfr.com#@##HouseAd
+! https://github.com/AdguardTeam/AdguardBrowserExtension/issues/335
+@@||thoaimedia.com^$generichide
+! https://forum.adguard.com/index.php?threads/13125/
+@@||adm.fwmrm.net/p/aetn_live/AdManager.swf$domain=fyi.tv
+@@||v.fwmrm.net/ad/p/1?$domain=cdn.watch.aetnd.com
+@@||ad.doubleclick.net/ddm/ad/*$domain=fyi.tv
+! https://forum.adguard.com/index.php?threads/12969/
+freewaresys.com##.xenOverlay
+freewaresys.com###exposeMask
+! https://forum.adguard.com/index.php?threads/7291/
+@@||seomafia.net^$generichide
+! https://forum.adguard.com/index.php?threads/12850/
+@@||sadeemapk.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/2828
+@@||xbox-store-checker.com/assets/js/*ads*.js
+! https://forum.adguard.com/index.php?threads/12663/
+||connect.cointent.com^$domain=pwinsider.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/116770
+@@||yandex.ru/ads/system/context.js$domain=investing.com
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=investing.com
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,important,domain=investing.com
+! https://forum.adguard.com/index.php?threads/12425/
+@@||partner.googleadservices.com/gpt/pubads_impl_$domain=indiatimes.com
+@@||tags.crwdcntrl.net/*?ns=_$domain=indiatimes.com
+@@||static.clmbtech.com/ad/commons/js/colombia_v2.js$domain=indiatimes.com
+! https://forum.adguard.com/index.php?threads/11977/
+||myabandonware.com/media/js/blckevent.js
+! https://forum.adguard.com/index.php?threads/12300/
+intoday.in##.adblocker-page
+! https://github.com/AdguardTeam/AdguardFilters/issues/2739
+@@||economictimes.com/*ads*/*.cms
+! https://forum.adguard.com/index.php?threads/12331/
+@@||financialexpress.com/wp-content/themes/vip/financialexpress/js/ads_js.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/2568
+timesofindia.indiatimes.com#%#AG_onLoad(function() { for (var key in window) { if (key.indexOf('_0x') == 0) { window[key] = []; } }; });
+! https://forum.adguard.com/index.php?threads/11823/
+@@||rapidgrab.pl^$generichide
+@@-template-ads/*$domain=rapidgrab.pl
+! https://forum.adguard.com/index.php?threads/12183/
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=jarochos.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/2638
+@@||hindustantimes.com/res/js/*ads*
+! https://forum.adguard.com/index.php?threads/11956/
+broadbandforum.co#%#AG_onLoad(function() { XenForo.rellect.AdBlockDetectorParams = {}; XenForo.rellect.AdBlockDetectorParams.loadScript = function() {}; });
+! https://forum.adguard.com/index.php?threads/11774/
+@@||vietget.net^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/2506
+businesstoday.in###adbocker_alt
+! https://forum.adguard.com/index.php?threads/10802/
+mma-core.com#%#var _st = window.setTimeout; window.setTimeout = function(a, b) { if(!/displayAdBlockedVideo/.test(a)){ _st(a,b);}};
+! https://github.com/AdguardTeam/AdguardFilters/issues/49716
+! https://github.com/AdguardTeam/AdguardFilters/issues/46103
+! https://github.com/AdguardTeam/AdguardFilters/issues/31457
+! https://forum.adguard.com/index.php?threads/17643/
+download.mokeedev.com#%#//scriptlet("set-constant", "adVerified", "false")
+download.mokeedev.com#%#//scriptlet("set-constant", "detectVerified", "false")
+download.mokeedev.com#%#(function(){var b=window.setTimeout;window.setTimeout=function(a,c){if(!/adsbygoogle instanceof Array/.test(a.toString()))return b(a,c)};})();
+@@||download.mokeedev.com/js/show_ads_impl.js$domain=download.mokeedev.com
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=download.mokeedev.com
+@@||pagead2.googlesyndication.com/pagead/osd.js$domain=download.mokeedev.com
+@@||download.mokeedev.com/ad*.php$generichide
+download.mokeedev.com#$#body ins.adsbygoogle { display: block!important; position: absolute!important; left: -3000px!important; }
+download.mokeedev.com#@#ins.adsbygoogle[data-ad-client]
+download.mokeedev.com#@#ins.adsbygoogle[data-ad-client]:not([data-matched-content-ui-type])
+! dasolo.org
+@@||js.adscale.de/getads.js:adscale_slot_id/$domain=dasolo.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/2557
+@@||wplocker.com/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/2508
+! https://github.com/AdguardTeam/AdguardFilters/issues/2534
+intoday.in#@#.ad_banner
+intoday.in#@#.right-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/2561
+bournemouthecho.co.uk###__nq__hh
+@@||ad.doubleclick.net/ddm/ad/*$domain=bournemouthecho.co.uk
+! https://forum.adguard.com/index.php?threads/11577/
+@@||play-old-pc-games.com/wp-content/plugins/agreeable-vacation/assets/js/advertisement.min.js
+! https://forum.adguard.com/index.php?threads/11437/
+thefreedictionary.com#$#div[class][id] > a > img:not([src^="http"]) { height: 1px; }
+thefreedictionary.com#$#div[class][id][style="height: auto;"] { position: absolute!important; left: -3000px!important; }
+! https://forum.adguard.com/index.php?threads/11281/
+audioboom.com##divDIV[class="pam white tc"]
+@@||directapk.net/themes/flow/frontend_assets/js/advertisement.js
+! https://forum.adguard.com/index.php?threads/10793/
+pizap.com#%#AG_onLoad(function() { window.showAdBlock = function() {}; });
+! https://forum.adguard.com/index.php?threads/12853/
+allmusic.com#$#.advertising { position: absolute!important; left: -3000px!important; }
+! https://forum.adguard.com/index.php?threads/11076/ [BlockAdBlock]
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=ifate.com
+! https://forum.adguard.com/index.php?threads/mackie100projects-altervista-org-adblock-detected.10971/
+||mackie100projects.altervista.org/wp-content/uploads/*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/2284
+mocospace.com#@#.dfp_ad
+! https://forum.adguard.com/index.php?threads/10701/
+@@||wallpapershome.com/scripts/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/955
+@@||thevideo.me/js/jspc.js?ab
+! https://forum.adguard.com/index.php?threads/10386/
+@@||maxcheaters.com^$generichide
+! https://forum.adguard.com/index.php?threads/10133/
+@@||receivesmsonline.net/ads.js
+! https://forum.adguard.com/index.php?threads/10087/
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js^$domain=blackbird.zoomin.tv
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/2039
+@@||b.scorecardresearch.com/b$domain=cravetv.ca
+@@||platform.twitter.com/oct.js$domain=cravetv.ca
+@@||googleadservices.com/pagead/conversion_async.js$domain=cravetv.ca
+! https://forum.adguard.com/index.php?threads/9777/
+@@||nuggad.net^$domain=sportdeutschland.tv
+! https://forum.adguard.com/index.php?threads/9742/
+@@||iptvcanales.com^$generichide
+! http://forum.adguard.com/showthread.php?10797
+keybr.com##div[class^="Supporter"]
+! http://forum.adguard.com/showthread.php?10564
+slacker.com#$#body > header { margin-top: 0!important; }
+slacker.com###leaderboard
+! miuipro.ru - prevent download firmware
+@@||miuipro.ru/advert.js
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1877
+@@||wpmienphi.com^$generichide
+! http://forum.adguard.com/showthread.php?9998
+@@||liveonlinetv247.info/embed/$generichide
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1805
+@@||embedupload.com^$generichide
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1807
+theguardian.com##.js-adblock-sticky
+! http://forum.adguard.com/showthread.php?9768
+@@||mamahd.com^$generichide
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1738
+||macos-app.com/wp-content/uploads/an-temp/
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1702
+kissanime.to#%#AG_onLoad(function() { for (var key in window) { if (key.indexOf('DoDetect') == 0) { window[key] = function() { }; } }; });
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1580
+birminghammail.co.uk#%#window.checkState = function() {};
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1697
+@@||kingofshrink.com^$generichide
+! http://forum.adguard.com/showthread.php?9268
+@@||genbird.com^$generichide
+! http://forum.adguard.com/showthread.php?9288
+@@||cdn.cpmstar.com/cached/js/advertisement.js
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1589
+@@||appdn.net/wp-content/plugins/chilly-pot/assets/js/advertisement.min.js
+@@||appdn.net^$generichide
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1541
+@@||filespace.com^$generichide
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1509
+pch.com###sfad-wrapper
+pch.com###sfad-greyback
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1356
+@@||biggestplayer.cachefly.net/ad300.html
+@@||biggestplayer.cachefly.net/cricad.html
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1416
+||thinkcomputers.org/wp-content/uploads/an-temp/
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1373
+liberallogic101.com#@##sidebar_ad_1
+liberallogic101.com#@##text-37
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1310
+@@||educationcanada.com/js/advertisement.js
+@@||educationcanada.com/js/blockadblock.js
+@@||educationcanada.com^$generichide
+@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=educationcanada.com
+educationcanada.com#%#AG_onLoad(function() { window.TestPage = function() {}; });
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1217
+cultofmac.com##.adblock-notification-wrapper
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1207
+@@||partner.googleadservices.com/gpt/pubads_impl_$domain=cwtv.com
+! http://forum.adguard.com/showthread.php?8295
+@@||uploadshub.com^$elemhide
+! http://forum.adguard.com/showthread.php?7533
+@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=cleodesktop.com
+@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=cleodesktop.com
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1129
+@@||dozenofelites.com^$elemhide
+! http://forum.adguard.com/showthread.php?8092
+@@||uploadex.com^$elemhide
+! http://forum.adguard.com/showthread.php?7639
+@@||kissanime.to/ads/madads.aspx
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/918
+marketwatch.com#@#div[id="ad_DisplayAd"]
+marketwatch.com#@#.advertisement
+! http://forum.adguard.com/showthread.php?7551
+apkdot.com##.downloadCountdown
+! http://forum.adguard.com/showthread.php?7533
+cleodesktop.com#$#div[id="myTestAd"] { height: 1px!important; }
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/880
+@@/scripts/adv.js$domain=securenetsystems.net
+! http://forum.adguard.com/showthread.php?7001
+zippymoviez.cc###h97e
+! http://forum.adguard.com/showthread.php?6948
+pornhub.com,pornhub.org,pornhub.net###abAlert
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/774
+dayt.se#$##synpit { height:1px!important; }
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/727
+@@||cdn.needrom.com/advert*.js
+! http://forum.adguard.com/showthread.php?6501
+pixiz.com###adblock-detected
+! http://forum.adguard.com/showthread.php?6409
+@@||appzdam.net^$elemhide
+! http://forum.adguard.com/showthread.php?6415
+@@||techonthenet.com/javascript/advert-min.js
+! http://forum.adguard.com/showthread.php?6126
+||xsportnews.com/wp-content/uploads/an-temp/
+! http://forum.adguard.com/showthread.php?5714
+||z0r.de/inc/adb.js
+! http://www.comss.ru/disqus/page.php?id=1888#comment-2054564210
+bitcoinspace.net#%#window.canRunAds = true;
+foxfaucet.com#%#window.setTimeout=function() {};
+! http://forum.adguard.com/showthread.php?5563
+microimg.biz#%#window.setTimeout=function() {};
+! http://forum.adguard.com/showthread.php?5575
+@@||dlh.net/public/js/advertisement.js
+@@||dlh.net/_application/modules/Standard/Adv/assets/advertisement.js
+! zippymoviez.com - disable anti-block
+zippymoviez.com#%#window.setTimeout=function() {};
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/540
+incredibox.com###bbox-fd
+incredibox.com###box-abp
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/527
+@@||4shared.com/show_ad
+! http://forum.adguard.com/showthread.php?5363
+nitroflare.com#@#div[style="width: 728px; height: 90px; text-align: center;"]
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/431
+@@||pubads.g.doubleclick.net/gampad/ads?adk=$domain=viki.io
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/436
+/abb-msg.js$domain=hardocp.com
+! uptobox.com
+||static.uptobox.com/adunblock/
+! batoto.net
+batoto.net###topa
+! http://forum.adguard.com/showthread.php?1278
+! hyperspeeds.com - http://forum.adguard.com/showthread.php?1355
+hyperspeeds.com##body #d315
+! http://forum.adguard.com/showthread.php?1444
+drivermax.com#$#.ad-block-enabled { visibility: hidden; }
+||solidice.com/js/sneaky.js
+! n8fanclub.com
+n8fanclub.com##body > center[id]
+n8fanclub.com##body > i[id]
+n8fanclub.com##body > p[id]
+n8fanclub.com##body > strong[id]
+! anti-adblock
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/239#issuecomment-66791045
+labnol.org##.adsbygoogle > img
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/372
+doulci.net#@##adlabel
+doulci.net#@##advertbox3
+doulci.net#@##bottomAd
+doulci.net#@##mini-ad
+doulci.net#@##rightAd
+doulci.net#@##sky_advert
+doulci.net#@##top_ad_game
+doulci.net#@#.rightAd
+! http://forum.adguard.com/showthread.php?4598
+tamilmovierockers.net###j401
+tamilmovierockers.net#$##j401 ~ * { display: block!important; }
+! http://forum.adguard.com/showthread.php?3165
+dirtstyle.tv##.lightbox
+! http://www.wilderssecurity.com/threads/adguard-for-chrome-open-beta-test.362760/page-13#post-2472504
+inoreader.com#%#AG_onLoad(function() { window.adb_detected = function() {}; });
+inoreader.com#%#var adb_detected = function() {};
+! https://github.com/AdguardTeam/AdguardFilters/issues/2241
+! admitad ad block checker
+@@||ad.admitad.com/3rd-party/advert.js
+@@||ad.admitad.com/3rd-party/*/cookie/?f=CookieChecker.remoteTest
+! https://github.com/AdguardTeam/AdguardFilters/issues/111850
+bigbrothercanada.ca#%#//scriptlet('set-constant', 'video_player_config.players.0.adblock', 'false')
+!-------------------------------------------------------------------------------!
+!------------------ Banner sizes -----------------------------------------------!
+!-------------------------------------------------------------------------------!
+!
+! This section contains the list of popular banner sizes.
+! Rules should be generic.
+!
+! Good: ##iframe[width="100%"][height="90"]
+! Bad: example.org##iframe[width="100%"][height="90"] (should be in specific.txt)
+!
+##embed[width="100%"][height="100"]
+##embed[width="120"][height="240"]
+##embed[width="160"][height="600"]
+##embed[width="240"][height="400"]
+##embed[width="468"][height="60"]
+##embed[width="600"][height="160"]
+##embed[width="728"][height="90"]
+##iframe[width="100%"][height="90"]
+##iframe[width="100%"][height="120"]
+##iframe[width="104"][height="464"]
+##iframe[width="200"][height="240"]
+##iframe[width="200"][height="300"]
+##iframe[width="210"][height="237"]
+##iframe[width="240"][height="350"]
+##iframe[width="240"][height="400"]
+##iframe[width="468"][height="60"]
+##iframe[width="600"][height="90"]
+##iframe[width="728"][height="90"]
+##iframe[width="780"][height="120"]
+##iframe[width="980"][height="90"]
+##img[width="240"][height="400"]
+##img[width="240px"][height="400px"]
+##img[width="460"][height="60"]
+##img[width="468"][height="60"]
+##img[width="600"][height="90"]
+##img[width="720"][height="90"]
+##img[width="728"][height="90"]
+!-------------------------------------------------------------------------------!
+!------------------ Foreign rules ----------------------------------------------!
+!-------------------------------------------------------------------------------!
+!
+! This section contains the list of rules that are supposed to work on websites we have no language-specific filter for yet.
+!
+! Good: any type of the rules will be good
+! Bad: @@||example.org^$stealth (should be in AdGuard Base - allowlist_stealth.txt)
+!
+!
+!---------------------------------------------------------------------
+!------------------------------ Albanian -----------------------------
+!---------------------------------------------------------------------
+! NOTE: Albanian
+! https://github.com/AdguardTeam/AdguardFilters/issues/156360
+rtklive.com##.text-center > a[target="_blank"] > img
+||rtklive.com/sq/marketing/files/$image
+! https://github.com/AdguardTeam/AdguardFilters/issues/154356
+telegrafi.com##.code-block
+telegrafi.com##.leaderboard
+! https://github.com/AdguardTeam/AdguardFilters/issues/70771
+syri.net##div[id^="rekl-"]
+||syri.net/marketing/a.php?
+@@||syri.net/uploads/syri.net/images/*/300x150_*.jpg
+!
+joq-albania.com,joqalbania.com##div[data-adunit]
+joq-albania.com,joqalbania.com##div[class^="adunit-"]
+joq-albania.com,joqalbania.com##.boost-list-container a[href^="https://aa.boostapi.net"]
+joq-albania.com,joqalbania.com#?#.boost-list-container > [style] > [class]:has(> a[href^="https://aa.boostapi.net"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/172716
+! https://github.com/AdguardTeam/AdguardFilters/issues/126142
+! https://github.com/AdguardTeam/AdguardFilters/issues/53545
+filma24.*###vidad
+filma24.*##center > a[target="_blank"] > img
+filma24.*##.watch-movie > .widgets > .widget > h2
+filma24.*#?#.watch-movie > .movie-info[style]:has(> center > a[target="_blank"])
+||filma24.*/f24-ytb-v*.js
+||youtube.com/embed/*?*&origin=*.filma24.*&widgetid$domain=filma24.*,important
+||filma24.*/kazino*.gif
+||i.imgur.com^$domain=filma24.*
+! https://github.com/AdguardTeam/AdguardFilters/issues/22556
+@@||videotekaime.net/uni/popunder.js|
+videotekaime.net#%#window.ad_permission = "OK";
+! https://github.com/AdguardTeam/AdguardFilters/issues/17139
+||gjc.gjirafa.com^
+gjirafa.com##div[id^="an-holder-"]
+!
+||teksteshqip.com/imgz/ads/336.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/12509
+@@||videotekaime.com/uni/popunder.js
+!---------------------------------------------------------------------
+!------------------------------ Arabian ------------------------------
+!---------------------------------------------------------------------
+! NOTE: Arabian
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/189206
+cinema-3d.xyz##.popSc
+cinema-3d.xyz#%#//scriptlet('abort-on-property-write', 'checkAdsStatus')
+! https://github.com/AdguardTeam/AdguardFilters/issues/183251
+shamra.sy#@#.AdsBox
+shamra.sy#%#//scriptlet('prevent-setTimeout', '.offsetHeight')
+! https://github.com/AdguardTeam/AdguardFilters/issues/182298
+||rolpenszimocca.com^
+! https://github.com/AdguardTeam/AdguardFilters/issues/181020
+androidonepro.com##.popSc
+androidonepro.com#%#//scriptlet('abort-on-property-write', 'checkAdsStatus')
+! https://github.com/AdguardTeam/AdguardFilters/issues/180572
+flixscans.net##.adblock
+! https://github.com/AdguardTeam/AdguardFilters/issues/180552
+news-724.com#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/179687
+egybest.fun#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/uBlockOrigin/uAssets/issues/23394
+@@||cimanow.cc/wp-content/themes/Cima%20Now%20New/Assets/js/gpt.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/176859
+||faselhd.center/v.mp4
+! https://github.com/AdguardTeam/AdguardFilters/issues/176030
+@@/openads.js$domain=cnvids.com|cimanow.cc
+! https://github.com/AdguardTeam/AdguardFilters/issues/175963
+technoarabi.com#@#ins.adsbygoogle[data-ad-slot]
+technoarabi.com#@#[data-advadstrackid]
+technoarabi.com#@#[data-adblockkey]
+technoarabi.com#@#[data-ad-width]
+technoarabi.com#@#[data-ad-module]
+technoarabi.com#@#[data-ad-manager-id]
+technoarabi.com#@#.sidebar-ad
+technoarabi.com#@#.ad-slot
+technoarabi.com#@#.Ad-Container
+! https://github.com/AdguardTeam/AdguardFilters/issues/175443
+lesite24.com##div[id^="pum-"][data-popmake*="ads"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/177741
+! https://github.com/AdguardTeam/AdguardFilters/issues/173657
+$script,third-party,domain=faselhd.cafe|faselhd-watch.shop,badfilter
+$third-party,xmlhttprequest,domain=faselhd.cafe|faselhd-watch.shop,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/172834
+nabd.com##div[id^="nb-ad-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/171153
+||go4kora.tv/assets/js/script_antiAdBlock_*.js
+! Anti Ad Blocker Code by elsabagh (usually sport streams sites)
+livekoora.info#%#//scriptlet('abort-on-property-write', 'checkAdsStatus')
+! https://github.com/AdguardTeam/AdguardFilters/issues/168547
+||img4kora.com/assets/js/script_antiAdBlock_*.js
+go4kooora.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/165699
+aresnov.org###floatcenter
+! https://github.com/AdguardTeam/AdguardFilters/issues/165179
+benacer-techpro.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/164225
+news-724.com###divOfx
+@@||cdn1.img4kora.com/assets/js/clever_ads.js
+news-724.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/163323
+elktob.online#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com/pagead/js/adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/163074
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,domain=n-egy.best
+n-egy.best#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/159832
+gouit.blogspot.com#$##pbt { display: none !important; }
+gouit.blogspot.com#$#body { overflow: auto !important; }
+gouit.blogspot.com#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/158627
+witanime.org##center > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/157742
+yalla-shoots.tv##.demand-supply
+! https://github.com/AdguardTeam/AdguardFilters/issues/157475
+elconsolto.com##.leaderboardDiv
+! https://github.com/AdguardTeam/AdguardFilters/issues/157527
+masrawy.com###ShiftHP
+masrawy.com###ElconsoltoHP
+masrawy.com##.waya
+! https://github.com/AdguardTeam/AdguardFilters/issues/156122
+yokugames.com##body > a[target="_blank"]
+yokugames.com,cimaramadan.site##a[id^="ad"][target="_blank"]
+yokugames.com,cimaramadan.site#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/169754
+! https://github.com/AdguardTeam/AdguardFilters/issues/158742
+faselhd-embed.scdns.io,faselhd.*###popup
+! https://github.com/AdguardTeam/AdguardFilters/issues/155001
+akw.cam,ak.sv#%#//scriptlet('prevent-addEventListener', 'click', 'clicking')
+! https://github.com/AdguardTeam/AdguardFilters/issues/154217
+akhbarelyom.com##div[class^="desktop-add_"] center a:not([href*="akhbarelyom.com/"])
+akhbarelyom.com##div[class^="desktop-add_"] center a:not([href*="akhbarelyom.com/"]):first-child + img
+akhbarelyom.com##div[id^="Ads-"]
+akhbarelyom.com##center > img[style="height: 300px; width: 300px;"]
+akhbarelyom.com##p > img[style="width: 300px; height: 250px;"]
+akhbarelyom.com#?#.internal-sidebar > div.row > div.col-md-12:not(:has(> script[src^="https://akhbarelyom.com/"])):not(:has(> div.Newsmost-reads))
+||youtube.com/embed/$domain=akhbarelyom.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/153221
+egybist.online,n-egy.best,egybist.site,egy-best.site##body > a[target="_blank"]
+egybist.online,n-egy.best,egybist.site,egy-best.site#%#//scriptlet('prevent-window-open')
+egybist.online,n-egy.best,egybist.site,egy-best.site#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+!
+kooora.com###LeaderboardCont
+kooora.com###MPU
+kooora.com##.nbanner
+kooora.com##.headerTop
+kooora.com###bottom_mpu
+kooora.com##div[data-page-type="independent_ad_hp"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/151810
+iprom.pics#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/151335
+shahidpro.net#%#//scriptlet('remove-attr', 'href', 'a[href]#clickfakeplayer')
+! https://github.com/AdguardTeam/AdguardFilters/issues/150943
+azoranov.com##div[id^="teaserad"]
+azoranov.com##div[id^="sticky-ads-az-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/148402
+lisanarb.com#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'adsbygoogle.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/148581
+youm7.com###id-custom_banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/142993
+aitnews.com###sidebar-primary-sidebar > div.widget:not([id^="bs-mix-listing-"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/170555
+! https://github.com/AdguardTeam/AdguardFilters/issues/142021
+lib-books.com,books-lib.net##.adsenseHome
+lib-books.com,books-lib.net##.BookAdsSide
+lib-books.com,books-lib.net#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/141626
+dimakids.com##.adblock-wrapper
+||dimakids.com/popunder.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/141094
+series4pack.com###blc-wrap
+series4pack.com#%#//scriptlet("abort-current-inline-script", "mMcreateCookie")
+! https://github.com/AdguardTeam/AdguardFilters/issues/175152
+! https://github.com/AdguardTeam/AdguardFilters/issues/174866
+! https://github.com/AdguardTeam/AdguardFilters/issues/173591
+! https://github.com/AdguardTeam/AdguardFilters/issues/170759
+! https://github.com/AdguardTeam/AdguardFilters/issues/168477
+! https://github.com/AdguardTeam/AdguardFilters/issues/159669
+! https://github.com/AdguardTeam/AdguardFilters/issues/150425
+! https://github.com/AdguardTeam/AdguardFilters/issues/148266
+! https://github.com/AdguardTeam/AdguardFilters/issues/148098
+! https://github.com/AdguardTeam/AdguardFilters/issues/158596
+! https://github.com/AdguardTeam/AdguardFilters/issues/140805
+! arabseed.ink, asd.quest
+reviewpalace.net,techplanet.cam,techland.live,gameplanet.cam,topgames.cam,techsoul.cam,gamehub.cam,gameland.click,gamestation.cam,gamezone.cam,gamesera.online,free-games.cam,top-games.live,gulftech.live,reviewhub.vip,reviewtech.me,pcreview.me###ad
+reviewpalace.net,techplanet.cam,techland.live,gameplanet.cam,topgames.cam,techsoul.cam,gamehub.cam,gameland.click,gamestation.cam,gamezone.cam,gamesera.online,free-games.cam,top-games.live,gulftech.live,reviewhub.vip,reviewtech.me,pcreview.me###adxbox
+reviewpalace.net,techplanet.cam,techland.live,gameplanet.cam,topgames.cam,techsoul.cam,gamehub.cam,gameland.click,gamestation.cam,gamezone.cam,gamesera.online,free-games.cam,top-games.live,gulftech.live,reviewhub.vip,reviewtech.me,pcreview.me##.div-over
+reviewpalace.net,techplanet.cam,techland.live,gameplanet.cam,topgames.cam,techsoul.cam,gamehub.cam,gameland.click,gamestation.cam,gamezone.cam,gamesera.online,free-games.cam,top-games.live,gulftech.live,reviewhub.vip,reviewtech.me,pcreview.me##div[id^="fixedban"]
+reviewpalace.net,techplanet.cam,techland.live,gameplanet.cam,topgames.cam,techsoul.cam,gamehub.cam,gameland.click,gamestation.cam,gamezone.cam,gamesera.online,free-games.cam,top-games.live,gulftech.live,reviewhub.vip,reviewtech.me,pcreview.me##body > #sticky
+reviewpalace.net,techplanet.cam,techland.live,gameplanet.cam,topgames.cam,techsoul.cam,gamehub.cam,gameland.click,gamestation.cam,gamezone.cam,gamesera.online,free-games.cam,top-games.live,gulftech.live,reviewhub.vip,reviewtech.me,pcreview.me##div[class^="adbn"][class*="wrap"]
+reviewpalace.net,techplanet.cam,techland.live,gameplanet.cam,topgames.cam,techsoul.cam,gamehub.cam,gameland.click,gamestation.cam,gamezone.cam,gamesera.online,free-games.cam,top-games.live,gulftech.live,reviewhub.vip,reviewtech.me,pcreview.me##div[class^="rts"][class*="-urts"]
+reviewpalace.net,techplanet.cam,techland.live,gameplanet.cam,topgames.cam,techsoul.cam,gamehub.cam,gameland.click,gamestation.cam,gamezone.cam,gamesera.online,free-games.cam,top-games.live,gulftech.live,reviewhub.vip,reviewtech.me,pcreview.me##div[class^="dr"][class*="-udr"]
+reviewpalace.net,techplanet.cam,techland.live,gameplanet.cam,topgames.cam,techsoul.cam,gamehub.cam,gameland.click,gamestation.cam,gamezone.cam,gamesera.online,free-games.cam,top-games.live,gulftech.live,reviewhub.vip,reviewtech.me,pcreview.me##body > div[class^="content"][class*="-block"]
+reviewpalace.net,techplanet.cam,techland.live,gameplanet.cam,topgames.cam,techsoul.cam,gamehub.cam,gameland.click,gamestation.cam,gamezone.cam,gamesera.online,free-games.cam,top-games.live,gulftech.live,reviewhub.vip,reviewtech.me,pcreview.me#%#//scriptlet('prevent-element-src-loading', 'script', '/profitsence\.com|pagead2\.googlesyndication\.com|doubleclick\.net|headerbidding\.ai/')
+reviewpalace.net,techplanet.cam,techland.live,gameplanet.cam,topgames.cam,techsoul.cam,gamehub.cam,gameland.click,gamestation.cam,gamezone.cam,gamesera.online,free-games.cam,top-games.live,gulftech.live,reviewhub.vip,reviewtech.me,pcreview.me#%#//scriptlet('prevent-fetch', 'method:HEAD')
+reviewpalace.net,techplanet.cam,techland.live,gameplanet.cam,topgames.cam,techsoul.cam,gamehub.cam,gameland.click,gamestation.cam,gamezone.cam,gamesera.online,free-games.cam,top-games.live,gulftech.live,reviewhub.vip,reviewtech.me,pcreview.me#%#//scriptlet('prevent-setTimeout', '/new Request[\s\S]*?Promise\.all[\s\S]*?\.status|function _0x|\.onerror/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/139730
+arabic-toons.com###ads-blocked
+arabic-toons.com#%#//scriptlet('abort-on-property-read', 'adsBlocked')
+! https://github.com/AdguardTeam/AdguardFilters/issues/138948
+||nope.xn--mgbkt9eckr.net/Ong5FQ7.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/137233
+kooora365.com##.quads-modal
+kooora365.com#%#//scriptlet("set-constant", "wpquads_adblocker_check_2", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/136596
+qa.opensooq.com##.adSearch
+! https://github.com/AdguardTeam/AdguardFilters/issues/132100
+hibapress.com##div[style^="width: 160px; height: 600px;"]
+hibapress.com###fixedbanner
+! https://github.com/AdguardTeam/AdguardFilters/issues/132013
+ozulscans.com##.lm-adblock-notfic-container
+ozulscans.com#%#//scriptlet('prevent-fetch', '/pagead2\.googlesyndication\.com|jubnaadserve\.com/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/129443
+m.kooora.com#?#.mainArticle > div.cx-content-part > strong > a[target="_blank"]:upward(3)
+! https://github.com/AdguardTeam/AdguardFilters/issues/129426
+taxielcima.live##html > iframe
+! https://www.chrohat.com/2018/08/Fix-Win-Restarts.html
+chrohat.com#$##adblock_msg { display: none !important; }
+chrohat.com#$#body { overflow: visible !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/128342
+||cdn.emarat-news.ae/wp-content/cache/min/1/wp-content/uploads/pum/pum-site-scripts.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/126388
+arabiaweather.com##.content-side-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/119043
+||cdn.statically.io/gh/Kaka4i-os/js/main/adblock.js$domain=peshdpatch.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/117859
+elbalad.news##.left-col > div[style="height:300px"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/117857
+filgoal.com##.ads
+filgoal.com##iframe[src*="sarmady.net/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/117858
+laroza.net###id-custom_banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/115948
+stardima.com##p[align="center"] > a > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/115761
+anime4up.*##center > a[rel="dofollow"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/113954
+farescd.com##.ads_five
+@@||mahimeta.com/networks/ad_code.php$domain=farescd.com
+farescd.com#%#//scriptlet("abort-current-inline-script", "mMcreateCookie")
+! https://github.com/AdguardTeam/AdguardFilters/issues/113862
+makyaje.com###nodata
+makyaje.com###adintop_interstitial
+makyaje.com#$##skipContent { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/113069
+beinmatch.*###sponsor
+beinmatch.*#%#//scriptlet("prevent-window-open", "!/home/")
+beinmatch.*#%#//scriptlet("abort-on-property-read", "S9tt")
+! https://github.com/AdguardTeam/AdguardFilters/issues/113045
+redirect.khsm.io,re.two.re,noon.khsm.io##.ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/112654
+||vga4a.com/wp-content/uploads/Horizon-Web-Banners*-x-*.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/112746
+egyfalcons.com#$#body { overflow: auto !important; }
+egyfalcons.com#$##adblock_msg { display: none !important; }
+egyfalcons.com#%#//scriptlet("abort-current-inline-script", "document.createElement", "adblock")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=egyfalcons.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/110574
+stardima.com##input[onclick^="parent.open("]
+! https://github.com/AdguardTeam/AdguardFilters/issues/108415
+cooldl.net##.post > div.pm
+! https://github.com/AdguardTeam/AdguardFilters/issues/108189
+egyshare.cc#%#//scriptlet("remove-attr", "href", "a[href]#clickfakeplayer")
+! https://github.com/AdguardTeam/AdguardFilters/issues/108133
+teamxnovel.com##.body-wrap > div[style^=" padding:50px "]
+! https://github.com/AdguardTeam/AdguardFilters/issues/104410
+||blob.cammpaign.com/popup.min.js$domain=xsanime.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/99343
+||player.octivid.com/*/video?*&custom_ads=$removeparam=custom_ads,domain=kooora.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/172244
+! https://github.com/AdguardTeam/AdguardFilters/issues/171857
+! https://github.com/AdguardTeam/AdguardFilters/issues/99417
+cimanowtv.com,cnvids.com,cimanow.cc#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+cimanow.cc#%#//scriptlet('set-constant', 'navigator.brave', 'undefined')
+cimanow.cc#%#//scriptlet("set-constant", "zJSYdQ", "true")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=nooptext,domain=cimanow.cc|cnvids.com|cimanowtv.com
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=cimanow.cc|cnvids.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/99034
+alwafd.news##center > a[href="#"]
+alwafd.news##.banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/98043
+aqweeb.com##.adsinsidepost
+aqweeb.com##.adhere
+! https://github.com/AdguardTeam/AdguardFilters/issues/97486
+fit-dz.blogspot.com##.sidebar-wrapper img[alt="ads"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/97208
+wifi4games.com#%#//scriptlet("prevent-window-open", "/include/redirect.php")
+wifi4games.com#%#//scriptlet('prevent-setTimeout', '/\!window\[[\s\S]*?String\.fromCharCode[\s\S]*?document\.createElement\("script"\)/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/95142
+!+ NOT_OPTIMIZED
+masrawy.com##.bgAd
+! https://github.com/AdguardTeam/AdguardFilters/issues/96581
+arblionz.online#%#//scriptlet("abort-on-property-read", "loadpopunder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/93997
+q84sale.com#%#//scriptlet("set-constant", "google_jobrunner", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/92743
+love-stoorey210.net#%#//scriptlet("abort-current-inline-script", "document.createElement", "adblock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/91410
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=asa3ah.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/90789
+||cdn.jsdelivr.net/gh/MohammadQt/Itheric/Auto.link.js
+iembra2or.com#%#//scriptlet("abort-current-inline-script", "document.createElement", "adblock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/90309
+magdyman.com#%#//scriptlet("abort-current-inline-script", "document.createElement", "adblock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/89344
+mangaalarab.com#%#//scriptlet("set-constant", "canRunAds", "true")
+@@||mangaalarab.com/app/js/ads-prebid.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/88506
+@@||cdn.plyr.io/*/plyr.svg$domain=akwam.*
+! https://github.com/AdguardTeam/AdguardFilters/issues/88255
+elbotola.com##.hero-pub
+! https://github.com/AdguardTeam/AdguardFilters/issues/87379
+||iranmodares.com/baner/
+! https://github.com/AdguardTeam/AdguardFilters/issues/85978
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=anime-king.com
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,important,domain=anime-king.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/85174
+bitcoinegypt.news#?#div[class="vc_wp_text wpb_content_element"] > .widget > .textwidget > p > .adsbygoogle:upward(4)
+! https://github.com/AdguardTeam/AdguardFilters/issues/83658
+go4kora.com###id-custom_banner
+||storage.de.cloud.ovh.net/v*/*/sarsor/avikingdynamic.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/82966
+anime-list16.site###najva-popup
+||anime-list16.site/ads/
+! https://github.com/AdguardTeam/AdguardFilters/issues/82968
+octanime.net##.adsense_section
+! https://github.com/AdguardTeam/AdguardFilters/issues/82841
+alrakoba.net##.stream-item-widget
+! https://github.com/AdguardTeam/AdguardFilters/issues/81533
+||googletagmanager.com/gtag/js$script,redirect=noopjs,important,domain=rotana.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/81136
+@@||almayadeen.net/Content/VideoJS/js/videoPlayer/VideoAds.js$domain=almayadeen.net
+almayadeen.net#%#//scriptlet("set-constant", "videojsIma", "noopFunc")
+almayadeen.net#%#//scriptlet("set-constant", "videojsContribAds", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/80614
+arabseed.*##.ads-aa
+arabseed.*##a[href^="https://bit.ly/"] > img
+||cdn.statically.io/img/arabseed.onl/*/wp-content/uploads/2020/12/*.gif$domain=arabseed.*
+! https://github.com/AdguardTeam/AdguardFilters/issues/75931
+animesanka.*###slot-ads-top-article
+! https://github.com/AdguardTeam/AdguardFilters/issues/74388
+@@||p.jwpcdn.com/player/*.js$domain=akwam.*
+! https://github.com/AdguardTeam/AdguardFilters/issues/95403
+! https://github.com/AdguardTeam/AdguardFilters/issues/73735
+akwam.*###Arpian-ads
+akwam.*##.ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/73417
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,important,redirect=googlesyndication-adsbygoogle,domain=flash-guide.com
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=flash-guide.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/72593
+almo7eb.com##div[id*="ads"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/72501
+alamelsyarat.net#@#.adscenter
+alamelsyarat.net###jm1
+alamelsyarat.net##.content-details-ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/71465
+imovie-time.cam##.advpop
+! https://github.com/AdguardTeam/AdguardFilters/issues/71294
+gulf-up.com###adblock_msg
+gulf-up.com#%#//scriptlet("abort-current-inline-script", "document.createElement", "adblock")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=noopjs,domain=gulf-up.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/70800
+@@||ajax.cloudflare.com/cdn-cgi/scripts/*/cloudflare-static/rocket-loader.min.js$domain=movizland.online
+! https://github.com/AdguardTeam/AdguardFilters/issues/70118
+! Fixes a long delay before video starts
+@@||cdn.cnn.com/ads/adfuel/adfuel-*.min.js$domain=arabic.cnn.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/69124
+movs4u.*#%#//scriptlet("remove-attr", "href", "a[href]#clickfakeplayer")
+! https://github.com/AdguardTeam/AdguardFilters/issues/163893
+! https://github.com/AdguardTeam/AdguardFilters/issues/67613
+shahid.mbc.net#%#//scriptlet('prevent-fetch', 'doubleclick.net/gampad/ads')
+! https://github.com/AdguardTeam/AdguardFilters/issues/107846
+okanime.tv###video-player-with-calque > #calque:empty
+okanime.tv#%#//scriptlet("abort-current-inline-script", "$", "ads-unbblock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/66068
+! https://github.com/AdguardTeam/AdguardFilters/issues/65871
+sydroid.co#?##sidepar > div.widget:has(> div.widget-content > ins.adsbygoogle)
+sydroid.co#?##sidepar > div.widget:has(> div.widget-content > script[type]:not([src]))
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=sydroid.co
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,important,domain=sydroid.co
+! https://github.com/AdguardTeam/AdguardFilters/issues/65714
+||economickey.com/wp-content/plugins/popup-builder/$script,stylesheet
+! https://github.com/AdguardTeam/AdguardFilters/issues/64113
+allkaicerteam.com###sidebar3 > #HTML19
+allkaicerteam.com#%#//scriptlet("abort-current-inline-script", "document.createElement", "adblock")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=noopjs,domain=allkaicerteam.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/61456
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=filgoal.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/59718
+@@||unpkg.com/aos@*/dist/aos.js$domain=xsanime.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/61410
+xxxnxx.org###fluid_nonLinear_myplay
+! https://github.com/AdguardTeam/AdguardFilters/issues/58726
+harmash.com#%#//scriptlet('prevent-setTimeout', '#ads_alert')
+! https://github.com/AdguardTeam/AdguardFilters/issues/57982
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=amni8.com
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=amni8.com,script,redirect=googlesyndication-adsbygoogle,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/56649
+lodynet.co##.Ad160
+! https://github.com/AdguardTeam/AdguardFilters/issues/76877
+! https://github.com/AdguardTeam/AdguardFilters/issues/58493
+kooora.com##.banner
+kooora.com##div[class^="cx-topnews-div"] > div[class^="cx-content-part"] > p[style="color: #949494;font-size: 12px;margin-top: 8px; display: flex;align-items: center; direction: ltr;"]
+kooora.com###big_MPU
+kooora.com#?#.cognativex-widget > div[class] > div.cx-topnews-div:has(> div.cx-content-part > p[style] > svg[data-icon="ad"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/52525
+harmash.com###hsoub_ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/49712
+arabseed.net##center > a[rel="nofollow"] > img
+arabseed.me,arabseed.net#%#//scriptlet("abort-on-property-read", "area51")
+! orangespotlight.com - antiadblock
+orangespotlight.com#%#//scriptlet("abort-on-property-read", "adBlockDetected")
+@@||cdnjs.cloudflare.com/ajax/libs/fuckadblock/3.2.1/fuckadblock.min.js$domain=orangespotlight.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/45355
+@@||cdn.statically.io/gh/koraonlinefans/koraonline/*/rmp-shaka.min.js$domain=kora-online.tv
+@@||cdn.radiantmediatechs.com^$domain=kora-online.tv
+@@||gstatic.com/cv/js/sender/v1/cast_sender.js$domain=kora-online.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/43401
+||deloplen.com^$redirect=nooptext,domain=eg.arblionz.tv,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/37579
+nabmovie.com#%#window.open=function(){};
+nabmovie.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/35921
+||aflamfree.top/tv/BoxO.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/34349
+! https://github.com/AdguardTeam/AdguardFilters/issues/33571
+! https://github.com/AdguardTeam/AdguardFilters/issues/33481
+alfajertv.com##div._ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/33114
+! https://github.com/AdguardTeam/AdguardFilters/issues/31678
+||cdn.jsdelivr.net/gh/tknobloog/nossir98@master/adblock/adblock%2B.js
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,important,domain=mikrotikafricaa.com
+!
+gerasanews.com###firstads_close_button
+! vidstream.to - https://github.com/AdguardTeam/AdguardFilters/issues/40013
+||deloplen.com^$csp=script-src 'none'
+! https://github.com/AdguardTeam/AdguardFilters/issues/30988
+@@||ads.farakav.com/group/*?uid=$domain=video.varzesh3.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/30662
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=abdoutech.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/28657
+! https://github.com/AdguardTeam/AdguardFilters/issues/27924
+@@||android4ar.com/wp-content/themes/style/assets/js/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/27880
+! https://github.com/AdguardTeam/AdguardFilters/issues/26933
+@@||upload.far7net.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/25523
+! https://github.com/AdguardTeam/AdguardFilters/issues/25281
+! https://github.com/AdguardTeam/AdguardFilters/issues/24150
+asia2tv.co###scpsec
+asia2tv.co###video-container
+||asia2tv.co/wp-content/themes/*/assets/js/adsvideos.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/22832
+@@||play.bokracdn.run/*/adsjs/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/22590
+! https://github.com/AdguardTeam/AdguardFilters/issues/22589
+sarayanews.com##[class^="adsSpacer"]
+sarayanews.com##div[class^="bestaAds_"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/21720
+myegy.cc##a[href^="https://firstbyte.pro"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/21321
+filfan.com#$#.feautred { background:none!important; }
+filfan.com##.topLeaderboardHome
+!+ NOT_OPTIMIZED
+filfan.com##div[class^="c-"] > .mr
+! https://github.com/AdguardTeam/AdguardFilters/issues/21322
+yallakora.com##.leaderboardDiv
+yallakora.com##.showcaseDiv
+! https://github.com/AdguardTeam/AdguardFilters/issues/134048
+! https://github.com/AdguardTeam/AdguardFilters/issues/23063
+! https://github.com/AdguardTeam/AdguardFilters/issues/20809
+!+ NOT_OPTIMIZED
+masrawy.com##.leaderboardDiv
+!+ NOT_OPTIMIZED
+masrawy.com##.showcaseDiv
+!+ NOT_OPTIMIZED
+masrawy.com##.monsterDiv
+!+ NOT_OPTIMIZED
+masrawy.com##.billboardDiv
+! https://github.com/AdguardTeam/AdguardFilters/issues/19544
+sigma4pc.com#%#//scriptlet("abort-current-inline-script", "document.addEventListener", "abisuq")
+! https://github.com/AdguardTeam/AdguardFilters/issues/18339
+hastidl.me##.main-sidebar > center
+hastidl.me##.container > center
+hastidl.me###shenavar
+hastidl.me##div[data-adtype]
+! https://github.com/AdguardTeam/AdguardFilters/issues/16364
+shahid.mbc.net#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links { display:block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/15984
+! https://github.com/AdguardTeam/AdguardFilters/issues/16089
+karwan.tv#%#//scriptlet("set-constant", "settings.adBlockerDetection", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/15323
+el7l.tv#%#(function(){var b=window.setTimeout;window.setTimeout=function(a,c){if(!/new Image\(\);s\.onerror=function/.test(a.toString()))return b(a,c)};})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/13999
+@@||ma-x.org^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/30773
+! https://github.com/AdguardTeam/AdguardFilters/issues/12334
+khaberni.com##div[class$="-banners"]
+khaberni.com#?#div:has(> img[src="https://www.khaberni.com/themes/default/images/open122x25.png"])
+||stackpathdns.com/uploads/banners_model^$third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/11587
+@@||arbwarez.com/wp-content/themes/jannah-NULLED/js/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/11254
+360kora.com#%#//scriptlet("abort-current-inline-script", "document.addEventListener", "abisuq")
+! https://github.com/AdguardTeam/AdguardFilters/issues/8204
+! https://github.com/AdguardTeam/AdguardFilters/issues/6957
+! https://forum.adguard.com/index.php?threads/www-raialyoum-com-android-google-chrome.23403/
+raialyoum.com##a[href="http://www.oxbridge-apartments.com/"] > img
+||raialyoum.com/images/adarabi.jpg
+||raialyoum.com/images/adenglish.jpg
+! https://forum.adguard.com/index.php?threads/missed-ads-on-two-news-sites.23389/
+ammonnews.net##[class^="bestaAds_"]
+! https://github.com/AdguardTeam/CoreLibs/issues/492
+!+ NOT_PLATFORM(windows, mac, android)
+gerasanews.com##[class^="adsSpacer"]
+!+ NOT_PLATFORM(windows, mac, android)
+gerasanews.com##[class^="bestaAds_"]
+!+ NOT_PLATFORM(windows, mac, android)
+gerasanews.com##.iads_border
+!
+qatarshares.com##.above_body > div#header+table[width="100%"][cellpadding="0"]
+adslgate.com##.smallfont > center > a > img
+adslgate.com##.smallfont a[href^="http://deals.souq.com/"]
+adslgate.com##.skyscraper-banner-right
+qatarshares.com##.above_body > table[width="100%"] a > img
+!---------------------------------------------------------------------
+!------------------------------ Armenian -----------------------------
+!---------------------------------------------------------------------
+! NOTE: Armenian
+!
+1in.am##.baner_zone_main
+1in.am##.header_logo_wrapper > div > a[href^="https://www.caucasus.am"][target="_blank"]
+||auto.am/static/azd/
+tiv1.am##.banner
+tiv1.am##.footer_absolute_banner
+tiv1.am##.itbanner
+||tiv1.am/wp-content/uploads/*/1200x240-
+||tiv1.am/gwd-banner/
+auto.am##.azd-top
+!---------------------------------------------------------------------
+!------------------------------ Azerbaijani --------------------------
+!---------------------------------------------------------------------
+! NOTE: Azerbaijani
+!
+! generic
+.az/banner/
+.az/reklamexport_
+##.ainsyndication
+az##.makerekframe
+!
+baku.ws##.banners-right
+modern.az##.wrap_top_bnr
+modern.az##.bnr_300_250
+konkret.az###media_image-13
+metbuat.az##div[style="margin-top: 10px; text-align: center"]
+||axar.az/meltem_ads.html
+||globalinfo.az/export/
+||buta.tv^$subdocument,third-party
+az24saat.org##.stream-item-widget
+az24saat.org##.stream-item
+big.az##.link8
+marja.az###iazw_ticker
+lent.az##.rek_baner_desktop
+lent.az##.rek_baner
+lent.az#$#.rek_header { display: none !important; }
+lent.az#$##header { top: 0px !important; }
+globalinfo.az##.mrg-tag
+globalinfo.az##a[target="_blank"][href] > img[alt$="-reklam"]
+buta.tv##ins[data-ad-slot]
+||cbcsport.az/assets_new/ads/
+arenda.az###popupFrame
+||arenda.az/public/banner/alanya/index.html
+caliber.az###adv
+caliber.az##div[style="height:302px;"]
+insider.az##.advertise-block
+insider.az##.content-img > a > img[alt="Top Banner"]
+||insider.az/banners/$image
+news.day.az##.mewtwo-flights--l
+day.az#$#header { min-height: 76px!important; }
+||mostbet-az90.com/upload/images/ref%20progr/
+ucuztap.az##.bh
+||cdn.edumap.az/cdn/ads/
+edumap.az##.single-post a[href^="https://bit.ly/"]
+axar.az##.smartbee-adv
+||axar.az/assets/adv/
+||teleqraf.com/informers/
+||bakupost.az/banner
+||buta.ws/axaraz
+news.milli.az##.quiz-holder > div[style^="margin"]
+news.milli.az##a[href][target="_blank"][style^="display: block; font-weight: bold;"]
+news.milli.az##.ad-holder + div.row
+fed.az##.hire-block
+modern.az##.top_rek_divs
+modern.az##.right_reklam
+modern.az##.middle_rek1_divs
+apa.az##.rek_banner
+apa.az##.rek_300x250
+apa.az#$#.rek_header { display: none !important; }
+apa.az#$#.rek_header ~ #header { top: 0 !important; }
+||apa.az/banner/
+report.az##.feed-col > div[style^="height:"]
+||player.bax.tv/vast/
+||player.bax.tv/vast/$xmlhttprequest,redirect=nooptext
+arenda.az,globalinfo.az,sfera.az,metbuat.az##.ainsyndication
+metbuat.az##.wh_box a[href="https://livescore.az"]
+replay.az##div[align="center"][style^="padding-top:"]
+||replay.az/share2.jpg
+qiymeti.net##.float-ad
+boss.az,turbo.az##.lotriver-top-banner
+||code.ainsyndication.com^
+kayzen.az##.Blocksmaster
+edumap.az##.textwidget > a[href] > img
+sherg.az##.orta_banner
+||sia.az/informers/
+sherg.az##img[width="500"][height="94"]
+||sherg.az/banner/
+||azedu.az/share/share.php
+sumqayitxeber.com###media_image-2
+||azedu.az/uploads/adds/
+||axsam.az/img/banner/
+axsam.az##.adsbymahimeta
+azadliq.az##img[width="1000"][height="110"]
+qarabazar.az##.left_banner
+birja-in.az##.right_banner
+alan.az##.rclm
+bul.az##body > div[style="margin: 0px auto; width: 1004px; height: 100px; margin-top: 20px;"]
+birja.com##body .left-banner
+birja.com##body .right-banner
+metbuat.az#?#body > .container.z-index-up:has(.z-index-up a[href][target="_blank"])
+||metbuat.az/images/xb984x155.gif
+sen.az#$#header#header { height: 50px!important; }
+sen.az##header#header > div[style^="margin-left:"][style*="margin-top:"]
+||amazingomgnews.ru/live.js^
+||ru.axar.az/axar.php$third-party
+||ikisahil.az/images/banner^
+ikisahil.az###gkTopMenu > .custom
+azertag.az##[href^="https://goo.gl"][target="_blank"] > img
+||gunaz.az/aa.swf
+gunaz.az##div[class^="aads"] > object
+xeberoxu.az##td[style="padding-left:10px;"] > a[target="blank"] > img
+statuslarim.com###HTML2
+statuslarim.com###HTML1
+yeniqadin.biz##div[class*="reklam"]
+lunar.az#?#.sagpanel div[class^="yenisb"]:contains(Reklam)
+lunar.az##body > div[style*="width: 990px;margin: 0px auto;background:"]
+lunar.az#?##dle-content > .fulltitle:has(div[id^="SC_TBlock_"])
+lunar.az##div[class$="areklam"]
+lunar.az##.tabbasliq > ul > .tabx > .tabSelected
+izle.az###mediarek
+||hizliresimyukle.com/images/2018/02/13/banner-1.jpg
+||525.az/site/dinamicbanner525_l_qolaz.php
+||mia.az/images/miabg
+mia.az##.logo_banner
+vol.az##.rightopenrek
+apa.tv##.centerbanner
+||apa.tv/iframe/worldcaspianipack/index.php
+||apa.tv/iframe/980x100_asan_radio/iframe.html
+||p.jwpcdn.com/*/vast.js$domain=apa.tv,important
+vol.az##a[href="http://mp3.big.az/zengimcell"].btn
+banco.az##.lr-banner
+banco.az##.menu-banners
+banco.az##.row-10 > .col-6 > a[href].btn
+||xeberler.az/ckfinder/userfiles/images/
+metbuat.az#$#.tnav { margin-top: auto!important; }
+||yenicag.az/wp-content/themes/_city-desk/baner_c/
+arenda.az##.kurs_banner
+||azvision.az/banners/
+||apa.az/iframe/
+olke.az##.horBanner
+||olke.az/iframes/
+yenicag.az##.adv-post-inner
+yenicag.az###sidebar .adsense
+||yenicag.az/files/uploads/2017/12/hatemoglu-winter.gif
+||yenicag.az/files/uploads/2017/09/18861517_1933284533593004_7482849296203644928_n.gif
+axar.az##.branding
+||bakuguide.com/rek/
+big.az##a[href="http://unvan.az"]
+sonxeber.az##.makerekframe
+||yeniemlak.az/img/banner/
+yeniavto.az##a[href^="../?id=5&sehife="] > img
+yeniavto.az##img[width="170"][height="240"]
+vol.az##.sag > .basliq4[style="display: none !important;"] + .bolmeici
+vol.az##.topdareklam
+wikibit.me##div[id^="adv"]
+mp3.feat.az#?#.sidebarfull > .sidebox2:has(>.side-t > div[align="center"] > span:contains(Reklam))
+||i.hizliresim.com/1J2pQB.png
+cebhe.info#?#.sidebar > .box_outer:has(> div.widget > h3 > div.box_outer > div.widget > h3.widget_title:contains(Reklam))
+||qaynarinfo.az/theme/frontend/q/style/default/banner/
+||i.hizliresim.com/01326B.gif
+atv.az##[style*="margin-top: 10px"] > object[height="102"]
+||gununsesi.info/wp-content/uploads/*/virtual_road_300_200.gif
+day.az##.ad-240x400
+day.az###top_adv_links
+||milli.az/informers/$third-party
+||fins.az/banners/
+||azvision.az/turan/akkord5.gif
+||azvision.az/turan/500-100.png
+||azvision.az/turan/*.jpg
+||metbuat.az/site/informer$third-party
+bakupost.az##.news-viewer-item-content > iframe
+||bakupost.az/theme/frontend/y/style/default/images/300-200.gif
+||bakupost.az/theme/frontend/y/style/default/images/whatsApp.jpeg
+||bakupost.az/theme/frontend/y/style/default/images/2017-yeni-satis-sertleri_KVADRAT.jpg
+||ikisahil.az/iframe/banner
+||azvision.az/qafqaza/qafqazinfo.php$third-party
+daytube.az##.advertise_row
+7news.az,ann.az##.sidebarbanner
+avtosfer.az##.banner
+forgenc.net##div[class*="widget_alx_"]
+||qaynarinfo.az/images/banner
+||autonet.az/bannerler
+autonet.az##.banner_slide_first > div#slides
+autonet.az#$#header#header { height: auto!important; max-height: 400px!important; }
+||salamnews.org/files/*_645x60_gif_az.gif
+||medianews.az/ru/e/exp-minval.php$third-party
+minval.az##iframe[src="http://medianews.az/ru/e/exp-minval.php"]
+||icmal.az/theme/frontend/icmal/style/default/banner/
+publika.az##.adv-horizontal
+||azpolitika.info/wp-content/themes/internationalpost-singlepro/ss/
+musavat.com##.banner
+||minval.az/reklam_iframe*.php
+||axar.az/musavat.php$third-party
+||tr.minval.az/e/musavat.php$third-party
+||aktual.az/musavat$third-party
+xanim.az###myrekopen
+xanim.az##body > a[href="http://unvan.az"][target="_blank"]
+||xanim.az/banner/
+xanim.az###rightmenu > a[href="http://mp3sayt.az"]
+||moderator.az/rus_banner.html
+||gununsesi.info/banner/$third-party
+asanradio.az##.col-md-12 > .panel.panel-info > br
+asanradio.az##.col-md-12 > .panel.panel-info > a[href][target="_blank"] > img
+||asanradio.az/apa_baner/
+||azvision.az/qafqaza/olke.php^$third-party
+||olke.az/qaynar.html^$third-party
+axar.az###ptop > div[style^="float:left; width:330px; height:90px;"]
+axar.az###ptop > div[style^="float:left; width:500px; height:100px;"]
+||publika.az/axar.php^$third-party
+||axar.az/axar*.php^$domain=axar.az
+||teleqraf.com/axar_out_*.php^$third-party
+||sherg.az/axar/$third-party
+goal.az##.rads__right
+||goal.az/uploads/promotion/
+||movqe.az/informer_*.php$third-party
+azerbaycan24.com##.ad-inner-wrap
+||azerbaycan24.com/wp-content/uploads/*/on-off-electronics_n.gif
+||teleqraf.com/publika.php^$third-party
+||axar.az/publika*.php^$third-party
+||publika.az/informers/$third-party
+7news.az##iframe#disableIframeBanner
+||bizimxeber.az/banner
+||femida.az/baner/rek*.php
+femida.az##.news-st > .addthis_native_toolbox ~ br
+||yenicag.az/wp-content/themes/_city-desk/baner_b/
+||salamnews.org/files/atabank-az.png
+||sia.az/assets/images/iqtibas.png
+anews.az##div[id^="reklam"]:not(.small-sidebar)
+||anews.az/theme/frontend/annaz/style/default/banner/
+||metbuat.az/html5_ads/
+sfera.az###reklamdesktop
+sfera.az##.row > .col-lg-12 > div[style="overflow-x: auto;padding:15px;text-align:center;border:1px solid #dedede;border-radius:5px;background:#e8e8e8;margin-bottom:15px;"]
+arenda.az##.banner_side
+arenda.az##.center2 > a[href].bann
+||arenda.az/public/css/img/banner_for_rieltor.gif
+||arenda.az/ba.html
+||marja.az/banners/
+yenicag.az##.ad-manager
+||yenicag.az/files/uploads/2017/09/turkiye-banner-ev.gif
+yenicag.az##a[href="http://www.yenicag.az/company/advertising/"] > img
+yenicag.az##.main-content-class > div.main-inner-pad[style="margin-bottom:15px!important;"]
+infocity.az##.mkdf-header-banner-widget
+infocity.az##a[href="http://ganja.marathon.az/"]
+||code.adsgarden.com/js/adsgarden.js
+az.baku.ws##iframe[src^="http://ad.adriver.ru/"]
+sfera.az,az.baku.ws##iframe[src^="https://ad.adriver.ru/"]
+mp3.run.az###dle-content > .full > .sect
+bina.az##.crm-top
+apasport.az##.header-rek
+apasport.az###right_rek
+apasport.az##.center_rek
+sportarena.az##tbody > tr > td[align="center"][valign="middle"][height="100"]
+sportinfo.az##.craiBanner
+||apa.tv/apatv2sport$subdocument,domain=apasport.az
+||rekord.az/images/aaafpark.swf
+||emlak.az/images/banners/
+||dashinmazemlak.az/images/banner
+||digital.newmedia.az/web/web_page_2.html
+qan.az##div[style="text-align: center"] > b > br+b+a[href^="http://qan.az/chat/simaz/go.php?id="]
+||bizplus.az/wp-content/themes/Newsmag-child/banners/
+bizplus.az##.td_block_widget > a[href^="https://goo.gl/"] > img
+||goal.az/informer.html
+metbuat.az##.col-sm-8 > [class="wh_box hidden-sm hidden-xs"]
+||azvision.az/qafqaza/680.php
+||cebhe.info/reklam
+||7news.az/*.html$third-party
+mp3.big.az##.blockreklam
+||olke.az/banners/
+metbuat.az##.row > div[class="col-sm-8 col-md-9 col-lg-9"] > div[class="wh_box"]
+metbuat.az##.row > div[class="col-sm-4 col-md-3 col-lg-3"] > div[class="scrool_news hidden-xs hidden-sm"]
+||big.az/unvanexp.php^
+||azadliq.az/ads/
+||www.azadliq.az/ozaramizdibanner.jpg
+||www.azadliq.az/turkiyekitabsifarisim.png
+||bizimyol.info/az/wp-content/uploads/*-ads-*.png
+bizimyol.info##.textwidget > [style="text-align:center;"] > a[href][target="_blank"]
+xeberler.az##a[href="http://hesab.az"]
+||xeberler.az/new/960x100/960x100.html
+||xeberler.az/new/images/eventsbanner.jpg
+olkem.az##.k192.fl.aciksari > .bar.bosluk > .baslik.yesil
+day.az##.bTop
+apa.az##.right_side > .row.bb.uni_b
+milli.az##.large-ad-holder
+milli.az###main > [style="clear: both; background: #dadada; margin: -38px 0 20px 0;"]
+turbo.az,tap.az##.bg-bnr-container
+tap.az###js-lotriver-top-banner
+feat.az##div[class^="reklam"]
+||qafqazinfo.az/banners/
+||qafqazinfo.az/public/site/js/adsbyskyline.js^
+sonxeber.az,big.az##.blk_rek
+sonxeber.az##.blk_rekinline
+sonxeber.az##body > a[href="http://unvan.az"][target="_blank"]
+boss.az##.bnr-top
+||bizimyol.info/azz_rightads.html
+bizimyol.info##.site > div[style^="width:"][style*="1010px"]:first-of-type
+bizimyol.info##.sagqanad > div[style*="250px;"][style*="300px;"]:nth-of-type(-n+2)
+qafqazinfo.az##a.visible-lg
+qafqazinfo.az##div[id^="sag-banner-"]
+||salamnews.org/files/ENERGY_az.jpg
+||faktinfo.az/wp-content/themes/fakt/images/banner
+modern.az##.manshet_adds_bottom
+modern.az##.manshet_adds
+||modern.az/uploads/banner/
+modern.az##.head_content_top
+modern.az#$#.wrapper_cont > div.head { height: auto!important; }
+saglamolun.az##.wallpreklamsag
+||qaziler.az/rek/
+saglamolun.az##div[id^="banner"]
+avtosfer.az##.top_banners
+avtosfer.az##.bnr0
+||avtosfer.az/upload/banner/
+valyuta.com###bannerInvest
+||baku.ws/banners
+az.baku.ws##.main_top_banners
+az.baku.ws##.bottom_banner
+baku.ws##.ban_mac
+||turbo.az/r/
+bina.az###central_banners
+||avtosfer.az/banner*_
+avtosfer.az##iframe[src^="http://avtosfer.az/banner"]
+||avtosfer.az/banner240x
+avtosfer.az##div[class^="bannerArea"]
+||avtosfer.az/banners/
+||unvan.az/banner
+legend.az##.bantop
+||legend.az/banners/
+legend.az##.fban
+||saglamolun.az/images/banners/
+olke.az##iframe.mom_visibility_desktop
+||medianews.az/export/*.php
+||az.qaynarinfo.az/banner*.php
+||qafqazinfo.az/milliaz.html
+milli.az##.ad-back
+olke.az##.modal.in
+olke.az##.modal-backdrop.in
+olke.az##div[style$="height: 90px; text-align: center"]
+||olke.az/ads/
+lent.az##body > div[style="margin:0 auto;height:86px;width:990px;"]
+||apa.tv/test/banners/
+||vesti.az/site/vestiiframe3lentaz
+||bizimyol.info/azzz_
+anspress.com##.ans-adv-block
+trend.az###header > div > div[id^="TREND_slot"]
+bax.tv##.mejs__baxtv_midroll
+bax.tv,cebhe.info,az##.adsgarden
+azpolitika.info,az##.adsbyskyline
+! https://github.com/AdguardTeam/AdguardFilters/issues/13766
+/^https:\/\/banker\.az\/wp-content\/uploads\/[0-9]{4}\/[0-9]{2}\/[0-9]{3}x[0-9]{3}\./$domain=banker.az
+banker.az##.sticky_left_banner
+banker.az##.sticky_right_banner
+banker.az#%#//scriptlet('set-constant', 'td_ad_background_click_link', '')
+! https://github.com/AdguardTeam/AdguardFilters/issues/13110
+weather.day.az#$##navigation { top: 0!important; }
+weather.day.az###DAY_Slot_Weather_Top_1000x120
+weather.day.az#$##navigation-sticky-wrapper+header { margin-top: auto!important; }
+! https://forum.adguard.com/index.php?threads/http-www-1news-az.26222/
+! https://github.com/AdguardTeam/AdguardFilters/issues/134307
+1news.az##.topbanner
+1news.az#$#.banners_sm { display: none!important; }
+1news.az#$#.redline { top: 0!important; margin-top: 0!important; }
+1news.az#$#.left { margin-top: 65px!important; }
+1news.az#$#.right { margin-top: 65px!important; }
+! https://forum.adguard.com/index.php?threads/https-news-day-az.26219/
+day.az#$#div.b-topres { top: 0!important; }
+day.az#$#div#service { margin-top: 50px!important; }
+! https://forum.adguard.com/index.php?threads/http-take-az.25344/
+take.az#%#//scriptlet('set-constant', 'makePopunder', 'noopFunc')
+! https://forum.adguard.com/index.php?threads/https-news-milli-az.25236/
+milli.az##.ad-text_line
+milli.az#$#header > .nav-holder2 { top: 0!important; }
+milli.az#$#header > .info-panel2 { margin-top: 43px!important; }
+! https://forum.adguard.com/index.php?threads/http-feat-az.22519/
+feat.az#%#document.cookie="popunder=1; path=/;";
+! https://forum.adguard.com/index.php?threads/3-missed-ads-1.22522/
+apa.az#$##pushmodal { display: none!important; }
+apa.az#$#.modal-backdrop.fade.in { display: none!important; }
+apa.az#$#body.modal-open { overflow: visible!important; padding-right: 0!important; }
+! https://forum.adguard.com/index.php?threads/http-olke-az.18883/
+olke.az#$##top_banner_A {display:none!important;}
+olke.az#$#body.trans { margin-top:100px!important; }
+olke.az#$##content_block > .header { top: 0!important; }
+olke.az#$#.wrapper { top: 0!important; }
+!---------------------------------------------------------------------
+!------------------------------ Belgian ------------------------------
+!---------------------------------------------------------------------
+! NOTE: Belgian
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/39799
+@@||videoplayer.persgroep.be/v*/player/ad_smartads_.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/27989
+@@||medialaancdn.be^$generichide
+@@||v.fwmrm.net/ad/g/1$domain=medialaancdn.be
+! https://forum.adguard.com/index.php?threads/flair-be.19224/
+@@||flair.be/js/default/*_jq.$script
+!---------------------------------------------------------------------
+!------------------------------ Bengali ------------------------------
+!---------------------------------------------------------------------
+! NOTE: Bengali
+!
+/img/ads/*$domain=kivabe.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/174117
+||prothomalo.com/static-*a0d$subdocument
+||prothomalo.com/icc-worldcup-2023-countdown$subdocument
+! https://github.com/AdguardTeam/AdguardFilters/issues/167336
+! https://github.com/AdguardTeam/AdguardFilters/issues/165177
+itvbd.com##.widget_text_inner div:not([class],[id]) a[target="_blank"]:not([href*="youtube.com"]) > img
+itvbd.com##a[href^="https://www.bkash.com/"] > img
+itvbd.com###widget_626
+! https://github.com/AdguardTeam/AdguardFilters/issues/162667
+haal.fashion#?#div:has(> div > div > div.dfp-ad-unit)
+! https://github.com/AdguardTeam/AdguardFilters/issues/150880
+channel24bd.tv##.stickyAds
+channel24bd.tv##a[target="_blank"] > img[title="Advertisement"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/146068
+!+ NOT_OPTIMIZED
+ekattor.tv##.ads
+!+ NOT_OPTIMIZED
+ekattor.tv###banner0
+! https://github.com/AdguardTeam/AdguardFilters/issues/130260
+!+ NOT_OPTIMIZED
+rtvonline.com##.text-center > a[target="_blank"] > img
+!+ NOT_OPTIMIZED
+rtvonline.com##.adfinix-ad
+! https://github.com/uBlockOrigin/uAssets/issues/22628
+iamgujarat.com,eisamay.com,samayam.com,vijaykarnataka.com,indiatimes.com##.wdt-taboola
+iamgujarat.com,eisamay.com,samayam.com,vijaykarnataka.com,indiatimes.com##.advertorialwrapper
+iamgujarat.com,eisamay.com,samayam.com,vijaykarnataka.com,indiatimes.com##div[class="news-card col4"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/123650
+! https://github.com/AdguardTeam/AdguardFilters/issues/182081
+inews.zoombangla.com##.a-wrap
+inews.zoombangla.com##.post-content > div[class^="code-block code-block-"]:has(> div[style="height:335px;width:100%;"])
+inews.zoombangla.com##div[style]:has(> pubguru[data-pg-ad])
+! https://github.com/AdguardTeam/AdguardFilters/issues/111938
+||prothomalo.com/ad-codes/
+prothomalo.com##div[class*="_ad__"]
+prothomalo.com##div[class*="__middle-ad__"]
+prothomalo.com##div[class*="__ad-wrapper__"]
+prothomalo.com##.multipurposeComponent-m__base__EbwQF
+prothomalo.com##div[class*="_ads_"]
+prothomalo.com##div[class*="_ad-slot-"]
+prothomalo.com##div[class*="_ad_"] > a
+! https://github.com/AdguardTeam/AdguardFilters/issues/111188
+kalerkantho.com#?#.details > .some-class-name2 > p[style*="font-size:"]:contains(/^বিজ্ঞাপন$/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/101405
+||cdn.jamuna.tv/ksrm$image
+! https://github.com/AdguardTeam/AdguardFilters/issues/101408
+prothomalo.com##div[class^="blank-m__adslot-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/98124
+banglatribune.com##.mobiledesktop_sticky
+banglatribune.com##div[id^="BT_Inner_R"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/96284
+techtunes.io##body .tAds_MediumBillboard
+techtunes.io#?#section.grey > .d-flex.justify-content-center > .tAds:upward(1)
+! https://github.com/AdguardTeam/AdguardFilters/issues/94823
+bdjobs.com##.single-promo
+! https://github.com/AdguardTeam/AdguardFilters/issues/79261
+||lastnewsbd.com/proposed.gif
+lastnewsbd.com##.banner
+lastnewsbd.com###top-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/79259
+||ejjdin.com/img/one_bank.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/72955
+prothomalo.com##div[class^="breakingNewsSlider-m__ad-bottom"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/55418
+bartamanpatrika.com##.mybot-adcover
+bartamanpatrika.com##.superBanner_970X70
+bartamanpatrika.com##.pageAdBanner_300X255 img
+||bartamanpatrika.com/userfiles/ADs/
+! https://github.com/AdguardTeam/AdguardFilters/issues/51817
+prothomalo.com##.advertisement
+prothomalo.com##.news_inner_spcl_ad
+prothomalo.com##a[href^="https://unilever3.demdex.net/"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/46957
+prothomalo.com##.common_google_ads
+prothomalo.com##a[href^="http://bit.ly/"][target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/46316
+banglanews24.com#%#//scriptlet('abort-current-inline-script', '$', '#myModal')
+! https://github.com/AdguardTeam/AdguardFilters/issues/36588
+/banner/*.gif$domain=ebdpratidin.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/41233
+!
+!---------------------------------------------------------------------
+!------------------------------ Burmese ------------------------------
+!---------------------------------------------------------------------
+! NOTE: Burmese
+!
+fofmyanmar.com##div[style*="text-align: center;"] > a > img[style="width: 100%; height: auto"]
+fofmyanmar.com##center > a[rel="noopener noreferrer"] > img
+!
+!---------------------------------------------------------------------
+!------------------------------ Croatian -----------------------------
+!---------------------------------------------------------------------
+! NOTE: Croatian
+!
+||a.mabipa.com^
+||klik-slider.morgancode.com^
+||linker.hr^
+||lupon.media^
+||redakcija.alo.rs^
+||traffic.styria.hr^
+||widget.admiral.hr^
+||widgets.jutarnji.hr^
+||widget.marktjagd.de^
+vecernji.hr##div[data-client="vecernji_hr_spotlight"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/178958
+hercegovina.info##.banner-placeholder
+hercegovina.info##.banner-space
+hercegovina.info##.banner-placeholder-side
+! https://github.com/AdguardTeam/AdguardFilters/issues/173898
+net.hr##.VoyoSlider_container
+net.hr##div[class*="__ads-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/171304
+dalmatinskiportal.hr##.ad-click-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/167246
+danas.hr##div[class^="article__ads"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/166074
+glasistre.hr#?#.row:has(> div[class^="col-"] > style + div > div > div.ponuda)
+! https://github.com/AdguardTeam/AdguardFilters/issues/165826
+! https://github.com/AdguardTeam/AdguardFilters/issues/160496
+! https://github.com/AdguardTeam/AdguardFilters/issues/162237
+zadarskiportal.com##.bn-content
+zadarskiportal.com##body .lebox-ready
+! https://github.com/AdguardTeam/AdguardFilters/issues/160497
+espreso.co.rs##body .ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/160487
+net.hr#?#article > div[class^="css-"]:has(> span.SlotContainer_title:contains(Tekst se nastavlja ispod oglasa))
+! https://github.com/AdguardTeam/AdguardFilters/issues/153730
+danas.hr#?#div[class^="css-"]:has(> div[id^="slot_content_d-billboard"])
+danas.hr#?#.cls_frame:has(> div[class^="css"] > div.Wallpaper_container)
+danas.hr#?#.Sidebar_aside > div[class^="css-"] > div[class^="css-"]:has(.SlidingWrapper_wrapper)
+! https://github.com/AdguardTeam/AdguardFilters/issues/153148
+net.hr##.category__ads-listing
+net.hr###head_aside
+net.hr###might_be_interested_and_ad + div[class^="css-"]
+net.hr##.groupWrapper > div[class^="css-"] > div[class^="css-"][style^="display:flex;"]:not([data-upscore-zone])
+net.hr###sliding_wrapper
+net.hr##div[style="padding:0;margin:0;position:relative;width:100%;height:100%"]
+net.hr##div[style="display: flex; flex-direction: column; align-items: center; justify-content: center; align-self: stretch; padding: 0px; margin: 0rem -0.9375rem;"]
+net.hr#?#.cls_frame:has(> div[class^="css-"] > div.Wallpaper_container)
+net.hr#?#.cls_frame:has(> div[class^="css-"] > iframe[title="admiral-widget"])
+net.hr#?#.cls_frame:has(> div > iframe[title*="banner"])
+net.hr#?##might_be_interested_and_ad > div#desktopScaleDown:has(> div[class^="css-"] a[id^="placeholder_container_"])
+net.hr#?##jos_iz_rubrike_wrapper + div[class^="css-"]:has(> div[class^="css-"] a[id^="placeholder_container_"])
+net.hr#?#.sectionTitle_wrapper ~ div[class^="css-"]:has(> div[class^="css-"] a[id^="placeholder_container_"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/150036
+jockantv.com###Toast1
+jockantv.com###Dialog1
+jockantv.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/149285
+||traffic.styria.hr^
+||widget.admiral.hr^
+vecernji.hr##.single-article__row--top-offer
+! https://github.com/AdguardTeam/AdguardFilters/issues/149276
+rezultati.com##.detailLeaderboard
+! https://github.com/AdguardTeam/AdguardFilters/issues/147456
+index.hr#?#.categories > div.cube-holder:has(> div[data-css-class="google-box center-aligner"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/142030
+story.hr#$#.pg-story-page div.c-wallpaper-ad-wrapper { display: none!important; }
+story.hr#$#.pg-story-page div.wallpaper-help-wrapper { top: 60px !important; }
+||adriamediacontent.com/js/pubjelly/main/pubjelly.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/140888
+danas.hr#?#main > div > div.intextAdIgnore:has(> div > h1 > span:contains(Više s weba))
+! https://github.com/AdguardTeam/AdguardFilters/issues/140344
+||eph-adsjutarnji.cdn.sysbee.net^
+! https://github.com/AdguardTeam/AdguardFilters/issues/140015
+telegram.hr#?#.relative.center:has(> div.banner-slot)
+! https://github.com/AdguardTeam/AdguardFilters/issues/140242
+danas.hr##.Slot_placeholder
+danas.hr#?#div[class^="css-"]:has(> .Slot_content:only-child)
+danas.hr#?#div[class^="css-"]:has(> span.Slot_title:first-child + .Slot_content:last-child)
+danas.hr#?#.intextAdIgnore:has(> div[class^="css-"]:only-child > .Slot_content:only-child)
+! https://github.com/AdguardTeam/AdguardFilters/issues/156555
+! https://github.com/AdguardTeam/AdguardFilters/issues/148286
+! https://github.com/AdguardTeam/AdguardFilters/issues/139960
+tportal.hr##.kaufland-w
+tportal.hr#$#.gpElementAdvertising { display: none !important; }
+tportal.hr#%#//scriptlet("remove-class", "advertisingActive", "div.gpElement.hasSidebarBanner")
+tportal.hr#%#//scriptlet('json-prune', 'options.displayBannerAfterEntry')
+tportal.hr#%#//scriptlet('set-constant', 'Object.prototype.displayBannerAfterEntry', 'emptyObj')
+! https://github.com/AdguardTeam/AdguardFilters/issues/139959
+bloombergadria.com##.banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/138837
+novilist.hr##.more-news
+novilist.hr##.addBlock
+! https://github.com/AdguardTeam/AdguardFilters/issues/138832
+n1info.hr##.banner-promotion
+! https://github.com/AdguardTeam/AdguardFilters/issues/137033
+slobodnadalmacija.hr##.container--break
+slobodnadalmacija.hr##.item__ad-center
+! https://github.com/AdguardTeam/AdguardFilters/issues/126889
+zagreb.info##.td-is-sticky div[align="center"] > a > img
+zagreb.info##.td-ss-main-sidebar div[align="center"] > a > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/170809
+! https://github.com/AdguardTeam/AdguardFilters/issues/124162
+||sultanovic.info/?*%$script
+sultanovic.info#%#//scriptlet('set-constant', 'uShowAdBanner', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/109934
+jutarnji.hr##.position_item_right_01_top
+jutarnji.hr##.position_item_textend_top
+jutarnji.hr##.container--break[class*="break_"]
+||widgets.jutarnji.hr/instar/index.html
+jutarnji.hr##.lidl.products
+jutarnji.hr##.feroterm.products
+jutarnji.hr##.promo_heading_fix img
+! https://github.com/AdguardTeam/AdguardFilters/issues/91918
+!+ NOT_OPTIMIZED
+mondo.me##.js-gpt-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/81294
+gledajcrtace.xyz###header-wrap-reklama
+gledajcrtace.xyz###sidebar > #HTML8
+gledajcrtace.xyz###sidebar-two > #HTML4
+gledajcrtace.xyz###sidebar-two > #HTML5
+! https://github.com/AdguardTeam/AdguardFilters/issues/71161
+sveopoznatima.com#?##secondary > aside:has(> div.widget-header > h3:contains(/Marketing|Sponzorisano/))
+! https://github.com/AdguardTeam/AdguardFilters/issues/57692
+!+ NOT_OPTIMIZED
+||bug.hr/ads/
+! https://github.com/AdguardTeam/AdguardFilters/issues/29090
+eprevodilac.com##.oglasi_sredina
+! https://github.com/AdguardTeam/AdguardFilters/issues/24734
+njuskalo.hr#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/21440
+||kupujemprodajem.com/bShow.php^
+! https://github.com/AdguardTeam/AdguardFilters/issues/17278
+||subs.vingd.com^$third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/15699
+!+ NOT_OPTIMIZED
+mob.hr##.noa-banner > a
+!+ NOT_OPTIMIZED
+mob.hr###billboard_ad_container
+!+ NOT_OPTIMIZED
+||banner.mob.hr^
+!
+||mob.hr/h18.jpg
+||pcchip.hr/wp-content/uploads*BANNER
+mob.hr##.side_banner
+||mob.hr/blog/wp-content/uploads/noviupload/NOA-E1-BANNER
+||mob.hr^*-300x250.
+!---------------------------------------------------------------------
+!------------------------------ Czech and Slovakian ------------------
+!---------------------------------------------------------------------
+! NOTE: Czech and Slovakian
+!
+volnamista.cz##.MuiBox-root:has(> .MuiBox-root > .MuiBox-root > .sssp-posCont > div[data-cy="ad-content"])
+jablickar.cz#$?#a[id^="branding"] { remove: true; }
+rychlost.cz##.t-info-ban
+rychlost.cz##.t-info-ban + div[style]
+extra.cz##[data-advert-container]
+rychlost.cz##.t-ban
+olympijskytym.cz##div.bg-texture:has(> div[class^="ad-"])
+impuls.cz##.r-main
+! https://github.com/AdguardTeam/FiltersRegistry/pull/1007
+playzone.cz#%#//scriptlet('abort-on-stack-trace', 'Element.prototype.appendChild', 'loadAab')
+! https://github.com/AdguardTeam/AdguardFilters/issues/188761
+vareni.cz###cpex-remove-overflow
+vareni.cz###brand-a div[class^="sc-"] > div:not([class]):has(> div > a[class] > img[alt="Reklama"])
+vareni.cz###brand-a div[class^="sc-"] > div[class^="sc-"] > div[class^="sc-"]:has(> a[class] > img[alt="Reklama"])
+vareni.cz##div[class^="sc-"]:has(> div[class^="sc-"] > div[class^="sc-"] > div[id^="halfpage-"])
+vareni.cz##div[class^="sc-"]:has(> div[class^="sc-"] > div[class^="sc-"] > #sas-megaboard-wrapper)
+vareni.cz##div[class^="sc-"]:has(> div[class^="sc-"] > div[class^="sc-"] > div[id^="reklama-"])
+vareni.cz##div[class^="sc-"]:has(> a[class^="sc-"] > div[class^="sc-"] > div[class^="sc-"] > img[alt="Reklama"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/188762
+kupi.cz#@%#//scriptlet('ubo-aeld.js', 'beforeunload', '()')
+! https://github.com/AdguardTeam/AdguardFilters/issues/188644
+||ee.kukaj.me/aoa/$subdocument
+kukaj.me###bababa
+kukaj.me###gldprr
+kukaj.me#%#//scriptlet('abort-current-inline-script', 'addEventListener', '/script\.onload[\s\S]*?message[\s\S]*\.show\(\)/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/188646
+sledujfilmy.tv##.cez-video5
+sledujfilmy.tv#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/188473
+aeroweb.cz##.topboard
+! https://github.com/AdguardTeam/AdguardFilters/issues/188115
+slovaknet.sk###leftbar
+slovaknet.sk##iframe#ad365
+slovaknet.sk###right-top
+! https://github.com/AdguardTeam/AdguardFilters/issues/188070
+meteocentrum.cz###adform_leaderboard
+||storage.googleapis.com/adf-pmmm/impublishertag.repeater.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/188068
+tiscali.cz##body .bbtitle
+tiscali.cz###article-videoAd-wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/186448
+! https://github.com/AdguardTeam/AdguardFilters/issues/185657
+! TODO: remove when it will be fixed in EasyList Czech and Slovak
+@@||aktualne.cz/embed_iframe/$csp=child-src *
+! https://github.com/AdguardTeam/AdguardFilters/issues/184095
+lidovky.cz##body .r-main
+lidovky.cz###content > .col-a > #selfart-box > #selfart:has(> .r-body)
+! https://github.com/AdguardTeam/AdguardFilters/issues/183800
+fontech.startitup.sk###adform-branding-wrap-article
+fontech.startitup.sk##.widgets > div[id^="text-"]:has(> div.textwidget > div[id^="protag-"])
+fontech.startitup.sk##.widgets > div[id^="text-"]:has(> div.textwidget > div[id^="DESK_fon_"])
+||fontech.startitup.sk/wp-content/themes/fontech/js/ads_adform.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/181748
+digimanie.cz##.media-envelope > div.box:has(>ins.adsbygoogle)
+digimanie.cz##div[id] center:has(> div[style^="height:"] > div[class^="heureka-affiliate-"])
+digimanie.cz##div[id] div.box:has(> div[style^="height:"] > div[class^="heureka-affiliate-"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/181175
+playzone.cz##div[id^="ad_"]
+playzone.cz##div[id^="block-ad-sas-"]
+playzone.cz##.ad-sas-wrap
+@@||cz.mrezadosa.com^$xmlhttprequest,image,domain=playzone.cz
+||cz.mrezadosa.com^$image,redirect=2x2-transparent.png,domain=playzone.cz,important
+playzone.cz###ad-top-first
+playzone.cz###ad-top-second
+! https://github.com/AdguardTeam/AdguardFilters/issues/179552
+modelbazar.cz##div[style^="width:100%;max-width:"]
+modelbazar.cz##.ftra > div[style="height:280px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/179655
+hlavnespravy.sk##div[id^="admin-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/177220
+ewrc.cz#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/177079
+kuknews.com###fixedAdContainerV1
+! https://github.com/AdguardTeam/AdguardFilters/issues/176779
+bombuj.si#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/173513
+alza.sk##.gtm-promo-binded
+! https://github.com/AdguardTeam/AdguardFilters/issues/173564
+motorkari.cz##div[class][style="position:relative;z-index:50;"] > div[style="margin:auto;"] > [id]
+! https://github.com/AdguardTeam/AdguardFilters/issues/173418
+hlavnespravy.sk###bottom-nav > #text-29
+hlavnespravy.sk##div[id^="admin-"] > a[data-bid]
+! https://github.com/AdguardTeam/AdguardFilters/issues/173320
+! sssp
+sauto.cz#%#//scriptlet('json-prune', 'ads', 'requestId')
+sauto.cz##div[class^="c-ssp-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/171914
+extra.cz#@#.ads-desktop
+extra.cz#$#html > body.ads-adform { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/171502
+spite.cz##div[data-sda-slot]
+spite.cz##.sda-desktop
+! https://github.com/AdguardTeam/AdguardFilters/issues/169928
+hnonline.sk##.item__ad-center
+hnonline.sk##div[class^="position_break_"]
+hnonline.sk##div[class^="position_item_right_"]
+hnonline.sk#%#//scriptlet('json-prune', 'ads.*')
+! https://github.com/AdguardTeam/AdguardFilters/issues/169629
+media.cms.markiza.sk#%#//scriptlet('prevent-element-src-loading', 'script', 's2.adform.net')
+! https://github.com/AdguardTeam/AdguardFilters/issues/167656
+fdrive.cz##.bannerMN
+fdrive.cz##.bannerBillboard
+fdrive.cz#%#//scriptlet('set-constant', 'sssp', 'emptyObj')
+fdrive.cz#%#//scriptlet('set-constant', 'googletag.getVersion', 'trueFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/167595
+! TODO: remove the following rules if https://github.com/tomasko126/easylistczechandslovak/issues/422 is resolved.
+hlavnespravy.sk##.adblock-warning
+hlavnespravy.sk###text-37
+! https://github.com/AdguardTeam/AdguardFilters/issues/166600
+vosveteit.zoznam.sk###vosveteit_desktop_titulka_branding
+vosveteit.zoznam.sk##div[class^="code-block code-block-"][style^="margin: 8px auto; text-align: center;"]
+vosveteit.zoznam.sk##div[id^="ai_widget-"]
+vosveteit.zoznam.sk##.ad-block-recommended
+! https://github.com/AdguardTeam/AdguardFilters/issues/166669
+datashare.spravazeleznic.cz#%#//scriptlet('prevent-xhr', '/cms_ads.js')
+@@||datashare.spravazeleznic.cz/szdc-apps/theme-szdc/js/cms_ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/166204
+nextech.sk##.container > a[onclick^="storeClick"]
+nextech.sk##.promo-zone
+||nextech.sk/files/photo/*top.jpg
+||nextech.sk/files/photo/*left.jpg
+||nextech.sk/files/photo/*right.jpg
+nextech.sk##a[href^="https://www.canon.sk/offers/"]
+nextech.sk##.promo-zone
+! https://github.com/AdguardTeam/AdguardFilters/issues/165598
+nikee.net#?#td > div[style*="width:"]:has(> div[style]:contains(/Reklama|AONN.cz/))
+||alza.cz^$domain=nikee.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/165451
+idnes.cz##div[id^="fix-block-"]
+idnes.cz###r-super300
+idnes.cz###r-native
+idnes.cz##.r-main
+! https://github.com/AdguardTeam/AdguardFilters/issues/165521
+techbyte.sk##body .code-block
+! https://github.com/AdguardTeam/AdguardFilters/issues/165040
+jablickar.cz###ad_popup
+jablickar.cz#?#.content > p:has(> a[rel^="attachment"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/165054
+ireceptar.cz##.ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/164932
+cnews.cz##.design-advert-placeholder
+! https://github.com/AdguardTeam/AdguardFilters/issues/164722
+ekolist.cz##.reklama-rsticky
+! https://github.com/AdguardTeam/AdguardFilters/issues/164433
+zive.cz##.cnc-ads
+mobilmania.cz,zive.cz#%#//scriptlet('set-constant', 'pp_gemius_cnt', '1')
+zive.cz#@%#//scriptlet('ubo-aeld.js', 'beforeunload', '()')
+zive.cz#@%#//scriptlet('ubo-acis.js', 'window.addEventListener', ':visible')
+!mobilmania.cz#%#//scriptlet('abort-on-stack-trace', 'document.querySelector', '/Object\.(go|run|[a-zA-Z0-9]{1,}_[a-zA-Z0-9]{1,})/')
+mobilmania.cz#%#//scriptlet('abort-on-stack-trace', 'Element.prototype.insertAdjacentHTML', '/Object\.(go|run|[a-zA-Z0-9]{1,}_[a-zA-Z0-9]{1,})/')
+mobilmania.cz#%#//scriptlet('abort-on-stack-trace', 'String.prototype.indexOf', '/Object\.(go|run|[a-zA-Z0-9]{1,}_[a-zA-Z0-9]{1,})/')
+mobilmania.cz#%#//scriptlet('prevent-addEventListener', 'load', '/function\(\){[a-zA-Z0-9]{1,}_[a-zA-Z0-9]{1,}.*\(\)}/')
+!+ NOT_PLATFORM(windows, mac, android)
+!mobilmania.cz#%#//scriptlet('remove-class', 'cnc-ads', '.cnc-ads')
+mobilmania.cz#$#div[class*=" cnc-ads--"] { height: 10px !important; min-height: 10px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/164067
+sector.sk##.conte
+! https://github.com/AdguardTeam/AdguardFilters/issues/163232
+dnes.cz##.r-head
+dnes.cz##[id^="r-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/162997
+lupa.cz###adsGalleryDesktop
+lupa.cz##.design-page__content-row > .leaderboard-dynamic-height-wrapper
+lupa.cz#%#//scriptlet('set-constant', 'Gallery.prototype.setupAdsGallery', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/160380
+zgonr.miliongames.com##.container_second
+! https://github.com/AdguardTeam/AdguardFilters/issues/159021
+mobilenet.cz##.banner
+mobilenet.cz##.bannerMN
+mobilenet.cz#$##body.clickable { background-image: none !important; cursor: auto !important; }
+mobilenet.cz#%#//scriptlet('set-constant', 'App.psts._displayBranding', 'noopFunc')
+mobilenet.cz#%#//scriptlet('prevent-addEventListener', 'click', 'window.open(t.url,"_blank"),App.psts.hit')
+! https://github.com/AdguardTeam/AdguardFilters/issues/158741
+menicka.cz##div[class^="banner_"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/157856
+karaoketexty.cz#$#body > #wrapper { margin-top: 68px !important; }
+karaoketexty.cz#$#body { background: unset !important; }
+karaoketexty.cz#?#body > div[id$="_wrapper"]:has(span[class^="ad_notice"])
+karaoketexty.cz#?##left_column > div[class]:has(> div[class] > span.ad_notice1)
+karaoketexty.cz#?##right_column > div[class]:has(> span.ad_notice1)
+karaoketexty.cz###sky_right_col
+! https://github.com/AdguardTeam/AdguardFilters/issues/157753
+svetmobilne.cz##.desktop
+svetmobilne.cz###main > article ~ .art-producer
+svetmobilne.cz###main > article ~ .art-bottom
+svetmobilne.cz##.content > center > div[style="height:270px;"]:only-child
+! https://github.com/AdguardTeam/AdguardFilters/issues/157122
+sita.sk##.branding
+sita.sk##.gpt-wrap
+sita.sk#@#.ads-box
+sita.sk#%#//scriptlet('set-constant', 'Object.prototype.loadAdblockCheck', 'undefined')
+! https://github.com/AdguardTeam/AdguardFilters/issues/157695
+! https://github.com/AdguardTeam/AdguardFilters/issues/157752
+! https://github.com/AdguardTeam/AdguardFilters/issues/156591
+@@/_js/pubfig.min.js$~third-party,domain=svethardware.cz|relaxuj.cz|svetmobilne.cz|digimanie.cz
+digimanie.cz,svetmobilne.cz,relaxuj.cz,svethardware.cz#%#//scriptlet('set-constant', 'isAdblock', 'false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/156220
+moneymag.cz##.ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/156017
+citroen-club.cz#@#.reklama
+citroen-club.cz#$##obalovydiv { display: block !important; }
+citroen-club.cz#%#//scriptlet('abort-on-property-read', 'gaFailedToLoad')
+! https://github.com/AdguardTeam/AdguardFilters/issues/155130
+katerionews.com##body > div[id][style^="position: fixed;top:"][style*="z-index:"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/155110
+tvfreak.cz##.box[style=" max-width: 300px; height: 300px;"]
+tvfreak.cz#?#div[class^="heureka-affiliate-"]:upward(1)
+! https://github.com/AdguardTeam/AdguardFilters/issues/153860
+svethardware.cz##div[data-rab*="svethardware.cz/article.jsp"]
+svethardware.cz##.skyscraper
+svethardware.cz#?#div[class^="heureka-affiliate-"]:upward(1)
+svethardware.cz#?#.banner-zone-title:upward(1)
+! https://github.com/AdguardTeam/AdguardFilters/issues/152990
+!+ NOT_PLATFORM(android, ios, ext_android_cb)
+touchit.sk#$#.main-wrap { margin-top: 80px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/150861
+||static.primacdn.cz/sas/sas/sasspa.js
+||static.primacdn.cz/sas/ads/templates/creatives.js
+||prima-vod-prep.ssl.cdn.cra.cz/vod_Prima/$domain=iprima.cz
+||cdn.dopc.cz^$media,domain=iprima.cz
+iprima.cz##.videoplayer-overlay
+iprima.cz##.vjs-a2doverlay
+! https://github.com/AdguardTeam/AdguardFilters/issues/164018
+iprima.cz#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'kununu_mul')
+$cookie=adb.key,domain=iprima.cz
+$cookie=adb,domain=iprima.cz
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/150878
+fiatclub.eu#@#.reklama
+fiatclub.eu#$##obalovydiv { display: block !important; }
+fiatclub.eu#%#//scriptlet('abort-on-property-read', 'gaFailedToLoad')
+! https://github.com/AdguardTeam/AdguardFilters/issues/150221
+||login.dognet.sk/accounts/default1$third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/150558
+supraphonline.cz###sidebanner-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/150409
+! Sometimes this video player only shows ads and then redirects to another video
+! so setting autoplay to true causes that it's redirected automatically
+! and videos without ads will not play automatically anyway
+media.joj.sk#%#//scriptlet('set-constant', 'settings.autoplay', 'true')
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=media.joj.sk
+! https://github.com/AdguardTeam/AdguardFilters/issues/149301
+spite.cz,pctuning.cz###sda-adb-checker
+spite.cz,pctuning.cz#%#//scriptlet('prevent-addEventListener', 'DOMContentLoaded', 'checkerEnabled')
+! gozofinder.com - ads at top
+gozofinder.com#?##root > div[class]:has(> .advert-iframe)
+gozofinder.com#$#.advertisement-branding { margin-top: 0px !important; }
+gozofinder.com##.advert
+! https://github.com/AdguardTeam/AdguardFilters/issues/145524
+iprima.cz##.mone_box
+! https://github.com/AdguardTeam/AdguardFilters/issues/144956
+! https://github.com/AdguardTeam/AdguardFilters/issues/144921
+freevideo.cz##.videos__banner
+freevideo.cz##.detail-banner
+freevideo.cz##.section__content.videos > .video[data-autofill="placenky"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/142992
+chrysler-club.net#$##obalovydiv { display: block!important; }
+chrysler-club.net#%#//scriptlet("abort-on-property-read", "gaFailedToLoad")
+! https://github.com/AdguardTeam/AdguardFilters/issues/141489
+webnoviny.sk##.gpt-wrap
+webnoviny.sk##.spklw-swiper-slide > .spklw-post-attr[data-type="ad"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/139947
+||sbazar.cz/*/static/js/ssp.js
+sbazar.cz#%#//scriptlet("set-constant", "sssp", "emptyObj")
+! https://github.com/AdguardTeam/AdguardFilters/issues/139830
+betarena.cz##.skyscraper
+betarena.cz##div.bestBetBox
+betarena.cz##a[rel$="sponsored"]
+betarena.cz#?##lightbox-search > div.boxBlock:has(> p > a[rel$="sponsored"])
+betarena.cz#?##lightbox-search > p:has(> strong > img[src^="/img/poker"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/138041
+||svetapple.sk/*/ecophone-banner.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/136380
+imeteo.sk#@#.is-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/135870
+endless-live.cz#@##reklama
+endless-live.cz#%#//scriptlet('prevent-setTimeout', 'Adblocker')
+! https://github.com/AdguardTeam/AdguardFilters/issues/145888
+||sport.cz/*/static/js/ssp.js
+||sport.cz^$cookie=sportySporty
+sport.cz#%#//scriptlet('abort-current-inline-script', 'Object.getOwnPropertyDescriptor', 'ssp')
+! https://github.com/AdguardTeam/AdguardFilters/issues/150719
+svetzeny.cz#%#//scriptlet('set-constant', '__burdaAds', 'emptyObj')
+svetzeny.cz#%#//scriptlet('set-constant', '__burdaAds.getDevice', 'noopFunc')
+svetzeny.cz#%#//scriptlet('set-constant', '__burdaAds.isSeznam', 'noopFunc')
+svetzeny.cz#%#//scriptlet('set-constant', '__burdaAds.refreshAllSlots', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/180078
+/cwl.js$domain=seznam.cz|seznamzpravy.cz|novinky.cz|super.cz|sport.cz|prozeny.cz|garaz.cz|nasezahrada.com|forum24.cz
+nasezahrada.com##.leaderboard-banner
+forum24.cz##.px-ads--leaderboard
+! https://github.com/AdguardTeam/AdguardFilters/issues/144019
+! https://github.com/AdguardTeam/AdguardFilters/issues/140501
+||seznam.cz^$cookie=qusnyQusny
+! https://github.com/AdguardTeam/AdguardFilters/issues/135692
+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
+! https://github.com/AdguardTeam/AdguardFilters/issues/103752
+slovnik.seznam.cz##.TextSSP
+slovnik.seznam.cz##.BannerSSP
+! https://github.com/AdguardTeam/AdguardFilters/issues/102540
+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#%#//scriptlet("set-constant", "sssp", "emptyObj")
+! https://github.com/AdguardTeam/AdguardFilters/issues/135127
+seznamzpravy.cz##div[style^="max-width:"][style*="970px;"]
+seznamzpravy.cz##div[style^="max-width:"][style*="300px;"]
+seznamzpravy.cz##div[style^="max-width:"][style*="480px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/134415
+svetapple.sk#?#figure:has(> figcaption:contains(Reklama))
+! https://github.com/AdguardTeam/AdguardFilters/issues/133808
+megaknihy.cz###banner-shipping
+megaknihy.cz##.small_vertical_banner_container
+megaknihy.cz###banner-shipping-balikovna
+! https://github.com/AdguardTeam/AdguardFilters/issues/131005
+serialy.io##.w-episode-source > div[id][style*="height: 380px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/131008
+||najserialy.io/sk?s=
+! https://github.com/AdguardTeam/AdguardFilters/issues/131005
+@@||serialy.io/theme/js/popunder.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/129951
+telekomunikace.cz##.Flagrow-Ads-under-header
+! https://github.com/AdguardTeam/AdguardFilters/issues/128016
+zivot.pluska.sk##.banner_d_1
+! https://github.com/AdguardTeam/AdguardFilters/issues/127891
+podnikatel.cz,mesec.cz##.design-advert-placeholder
+! https://github.com/AdguardTeam/AdguardFilters/issues/127890
+vitalia.cz##.design-advert-placeholder
+! https://github.com/AdguardTeam/AdguardFilters/issues/127772
+@@||videosprofitnetwork.com/watch.xml$domain=thisirussia.io
+sledujfilmy.io##.ads.flex-video
+! uloz.to - banner when searching
+uloz.to###bandzoneHint
+!
+moviezone.cz##.ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/126782
+||drevostavitel.cz/img/prevleceni
+drevostavitel.cz##a[id^="prevleceni_"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/126679
+parabola.cz##a[href^="/odkazovnik/b"]
+parabola.cz##h3[class$="idr"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/126255
+sledujfilmy.online##div[class^="cez-video"]
+sledujfilmy.online#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/126094
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=play.joj.sk
+! https://github.com/AdguardTeam/AdguardFilters/issues/125337
+super.cz###adSkyscraperStart-1 + div[style]
+super.cz###adPlachtaStart-1 + div[style]
+! https://github.com/AdguardTeam/AdguardFilters/issues/124723
+||stream.cz/*/vast?
+! https://github.com/AdguardTeam/AdguardFilters/issues/125016
+||garaz.cz/*/static/js/ssp.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/123777
+parabola.cz#@#.rklm
+parabola.cz##.zpravicky_sdeleni
+parabola.cz##.nav_sloupec > h3[ style^="display: none"] + a > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/123704
+penize.cz##.ad
+penize.cz##.reklamabg
+||static-css.pencdn.cz/javascript/www/mafra/*/mafra-pcz-nojq.js$domain=penize.cz
+! https://github.com/AdguardTeam/AdguardFilters/issues/112757
+!+ NOT_OPTIMIZED
+mobilenet.cz##.bannerMB
+mobilenet.cz#%#//scriptlet("set-constant", "seznam_ads", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/108109
+divoch.cz##.bottom-reklama
+pocasi.divoch.cz#?##leva > h2:contains(/^Reklama$/)
+pocasi.divoch.cz#?##prava > h2:contains(/^Reklama$/)
+divoch.cz##iframe[src^="https://affil.invia.cz/direct/core/tool_dynamic-banner/"]
+||affil.invia.cz/direct/core/tool_dynamic-banner/$domain=divoch.cz
+! https://github.com/AdguardTeam/AdguardFilters/issues/103195
+suzukiclub.cz#@#.reklama
+! https://github.com/AdguardTeam/AdguardFilters/issues/103764
+@@||cdn.cpex.cz/logos/cnc.png$domain=zive.cz
+@@||cdn.cpex.cz/cmp/v*/cpex-cmp.min.js$domain=zive.cz
+! https://github.com/AdguardTeam/AdguardFilters/issues/102378
+parlamentnilisty.cz##.aoad
+parlamentnilisty.cz#%#//scriptlet("set-constant", "AdTrack", "emptyObj")
+! https://github.com/AdguardTeam/AdguardFilters/issues/102320
+sport.cz#@#.ad_hr
+! https://github.com/AdguardTeam/AdguardFilters/issues/98558
+karaoketexty.cz##.ad_notice1
+karaoketexty.cz#$##ad_leader_wrapper { min-height: 50px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/97321
+peak.cz#%#//scriptlet("abort-current-inline-script", "$", "adblock-modal")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=noopjs,domain=peak.cz
+! https://github.com/AdguardTeam/AdguardFilters/issues/158599
+! https://github.com/AdguardTeam/AdguardFilters/issues/96840
+@@||static.ads-twitter.com/uwt.js$domain=cms.nova.cz
+nova.cz#%#//scriptlet('prevent-fetch', 'ads-twitter.com')
+nova.cz#%#//scriptlet('prevent-element-src-loading', 'script', 'trackad.cz')
+!+ NOT_OPTIMIZED
+||trackad.cz/adtrack.php$script,other,redirect=noopjs,domain=nova.cz
+! https://github.com/AdguardTeam/AdguardFilters/issues/95920
+yauto.cz###adv_ram
+! kurzy.cz - ads
+kurzy.cz###adv_content
+||kurzy.cz/*/adv_async.js
+||s.kurzy.cz/*/s_back.js
+||img.kurzy.cz/*/*/*;ad=
+! https://github.com/AdguardTeam/AdguardFilters/issues/95061
+!+ NOT_OPTIMIZED
+seznamzpravy.cz#$?#.adform-adbox.advert-square { remove: true; }
+!+ NOT_OPTIMIZED
+seznamzpravy.cz#$?#img[src*="ad_ads_advert"] { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/95412
+idnes.cz###selfart-box
+! https://github.com/AdguardTeam/AdguardFilters/issues/95457
+sledujserialy.io##.w-episode-source > div[id][style^="position: absolute; top: 0"]:not([class])
+||sledujserialy.io/theme/json/episode.ad.etarget.php?adlink=
+! https://github.com/AdguardTeam/AdguardFilters/issues/95305
+zive.cz##.bx-leaderboard
+zive.cz##body > div.fs-os
+zive.cz#%#//scriptlet('set-constant', 'st', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/93425
+topspeed.sk#%#//scriptlet('abort-current-inline-script', '$', 'adBlockDetected')
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/129357
+zdopravy.cz##.container.px-0 > div.otherAds
+zdopravy.cz##body .adsMain:not(#style_important)
+zdopravy.cz#$##AdblockInfoWrapperCard { display: none !important; }
+zdopravy.cz#$##AdblockInfoWrapperContent { display: block !important; }
+zdopravy.cz#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+@@||zdopravy.cz^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/88098
+svetmobilne.cz,svethardware.cz#?#.box > .caption:contains(/^reklama$/)
+svetmobilne.cz,svethardware.cz###sidebar > .box > a[target="_blank"] > img
+svetmobilne.cz,svethardware.cz###header > #topbar > .box > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/86360
+imeteo.sk##.page-container__ad-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/85200
+interez.sk###rklm-pod-clankom
+interez.sk##.sidebar > #custom_html-2
+! https://github.com/AdguardTeam/AdguardFilters/issues/86008
+sreality.cz###top-brand
+! https://github.com/AdguardTeam/AdguardFilters/issues/85006
+!+ NOT_PLATFORM(ext_ublock)
+*$xmlhttprequest,redirect-rule=nooptext,domain=seznamzpravy.cz,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/83263
+||uschovna.cz/branding/?branding=$subdocument,redirect=noopframe
+||cz.mrezadosa.com^$xmlhttprequest,redirect=noopframe,domain=uschovna.cz
+! https://github.com/AdguardTeam/AdguardFilters/issues/82507
+csfd.sk##.box-bannercenter
+! https://github.com/AdguardTeam/AdguardFilters/issues/137454
+! https://github.com/AdguardTeam/AdguardFilters/issues/74051
+samsungmagazine.eu###ad_popup
+samsungmagazine.eu,letemsvetemapplem.eu#$#.headerbanner-wrapper { min-height: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/80547
+letemsvetemapplem.eu#%#//scriptlet("prevent-addEventListener", "mousedown", "branding_top")
+!+ NOT_OPTIMIZED
+/amalker/pos/mag_ads.js$domain=letemsvetemapplem.eu|samsungmagazine.eu
+!+ NOT_OPTIMIZED
+||letemsvetemapplem.eu/*/alzafeed_cached_js.php
+!+ NOT_OPTIMIZED
+letemsvetemapplem.eu##.alzafeed
+!+ NOT_OPTIMIZED
+samsungmagazine.eu,letemsvetemapplem.eu,jablickar.cz##.lsads-banner
+!+ NOT_OPTIMIZED
+samsungmagazine.eu,letemsvetemapplem.eu,jablickar.cz##.ownad
+!+ NOT_OPTIMIZED
+samsungmagazine.eu,letemsvetemapplem.eu,jablickar.cz#$##page_wrapper { cursor: auto !important; }
+!+ NOT_OPTIMIZED
+samsungmagazine.eu,letemsvetemapplem.eu#$#header.lsa { margin-top: 0 !important; }
+!+ NOT_OPTIMIZED
+letemsvetemapplem.eu##.footerbanner
+! https://github.com/AdguardTeam/AdguardFilters/issues/79079
+||diit.cz/sites/default/files/_diit_branding/branding.jpg
+diit.cz#$#body div#page-wrapper { background-image: none !important; }
+diit.cz#$#html > body.domain-diit-cz { background-image: none !important; padding-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/80573
+f1online.sk##img[style="width: 100%; max-width: 1030px; cursor: pointer;"]
+f1online.sk##div[class^="PostContentArea__Container-sc-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/78107
+hrej.cz##.sda-space
+hrej.cz##.sda-desktop
+hrej.cz#?#.sidebar > .sidebar-box > .sda-space:upward(1)
+hrej.cz##a[id^="fullbrand-link_"]
+hrej.cz##div[id^="div-gpt-ad"] + div[style="width:970px; height:125px; position:relative; margin:0 auto;"]
+hrej.cz#?#.odsazene > [id^="div-gpt-ad"]:upward(1)
+! https://github.com/AdguardTeam/AdguardFilters/issues/170892
+! https://github.com/AdguardTeam/AdguardFilters/issues/85315
+! https://github.com/AdguardTeam/AdguardFilters/issues/77699
+bombuj.si##.players > div > div[id][style*="z-index:"]
+bombuj.si##.players a[target="_blank"][style*="z-index:"][id]:not([onclick])
+bombuj.si##.players > div[style*="relative"][style*="width:"][style*="overflow"] div[id][style*="z-index"][style*="position"]
+bombuj.si#%#//scriptlet('remove-attr', 'href', 'a[id][target="_blank"][onclick*="Reklam"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/77665
+xtv.cz#%#//scriptlet("prevent-setTimeout", "pgblck")
+! https://github.com/AdguardTeam/AdguardFilters/issues/77726
+kosicednes.sk##[data-banner-type]
+! https://github.com/AdguardTeam/AdguardFilters/issues/77609
+renault-club.cz#%#//scriptlet('remove-attr', 'class', 'body > div#obalovydiv')
+renault-club.cz#@#.reklama
+||google-analytics.com/analytics.js$script,redirect=noopjs,important,domain=renault-club.cz
+!#safari_cb_affinity(privacy)
+@@||google-analytics.com/analytics.js$domain=renault-club.cz
+!#safari_cb_affinity
+! https://github.com/AdguardTeam/AdguardFilters/issues/76233
+@@||refi-reklama.razitko.cz^$domain=refi-reklama.razitko.cz
+! https://github.com/AdguardTeam/AdguardFilters/issues/75868
+garaz.cz##div[data-e2e="mol-advert"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/74496
+toyota-club.eu#%#//scriptlet('remove-attr', 'class', 'body > div#obalovydiv')
+toyota-club.eu#@#.reklama
+||google-analytics.com/analytics.js$script,redirect=noopjs,important,domain=toyota-club.eu
+!#safari_cb_affinity(privacy)
+@@||google-analytics.com/analytics.js$domain=toyota-club.eu
+!#safari_cb_affinity
+! https://github.com/AdguardTeam/AdguardFilters/issues/74153
+club-opel.com#%#//scriptlet('remove-attr', 'class', 'body > div#obalovydiv')
+club-opel.com#@#.reklama
+||google-analytics.com/analytics.js$script,redirect=noopjs,important,domain=club-opel.com
+!#safari_cb_affinity(privacy)
+@@||google-analytics.com/analytics.js$domain=club-opel.com
+!#safari_cb_affinity
+! https://github.com/AdguardTeam/AdguardFilters/issues/71993
+android1pro.com##.ai_widget
+! https://github.com/AdguardTeam/AdguardFilters/issues/72549
+@@||art-reklama.razitko.cz^$domain=art-reklama.razitko.cz
+! https://github.com/AdguardTeam/AdguardFilters/issues/72339
+iliteratura.cz###reklama-top
+! https://github.com/AdguardTeam/AdguardFilters/issues/71314
+super.cz#@%#//scriptlet('ubo-acis.js', 'String.fromCharCode')
+! https://github.com/AdguardTeam/AdguardFilters/issues/69555
+onlymen.cz#$#.adsbygoogle { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/66823
+expres.cz##body .r-main
+expres.cz##.r-head
+! https://github.com/AdguardTeam/AdguardFilters/issues/183080
+media.cms.markiza.sk#%#//scriptlet('google-ima3')
+media.cms.markiza.sk#%#//scriptlet('prevent-element-src-loading', 'script', 'imasdk.googleapis.com')
+media.cms.markiza.sk#%#//scriptlet('prevent-fetch', 'ads-twitter.com')
+media.cms.markiza.sk#%#//scriptlet('prevent-setTimeout', 'banner_ad')
+! https://github.com/AdguardTeam/AdguardFilters/issues/136190
+! https://github.com/AdguardTeam/AdguardFilters/issues/65452
+tvnoviny.sk,markiza.sk#%#//scriptlet('prevent-element-src-loading', 'script', 'trackad.cz')
+||trackad.cz/adtrack.php$script,other,redirect=noopjs,domain=markiza.sk|tvnoviny.sk
+! https://github.com/AdguardTeam/AdguardFilters/issues/65003
+reflex.cz#@%#//scriptlet('ubo-acis.js', 'atob')
+! https://github.com/AdguardTeam/AdguardFilters/issues/64704
+zive.cz#@%#//scriptlet('ubo-acis.js', 'String.fromCharCode')
+! https://github.com/AdguardTeam/AdguardFilters/issues/64522#issuecomment-700587040
+@@||cz.mrezadosa.com^$domain=centrum.cz
+! https://github.com/AdguardTeam/AdguardFilters/issues/63995
+techfocus.cz###leader_place
+techfocus.cz##.text > div[style="width:520px; margin-left:-30px; margin-bottom:20px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/63885
+||photos.iboys.com/live/ads/
+! https://github.com/AdguardTeam/AdguardFilters/issues/63502
+! https://github.com/AdguardTeam/AdguardFilters/issues/62926
+xiaomiplanet.sk#?#.sidebar_inner > div.widget:has(> div.widget_title > strong:contains(Reklama))
+! https://github.com/AdguardTeam/AdguardFilters/issues/62091
+titulky.com#$?##head_b { margin-top: initial !important; background: initial !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/61263
+mercedesclub.cz#%#//scriptlet("abort-on-property-read", "gaFailedToLoad")
+!+ NOT_OPTIMIZED
+mercedesclub.cz#$##obalovydiv { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/58243
+techbyte.sk##.techb-sticky
+techbyte.sk#%#//scriptlet("abort-current-inline-script", "advads", "campaign")
+! https://github.com/AdguardTeam/AdguardFilters/issues/77055
+! https://github.com/AdguardTeam/AdguardFilters/issues/70530
+novinky.cz#@%#//scriptlet('ubo-acis.js', 'String.fromCharCode')
+! https://github.com/AdguardTeam/AdguardFilters/issues/69755
+! https://github.com/AdguardTeam/AdguardFilters/issues/57381
+@@||aktuality.sk^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/55474
+bmwklub.cz##.topBanners
+! https://github.com/AdguardTeam/AdguardFilters/issues/178540
+||sector.sk/default-ad.aspx
+||sector.sk/default-ad2.aspx
+! https://github.com/AdguardTeam/AdguardFilters/issues/54946
+roklen24.cz##.l-wrapper > ul.list-services
+! https://github.com/AdguardTeam/AdguardFilters/issues/54608
+||s.aimg.sk/zive_symfony/build/article-adblock*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/52052
+@@||sledujserialy.to/theme/js/popunder.js
+sledujserialy.to#%#//scriptlet("abort-current-inline-script", "$", "(document.getElementById('")
+sledujserialy.to##.w-episode-source > div[id][style^="position: absolute; top: 0"]:not([class])
+||sledujserialy.to/theme/json/episode.ad.php?adlink=
+! https://github.com/AdguardTeam/AdguardFilters/issues/50421
+||imedia.cz^$domain=televizeseznam.cz
+! https://github.com/AdguardTeam/AdguardFilters/issues/51143
+lingea.sk#?#.container > div.col-sm-9 > div.bx-wrapper:has(> div.bx-viewport > div#promoCarousel)
+! https://github.com/AdguardTeam/AdguardFilters/issues/45953
+||rsz.sk^$third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/45430
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,important,domain=svetandroida.cz
+svetandroida.cz#%#//scriptlet("abort-on-property-read", "detectAdBlocker")
+! https://github.com/AdguardTeam/AdguardFilters/issues/44916
+poradte.cz#@#.reklama
+poradte.cz#$##obalreklam { display: block!important; height: 1px!important; width: 1px!important; }
+poradte.cz#?#.ram-boky > #index2:has(> div[style] > div[style^="position:relative;"] > .adsbygoogle)
+! https://github.com/AdguardTeam/AdguardFilters/issues/44752
+sector.sk##.videtop
+sector.sk##img[style*="max-width:660px;"][style*="width:100%;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/44475
+dama.cz##div[data-clickattribute="mainClick"]
+dama.cz##.ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/45896
+denik.cz##.reklama-box-leaderboard
+denik.cz##div[class^="reklama-box"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/165900
+expres.cz#@%#//scriptlet('ubo-aeld.js', 'beforeunload', '()')
+! https://github.com/AdguardTeam/AdguardFilters/issues/188077
+! https://github.com/AdguardTeam/AdguardFilters/issues/186794#issuecomment-2317024916
+expres.cz,idnes.cz###waiting-screen
+expres.cz,idnes.cz#%#//scriptlet('prevent-setTimeout', 'checkCookie(++')
+! https://github.com/AdguardTeam/AdguardFilters/issues/147038
+! https://github.com/AdguardTeam/AdguardFilters/issues/146543
+idnes.cz,expres.cz#%#//scriptlet("abort-on-property-read", "_1gif")
+! adbDetect
+$cookie=kolbda,domain=expres.cz|televizeseznam.cz|ahaonline.cz|extra.cz|mobilmania.cz|idnes.cz|aktuality.sk|aktualne.cz|blesk.cz|centrum.cz|cnews.cz|e15.cz|karaoketexty.cz|novinky.cz|sport.cz|super.cz|tiscali.cz|zive.cz
+$cookie=adb,domain=expres.cz|televizeseznam.cz|ahaonline.cz|extra.cz|mobilmania.cz|idnes.cz|aktuality.sk|aktualne.cz|blesk.cz|centrum.cz|cnews.cz|e15.cz|karaoketexty.cz|novinky.cz|sport.cz|super.cz|tiscali.cz|zive.cz
+$cookie=/adb\.key/,domain=expres.cz|televizeseznam.cz|ahaonline.cz|extra.cz|mobilmania.cz|idnes.cz|aktuality.sk|aktualne.cz|blesk.cz|centrum.cz|cnews.cz|e15.cz|karaoketexty.cz|novinky.cz|sport.cz|super.cz|tiscali.cz|zive.cz
+expres.cz,televizeseznam.cz,ahaonline.cz,extra.cz,mobilmania.cz,idnes.cz,aktuality.sk,aktualne.cz,blesk.cz,centrum.cz,cnews.cz,e15.cz,karaoketexty.cz,novinky.cz,sport.cz,super.cz,tiscali.cz,zive.cz#%#//scriptlet('remove-cookie', '/^adb$|adb\.key|^[a-z]{5,11}$/')
+expres.cz,televizeseznam.cz,ahaonline.cz,extra.cz,mobilmania.cz,idnes.cz,aktuality.sk,aktualne.cz,auto.cz,blesk.cz,centrum.cz,cnews.cz,e15.cz,sport.cz,super.cz,tiscali.cz,zive.cz#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'kununu_mul')
+expres.cz,televizeseznam.cz,ahaonline.cz,extra.cz,mobilmania.cz,idnes.cz,aktuality.sk,aktualne.cz,auto.cz,blesk.cz,centrum.cz,cnews.cz,e15.cz,sport.cz,super.cz,tiscali.cz,zive.cz#%#//scriptlet("abort-on-property-read", "Object.prototype.kununu_mul")
+! novinky.cz requires different rule, because rule above breaks video player
+!+ NOT_PLATFORM(windows, mac, android, ext_ff)
+novinky.cz#%#!function(){if(location.pathname.indexOf("/iframe/player")===-1){Object.defineProperty(Object.prototype, 'kununu_mul', { get: function(){ throw null; }, set: function(){ throw null; }});}}();
+!+ NOT_PLATFORM(windows, mac, android, ext_ff)
+karaoketexty.cz#%#//scriptlet("abort-current-inline-script", "Math", "adbDetect")
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/45246
+! https://github.com/AdguardTeam/AdguardFilters/issues/44412
+kosicednes.sk###gateBanner
+! https://github.com/AdguardTeam/AdguardFilters/issues/42904
+ceskenoviny.cz##.box-offer
+ceskenoviny.cz###mobile-ahead
+ceskenoviny.cz###mobFullPerexBan
+ceskenoviny.cz###AdTrackCategoryTop1
+ceskenoviny.cz##.crossroad-grid > .list > .list-item > div[id^="hyperbox"]
+ceskenoviny.cz#?#.crossroad-grid > .list > .list-item:has(> .crossroad-light > div[id^="div-gpt-ad"])
+ceskenoviny.cz#?#.box-list > span.info:contains(/^Reklama$/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/42496
+cdr.cz,diit.cz#$#html > body { background-image: none!important; padding-top: 0!important; }
+||diit.cz/sites/default/files/_cdr_branding/branding.jpg
+||cdr.cz/sites/default/files/_cdr_branding/branding.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/42194
+ahaonline.cz##.ads
+ahaonline.cz##.boxReklama
+! https://github.com/AdguardTeam/AdguardFilters/issues/41373
+||bannery.navratdoreality.cz^
+navratdoreality.cz###snippet--banners-bot
+navratdoreality.cz###snippet--banners-top
+navratdoreality.cz#?##snippet-list-posts > .item:not([id]):has(> .box-responsive:only-child > div[id]:only-child)
+! https://github.com/AdguardTeam/AdguardFilters/issues/40186
+sector.sk#$#body.bodymain { background-image: none!important; }
+sector.sk#$#body > .frstop[style="margin-top:250px"] { margin-top: 45px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/39754
+volvo-club.cz#$##obalovydiv { display: block!important; }
+volvo-club.cz#%#//scriptlet("abort-on-property-read", "gaFailedToLoad")
+! https://github.com/AdguardTeam/AdguardFilters/issues/38683
+auto.cz##body > video[id^="vided-"][src^="data:video/webm"]
+auto.cz#?#.right-col > #sticky-wrapper:has( > div[id^="sticky-banner-"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/36614
+||bombuj.tv/adblock/fuckadblock2.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/35615
+! https://github.com/AdguardTeam/AdguardFilters/issues/35240
+karaoketexty.cz##.ad_large_square
+! https://github.com/AdguardTeam/AdguardFilters/issues/33238
+sport.aktuality.sk##.rs-advertisement
+sport.aktuality.sk##.nike-box-promo-banner
+sport.aktuality.sk###page-container > div[style="position:relative;"]:not([class]):not([id]) > div[style^="width:"] > iframe[id^="etarget_"]
+! https://forum.adguard.com/index.php?threads/http-www-auto-cz.31112
+@@||auto.cz/js/base-cz/advert.js
+auto.cz##.ads
+auto.cz##.adv
+auto.cz###column > .container[style="width: auto; position: relative; height: 620px;"]
+@@||auto.cz/auto/skins/*/js/advertisment.js
+! https://forum.adguard.com/index.php?threads/http-fightclubnews-cz.31083/
+fightclubnews.cz#%#//scriptlet('set-constant', 'td_ad_background_click_link', '')
+||ticketportal.cz/Event/$popup,domain=fightclubnews.cz
+! https://forum.adguard.com/index.php?threads/www-sport-cz.30895/
+sport.cz###adArticleSign
+sport.cz##div[id^="next-articles-"] > div[class][data-number]
+sport.cz###adCommercialBackground:not([style*="background-image:"])
+sport.cz##iframe[src^="//c.imedia.cz/context?url="]
+||c.imedia.cz/context?url=$domain=sport.cz
+! https://github.com/AdguardTeam/AdguardFilters/issues/65828
+! auto.tn.nova.cz
+nova.cz#@#.AdSense
+! https://github.com/AdguardTeam/AdguardFilters/issues/28905
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=nova.cz
+!+ NOT_PLATFORM(windows, mac, android)
+@@||pubads.g.doubleclick.net/gampad/ads?*=xml_vast*nova.cz$domain=nova.cz
+! https://github.com/AdguardTeam/AdguardFilters/issues/61169
+@@||idos.idnes.cz^$csp
+@@||cz.mrezadosa.com^$domain=idos.idnes.cz
+! https://github.com/AdguardTeam/AdguardFilters/issues/25988
+idnes.cz#$#html.klikaci-body body { background:none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/20740
+rajce.idnes.cz###top-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/31512
+! https://github.com/AdguardTeam/AdguardFilters/issues/11203
+idnes.cz##table[id^="r-leaderboard"].s_branding
+! https://github.com/AdguardTeam/AdguardFilters/issues/6315
+@@||1gr.cz/reklama/banner.js?clickthru=advert|$domain=idnes.cz
+idnes.cz##[id^="r98."].r-box
+idnes.cz##div[id^="r98."][class*="touch"]
+idnes.cz##.art-full > #text-out-box + div:not([class]):not([id]) > .r-head
+! https://forum.adguard.com/index.php?threads/14098/
+xman.idnes.cz##body > div#main > table[id][class]
+xman.idnes.cz###space-g
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1232
+idnes.cz#%#//scriptlet('set-constant', 'AdTrack', 'undefined')
+!
+idnes.cz###main [id^="r98."]
+idnes.cz###idnes-premium-popup
+||data.idnes.cz/nocache/DPP/dacan/
+! https://github.com/AdguardTeam/AdguardFilters/issues/24181
+e15.cz##.ad-skyscrapper
+e15.cz##.ads
+e15.cz#$#body { background-image:none!important; }
+e15.cz###topSite
+e15.cz###brandingCreativeWrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/24191
+vtm.zive.cz##.box-cex
+! https://github.com/AdguardTeam/AdguardFilters/issues/171799
+! https://github.com/AdguardTeam/AdguardFilters/issues/78367
+novinky.cz##div[class*="_"]:has(> div.ogm-advert-static:first-child)
+novinky.cz,seznamzpravy.cz#%#//scriptlet('remove-cookie', 'qusnyQusny')
+novinky.cz,seznamzpravy.cz##div[data-e2e="mol-advert"]
+||report.seznamzpravy.cz^
+! https://github.com/AdguardTeam/AdguardFilters/issues/22397
+nikee.net#?#td[valign="Top"] > div[style^=" font-family: Verdana; font-size:"] > div[style*="background-color:"]:contains(Reklama)
+! https://github.com/AdguardTeam/AdguardFilters/issues/22168
+tiscali.cz##.box-offer
+! https://github.com/AdguardTeam/AdguardFilters/issues/20752
+eurozpravy.cz##.ad_aside
+eurozpravy.cz##.ad_etarget
+eurozpravy.cz##.hp_big_ad
+eurozpravy.cz##.hp_bottom_ad
+eurozpravy.cz##.hp_top > .leaders + .ad > .in > h6.title
+eurozpravy.cz##.hp_topics_aside > .ad_etarget2 + .ad > .in > h6.title
+||eurozpravy.cz/etarget.php?
+! stredoevrogan.cz - left-over at top in article
+stredoevropan.cz##.td-header-sp-recs
+! https://github.com/AdguardTeam/AdguardFilters/issues/20065
+! https://github.com/AdguardTeam/AdguardFilters/issues/19871
+motorkari.cz##.banner
+motorkari.cz#@#.left-banner
+motorkari.cz###left-side-banner
+||img.motorkari.cz/upload/files/banery^
+! https://github.com/AdguardTeam/AdguardFilters/issues/19573
+zive.cz##.ads
+zive.cz#$#.sky-wrapper { min-height: 10px!important;}
+@@||zive.cz/Client.Scripts/advertisment.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/17198
+mobilmania.cz##.ads
+mobilmania.cz#$#.sky-wrapper { min-height: 50px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/18195
+! https://github.com/AdguardTeam/AdguardFilters/issues/17923
+! https://github.com/AdguardTeam/AdguardFilters/issues/17020
+aktualne.cz###kulublu-mulu
+aktualne.cz##.rtx-burn12 + div[class][id]
+! https://github.com/AdguardTeam/AdguardFilters/issues/16537
+||prima-vod-prep.ssl.cdn.cra.cz/vod_Prima^$media
+iprima.cz##.vjs-ad-link
+! https://github.com/AdguardTeam/AdguardFilters/issues/12347
+cs-dopravak.cz##.col.span-3[id^="yui_"] > .sqs-block[data-block-type="5"]
+cs-dopravak.cz#?#.col.span-3[id^="yui_"] > .sqs-block > .sqs-block-content > p:contains(Banner)
+cs-dopravak.cz###sidebar .col[id^="yui_"] > .sqs-block[data-block-type="5"]
+cs-dopravak.cz#?##sidebar .col[id^="yui_"] > .sqs-block > .sqs-block-content > p > strong:contains(Reklama)
+! https://github.com/AdguardTeam/AdguardFilters/issues/11791
+@@||static.cz.prg.cmestatic.com/static/cz/shared/js/advert.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/33226
+! https://github.com/AdguardTeam/AdguardFilters/issues/11748
+aktualne.cz##.souvisejici-box > .idvert-wrapper
+aktualne.cz##.stranka > div[class]:not(.leva-strana):not([id]) > div[class*="-obal"]:not(#graphics-obal) > div[class]:not([id])
+aktualne.cz##.sponzorovane
+aktualne.cz###reklama-exchange_eko
+aktualne.cz##div[class*="reklama-"]
+aktualne.cz##.medium-rectangle
+aktualne.cz###kulubulu-mulu
+aktualne.cz##div[data-ec-list="hp-psd"] > .bezcary + div[class][id]
+aktualne.cz##.special-obal
+! https://github.com/AdguardTeam/AdguardFilters/issues/11748#issuecomment-367510890
+! https://github.com/AdguardTeam/AdguardFilters/issues/11585
+peugeotclub.eu#@#.reklama
+! https://github.com/AdguardTeam/AdguardFilters/issues/10776
+@@||img.blesk.cz/js/base-cz/advert.js
+@@||img.blesk.cz/static/data/blesk/reklama/advertisment.js
+blesk.cz##div[data-vr-zone^="Komerční sdělení"]
+blesk.cz##.ads
+blesk.cz##div[class^="stickyContentBottom_"]
+blesk.cz##div[id^="ads-"]
+blesk.cz###mimibazar-block
+blesk.cz###article div[class*="etext"][class*="_"]:not([id])
+! https://github.com/AdguardTeam/AdguardFilters/issues/7873
+novinky.cz#%#//scriptlet("abort-on-property-read", "AdBlockTest")
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/6880
+videacesky.cz#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links { display: block !important; }
+videacesky.cz##.advert
+! https://github.com/AdguardTeam/AdguardFilters/issues/6767
+iprima.cz##.banner
+iprima.cz##.vjs-marker-ad
+iprima.cz###AdTrackVideoPlayer
+||iprima.cz/*/*tagid=*&keywords=$domain=iprima.cz
+! https://github.com/AdguardTeam/AdguardFilters/issues/169933
+fastshare.cloud/top*?utm_source=*&utm_medium=*&utm_campaign=$domain=warforum.xyz
+warforum.xyz###popwrapper
+! sme.sk - adblock detection
+||cdn.tinypass.com^$domain=sme.sk
+! https://forum.adguard.com/index.php?threads/19077/
+||extra.cz/*/*pripad
+! https://forum.adguard.com/index.php?threads/10320/
+extra.cz#%#//scriptlet('set-constant', 'windowWidth', '300')
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/2893
+||mobilmania.cz/RssHubPager.ashx
+! https://github.com/AdguardTeam/AdguardFilters/issues/2737
+@@||mitsubishiclub.cz^$generichide
+!
+.cz/ads/$~object,domain=~hcplzen.cz
+! mobilmania.cz - broken player
+@@||mf.advantage.as/if/imcreat.php$domain=mobilmania.cz
+!
+sledujserialy.sk##.w-episode-source > div[id][style^="position: absolute; top: 0"]:not([class])
+best4you.sk##a[href*="Onlinefilmy.eu"]
+best4you.sk##a[href*="tipsport.sk"]
+best4you.sk##img[src="/images/multisharesk.gif"]
+best4you.sk##img[width="560"][height="90"]
+best4you.sk##img[width="690"][height="90"]
+letemsvetemapplem.eu###headervelka
+tipcars.com###homepage_reklamni_pruh
+tipcars.com###kosilka_reklama_td
+tipcars.com###loading
+amateri.cz###menu > div.box:nth-child(3)
+forum.iphone.cz###rightcolumn > .in > h3:first-child
+forum.iphone.cz###rightcolumn > .in > h3:first-child + div
+in-pocasi.cz###topbanner
+tipcars.com###vrstva_hlaska_okna
+autorevue.cz##.adblock-leaderboard-clip
+mobilmania.cz##.advantage-clip
+tipcars.com##.nas_banner
+tipcars.com##.nase_reklama
+freevideo.cz##.topstory
+@@||googletagmanager.com^$domain=mobilmania.cz
+@@||mf.advantage.as/if/imshow.php$domain=f1sport.autorevue.cz
+@@||mfstatic.cz/js/advantage.min.js$domain=mobilmania.cz
+@@||stream.cz/static/js/stream/IssueDetector/advert.js
+forum.iphone.cz##[src^="http://forum.iphone.cz/julek/west-coast-2.jpg"]
+in-pocasi.cz##a[href^="http://go.cz.bbelements.com/"]
+rozzlobenimuzi.com##body > a
+||egrensis.cz/images/banner/
+||forum.iphone.cz/julek/west-coast-2.jpg$domain=forum.iphone.cz
+||mobilmania.cz/Client.Scripts/Controls.Google.Tracker.js
+||mobilmania.cz/Client.Scripts/tracking.js
+||www2.ebm.cz/include/bannery/
+!------------------
+!---- JS rules ----
+!------------------
+mobilmania.cz#%#AG_onLoad(function() { window.VIDEO_AD_FORCE_YT = true; });
+!------------------
+!---- CSS fixes ---
+!------------------
+cez.cz#$#body { background: #333!important; }
+!---------------------------------------------------------------------
+!------------------------------ Danish -------------------------------
+!---------------------------------------------------------------------
+! NOTE: Danish
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/189667
+feltet.dk##body > div[style="width: 100%;height: 80vh;background-color: #ccc; overflow: hidden;"]
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=feltet.dk
+! https://github.com/AdguardTeam/AdguardFilters/issues/184557
+||stads.dot-e.dk^$domain=senest.dk
+senest.dk#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+senest.dk##.generic-widget > .group[class*="d-none-"]:has(> .code-element:only-child > div[data-ad-unit-id])
+! https://github.com/AdguardTeam/AdguardFilters/issues/166942
+jyllands-posten.dk##body section[id^="monster_"]
+jyllands-posten.dk,finans.dk##body div[class*=banner-container]
+! https://github.com/AdguardTeam/AdguardFilters/issues/153960
+@@||bt.dk/build/prebid-ads-advertisement_adbanner.*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/150613
+jobindex.dk##div[aria-label="Annonce"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/132127
+||v.fwmrm.net/ad/g/$domain=ekstrabladet.dk,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/71402
+||img.sofabold.dk/images/banner
+sofabold.dk##.centerMgfx
+sofabold.dk##.top_b_display
+sofabold.dk##div[class^="sidebanner"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/66474
+@@||cdn.maskinbladet.dk/*assets/templates/*/img/adblocker/ads.png
+maskinbladet.dk#%#//scriptlet("prevent-setTimeout", "/doCheck\(.,.\)/")
+! https://github.com/AdguardTeam/AdguardFilters/issues/58154
+trendsales.dk##.top__banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/55721
+ni.dk#@#a[href*=".adform.net/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/55472
+@@||borsen.dk/themes/borsen.dk/js/dfp.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/54516
+@@||v.fwmrm.net/ad/g/1$domain=bold.dk
+@@||v.fwmrm.net/ad/l/1$domain=bold.dk
+@@||v.fwmrm.net/crossdomain.xml$domain=bold.dk
+||freewheel-mtgx-tv.akamaized.net/*.mp4$media,redirect=noopmp4-1s,domain=bold.dk
+! https://github.com/AdguardTeam/AdguardFilters/issues/52411
+xn--bredbnd-ixa.dk##div[class^="speedtest-bg"] > a > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/52093
+||freewheel-mtgx-tv.akamaized.net^$media,domain=tv3sport.dk
+! https://github.com/AdguardTeam/AdguardFilters/issues/41558
+jyllands-posten.dk##.bpTopPlacement
+! https://github.com/AdguardTeam/AdguardFilters/issues/29017
+dagensbyggeri.dk###megaboard-top-container
+dagensbyggeri.dk#$#.ads { display: block!important; }
+@@||dagensbyggeri.dk/assets/templates/dagensbyggeri/gfx/ads.png
+! https://forum.adguard.com/index.php?threads/ekstrabladet-dk.29696/
+finans.dk##.baPosition
+! https://github.com/AdguardTeam/AdguardFilters/issues/21470
+maskinbladet.dk##.openx-iframe-wrapper
+@@||maskinbladet.dk/assets/templates/2016_maskinbladet/images/ads.png
+! https://github.com/AdguardTeam/AdguardFilters/issues/17005
+politiken.dk##.ad--horseshoe
+politiken.dk##div[class^="ad ad--ctx-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/16229
+! https://github.com/AdguardTeam/AdguardFilters/issues/15287
+!+ NOT_OPTIMIZED
+newz.dk##.top-interstitial
+! https://github.com/AdguardTeam/AdguardFilters/issues/12977
+information.dk##.ib-wrap
+! https://github.com/AdguardTeam/AdguardFilters/issues/12132
+ekstrabladet.dk##.eb-position
+ekstrabladet.dk#?#.fnSpaceManagement > div:has(> .widgetiframe)
+! https://github.com/AdguardTeam/AdguardFilters/issues/11884
+||boost-cdn.manatee.dk/config/mboost
+! https://github.com/AdguardTeam/AdguardFilters/issues/10145
+mx.dk#$##wrapper > #leaderboard > div { display: block!important; }
+mx.dk###wrapper > #leaderboard
+mx.dk##[class^="ad_"][class$="_300x250"]
+! https://forum.adguard.com/index.php?threads/inputmag-dk-adblock-detection.26940/
+@@||inputmag.dk/wp-content/themes/jannah/js/advertisement.js
+||inputmag.dk/wp-content/uploads/*/*_Galaxy-_takeover_$image
+inputmag.dk#$#html > body { background-image: none!important; }
+! https://forum.adguard.com/index.php?threads/ekstrabladet-dk.21978/
+ekstrabladet.dk##.mar-m--tb .native-element.list-wrapper
+! https://forum.adguard.com/index.php?threads/marca.20946/
+||boost.manatee.dk/srx/srx_lib_block_$script,other
+!
+vibilagare.se##.banner
+nordschleswiger.dk##.TopAdvertising-Content-Wrapper
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1485
+@@||jyllands-posten.dk/app/*ads*.js
+!---------------------------------------------------------------------
+!------------------------------ Estonian -----------------------------
+!---------------------------------------------------------------------
+! NOTE: Estonian
+!
+! delfi.ee
+@@||ado.delfi.ee/files/js/ado.js$script,domain=delfi.ee
+delfi.ee###city24_precom
+delfi.ee###right
+delfi.ee###section > div.aside
+delfi.ee##.C-banner
+delfi.ee##.cxense-news
+delfi.ee##.md-banner-placement
+delfi.ee##.pysipinnad--textlinks
+delfi.ee##a[href^="http://ap.delfi.ee/b?"]
+delfi.ee##div[class$="col-has-ad"] div[id^="dwidget"]
+delfi.ee##div[class$="col-has-ad"] table
+delfi.ee#$#body { margin-top: auto!important; }
+||ap.delfi.ee^
+||delfi.ee/misc/cobancar/*.php$subdocument
+||delfi.lv/news_export$domain=~delfi.ee|~delfi.lv
+digileht.epl.delfi.ee##.pagebreak-banner
+||ado.delfi.ee^
+!
+elle.de##.placeholdercontainer
+! https://github.com/AdguardTeam/AdguardFilters/issues/142269
+laanevirumaauudised.ee##.ads-panorama
+! https://github.com/AdguardTeam/AdguardFilters/issues/125513
+postimees.ee#%#//scriptlet("prevent-setTimeout", "adblockNotif")
+postimees.ee#$#body > div[id] > div[style^="height: 1px; width: 1px; background-color: transparent;"] { display: block !important; }
+postimees.ee#@#.ad01
+postimees.ee#@#.dfp_ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/122081
+! https://github.com/AdguardTeam/AdguardFilters/issues/117521
+geenius.ee#%#//scriptlet("set-constant", "advanced_ads_ready", "noopFunc")
+geenius.ee##div[class^="ad-geenius-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/83267
+ilm.pri.ee##.adsense
+! https://github.com/AdguardTeam/AdguardFilters/issues/77533
+hinnavaatlus.ee##.header-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/74049
+||harjuelu.ee/wp-content/banners/
+! https://github.com/AdguardTeam/AdguardFilters/issues/74048
+inforegister.ee##.ad-big-top
+inforegister.ee##div[class^="towerBanner"]
+inforegister.ee#$#.bg-shaft.header-bar { top: 0 !important; }
+inforegister.ee#$#div[class="row-fluid main"][id="main"] { margin-top: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/73456
+elu24.ee##.section-branding-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/53388
+foorum.bmwclub.ee##.phpbb-ads-center
+! https://github.com/AdguardTeam/AdguardFilters/issues/45658
+ilm.ee#$#body { background: none!important; }
+ilm.ee##.marquee0
+ilm.ee##.rekl
+ilm.ee##.tekstilingid
+ilm.ee#$#header.trim > div.container { margin-top: auto!important; }
+ilm.ee##.thisad
+ilm.ee###taust
+geenius.ee##.ad
+telegram.ee###headerbanner > .banner
+mail.ee###inx-main-roof
+mail.ee###inxAds-imr
+mail.ee##.b-promo
+mail.ee##.b-text-ads
+posti.mail.ee##tbody#eml-list__tbody > tr[id^="row"] > td
+||posti.mail.ee/banners/
+kava.ee##.kava_ad_chilli
+||static.chilli.ee^$domain=kava.ee
+! https://forum.adguard.com/index.php?threads/23477/
+!---------------------------------------------------------------------
+!------------------------------ Finnish ------------------------------
+!---------------------------------------------------------------------
+! NOTE: Finnish
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/180756
+! Website validates VMAP using DOMParser, so the script below adds a valid VMAP if the argument is '{}'
+! and that argument is an empty object due to the prevent fetch rule
+mtv.fi#%#!function(){const r={apply:(r,o,e)=>(e[0]?.includes?.("{}")&&(e[0]="\n"),Reflect.apply(r,o,e))};window.DOMParser.prototype.parseFromString=new Proxy(window.DOMParser.prototype.parseFromString,r)}();
+mtv.fi#%#//scriptlet('trusted-replace-fetch-response', '/()[\s\S]*<\/VAST>/', '$1', 'v.fwmrm.net/ad/')
+!+ PLATFORM(windows, mac, android, ext_chromium, ext_opera)
+mtv.fi#%#//scriptlet('prevent-fetch', 'v.fwmrm.net')
+! https://github.com/AdguardTeam/AdguardFilters/issues/167335
+iltalehti.fi##.telkku-ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/162636
+junat.net###junatnet-campaign-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/157387
+telsu.fi#%#//scriptlet('prevent-fetch', 'googlesyndication.com')
+telsu.fi#%#(()=>{window.googletag={apiReady:!0,getVersion:function(){return"202307200101"}};})();
+telsu.fi#%#!function(){const e={apply:(e,t,n)=>{if("prg"!==t?.id)return Reflect.apply(e,t,n);const o=Reflect.apply(e,t,n);return Object.defineProperty(o,"top",{value:500}),o}};window.Element.prototype.getBoundingClientRect=new Proxy(window.Element.prototype.getBoundingClientRect,e)}();
+telsu.fi#$#.pb_t { display: none !important; }
+! https://github.com/uBlockOrigin/uAssets/issues/14204
+||es.ylilauta.org^
+ylilauta.org##.card.a
+! ruutu.fi - video ads
+||nelonenmedia-pmd-ads-*.nm-stream.nelonenmedia.fi/*.mp4$media,redirect=noopmp4-1s,domain=ruutu.fi
+! https://github.com/AdguardTeam/AdguardFilters/issues/78743
+tennisassa.fi#$?#.page-content__main > div.module:first-child > div.module__content div.ad--container:upward(div.module) { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/60249
+kuvake.net#@#.ad728x90
+kuvake.net##div[style*="min-width: 300px; max-width: 450px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/43726
+@@||videoplaza.tv/proxy/pulse-sdk-html*latest.min.js$domain=mtvuutiset.fi
+! https://github.com/AdguardTeam/AdguardFilters/issues/41783
+hinta.fi###hv-wrapper-top
+! https://github.com/AdguardTeam/AdguardFilters/issues/39393
+aamulehti.fi##.parade-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/34139
+is.fi###kumppaneiden-tarjoukset
+! https://github.com/AdguardTeam/AdguardFilters/issues/41461
+@@||pakkotoisto.com/js/siropu/am/ads.min.js$domain=pakkotoisto.com
+pakkotoisto.com##.samBannerUnit
+! https://github.com/AdguardTeam/AdguardFilters/issues/34619
+!
+riemurasia.net###container > div[class^="slide_"]
+riemurasia.net#?##container > div.main-div > div[id]:has(>script[data-adfscript])
+||kuvake.net^$domain=naurunappula.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/29464
+mtvuutiset.fi##.ad-container
+mtvuutiset.fi##.leaderboard
+! https://github.com/AdguardTeam/AdguardFilters/issues/9411
+||ads-*.nelonenmedia.fi/ads/*.mp4
+! https://forum.adguard.com/index.php?threads/7957/
+!---------------------------------------------------------------------
+!------------------------------ Georgian -----------------------------
+!---------------------------------------------------------------------
+! NOTE: Georgian
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/185650
+myhome.ge##div[class*="md\:flex h-\[100px\] md\:h-\[90px\]"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/151672
+||sab.fast.ge^
+! https://github.com/AdguardTeam/AdguardFilters/issues/146807
+gtorr.net##.super-vip
+! https://github.com/AdguardTeam/AdguardFilters/issues/136713
+aura.ge##a[href="https://trinx.ge/"]
+aura.ge##a[href="https://talizi.ge/ka/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/133987
+forum.ge##img[width="240"][height="50"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/132294
+forum.ge##a[title="reklama"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/125199
+croconet.ge##.bunner_section:not(:first-child)
+||croconet.ge/ads-crocobet/
+||croconet.ge/*/assets/data/banners_data.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/99608
+goal.ge##.web-promotion
+! https://github.com/AdguardTeam/AdguardFilters/issues/78418
+overclockers.ge##a[href="https://topbuy.ge"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/70325
+srulad.com###pause_banner
+srulad.com##iframe[data-src^="assets/banners/"]
+||srulad.com/ads.php
+||srulad.com/assets/banners/
+||srulad.com/assets/frontend/js/dist/vast.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/50049
+adjaranet.com##div[class^="styled__StyledBanner-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/43213
+adjaranet.com##.hedgehog-overlay-gg
+adjaranet.com##a[href^="https://open5.myvideo.ge/delivery/ck.php?"]
+adjaranet.com##iframe[src^="https://bms.adjarabet.com/BMS/bms.php"]
+adjaranet.com##div[class^="sc-"][width="980"][height="150"]:empty
+adjaranet.com#?#div[class^="sc-"][width="980"][height]:has(> div[id^="beacon_"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/40686
+||myvideo.ge/delivery/*.php?*vast
+! https://github.com/AdguardTeam/AdguardFilters/issues/39640
+movie.ge##.rss_container
+! https://github.com/AdguardTeam/AdguardFilters/issues/38984
+geocanabis.com#?#.ipsLayout_right > div[class^="ipsSideBlock clearfix __"]:has(> a > img[src^="https://geocanabis.com/banner-"])
+||geocanabis.com/banner
+geocanabis.com###sidebar2
+! https://github.com/AdguardTeam/AdguardFilters/issues/37596
+mymarket.ge,myhome.ge##.full-banner
+mymarket.ge,myhome.ge,myparts.ge,myjobs.ge##.banner
+myhome.ge##body .h-banners
+! https://github.com/AdguardTeam/AdguardFilters/issues/78417
+||sab.fast.ge/www/*/*.$domain=forum.ge
+||forum.ge/trash/ads_down.gif
+||forum.ge/trash/basisbank2.jpg
+||forum.ge/trash/Proservice_domain.png
+forum.ge###advert-three
+! https://github.com/AdguardTeam/AdguardFilters/issues/34923
+myauto.ge##.medium-banner
+myauto.ge##.banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/34704
+imovies.cc##.ggg-container
+imovies.cc##.header-banner
+imovies.cc##iframe[src*=".myvideo.ge/delivery/"]
+||myvideo.ge/delivery/*.php?$domain=imovies.cc
+! https://github.com/AdguardTeam/AdguardFilters/issues/33569
+livesport.ge###banner
+livesport.ge###footerbanner
+||livesport.ge/js/banner.js
+!
+||autopapa.ge/system/content/banners
+autopapa.ge##.top-rek
+!---------------------------------------------------------------------
+!------------------------------ Greek --------------------------------
+!---------------------------------------------------------------------
+! NOTE: Greek
+!
+tovima.gr##.das-billboard
+||parallaximag.gr/infeeds/sponsored.txt
+parallaximag.gr##div[class*="nx-ad-"]
+parallaximag.gr##.nx-desktop-ad
+filologikosxoleio.gr###wrapper div[id^="custom_html-"]:has(div.textwidget:empty)
+filologikosxoleio.gr###block-4
+||e-evros.gr/banners/*.gif
+e-evros.gr##.row:has(> div[class^="col-"] > div.card .card-header + .card-body a[data-caption="business map"]) ~ div.row
+omonoia24.com##a[href*="window.open(window.clickTag)"]
+omonoia24.com##div[id^="omono-"]
+||lottie.host^$domain=omonoia24.com
+||omonoia24.com/wp-content/uploads/*.gif
+||omonoia24.com/wp-content/uploads/*/PANIKOS-*.png
+offsite.com.cy##.top-bar-container
+offsite.com.cy##section[id^="block-gamwadvertisement"]
+tvxs.gr##.sponsored-area
+gazzetta.gr##.in_read_inread
+reader.gr##.inline_ads
+reader.gr###in_read_dfp_inread
+||lawspot.gr/sites/default/files/partner_images/
+tomanifesto.gr##.ad
+eleftherostypos.gr##div[data-ocm-ad]
+tainio-mania.online##a[href^="https://affcpatrk.com/"]
+coverapi.store##.home_lefts
+queen.gr##.inline-banner
+kathimerini.gr##.nx-billboard-ad-row
+! https://github.com/AdguardTeam/AdguardFilters/issues/182674
+lamiareport.gr##.head728
+lamiareport.gr###backgroundlink
+lamiareport.gr#$#html > body { background-image: none !important; background-color: initial !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/179411
+||cdn.opecloud.com/ope-adweb.js
+||t.atmng.io/adweb/*.prod.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/179410
+protoselidaefimeridon.gr##.add_top
+! https://github.com/AdguardTeam/AdguardFilters/issues/176874
+enternity.gr#$?#a#background_custom { remove: true; }
+enternity.gr#$#.main_content.article_page { margin-top: inherit !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/172878
+ygeiamou.gr##.banners-section
+! https://github.com/AdguardTeam/AdguardFilters/issues/172511
+bookpress.gr##.banneritem
+! https://github.com/AdguardTeam/AdguardFilters/issues/168347
+insomnia.gr###main div.ad.insMainAd
+! https://github.com/AdguardTeam/AdguardFilters/issues/164361
+zougla.gr##.diaf
+zougla.gr##.diaf-banner
+zougla.gr##.widget-diaf
+zougla.gr##.post-inline-diaf
+zougla.gr##.inline-diaf-title
+! https://github.com/AdguardTeam/AdguardFilters/issues/160360
+gazzetta.gr##.ad
+gazzetta.gr#%#//scriptlet('set-constant', 'Adman', 'emptyObj')
+! https://github.com/AdguardTeam/AdguardFilters/issues/154427
+capital.gr##.bestprice__placeholder
+! https://github.com/AdguardTeam/AdguardFilters/issues/153337
+! https://github.com/AdguardTeam/AdguardFilters/issues/152747
+gazzetta.gr###bwin1200x30ros
+gazzetta.gr##.admanager-content
+gazzetta.gr##a[rel^="sponsored"]
+gazzetta.gr##a[href^="https://rt.novibet.partners/"] > img
+gazzetta.gr##.in_read_dfp
+gazzetta.gr##.bestprice__placeholder
+gazzetta.gr##.bettotal
+gazzetta.gr#?#.sticky-inside > h3:contains(CASINO)
+gazzetta.gr##.sticky-inside .cosmotetv-heading
+gazzetta.gr##.sticky-inside .cosmotetv-heading + .tab-parent
+! https://github.com/AdguardTeam/AdguardFilters/issues/151913
+capital.gr##body #top72890Banner
+capital.gr##div[id^="RECS_WIDGET_"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/151686
+@@||cdn.orangeclickmedia.com/tech/libs/ocm_iab_compliance.js$domain=protothema.gr
+! https://github.com/AdguardTeam/AdguardFilters/issues/151522
+lifo.gr##.adv
+! https://github.com/AdguardTeam/AdguardFilters/issues/150884
+news.xiaomi-miui.gr##aside div.widget:has(> div[class^="google_responsive_"])
+news.xiaomi-miui.gr##div[class^="google_responsive_"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/149272
+newsit.gr##body .advert-badge
+! https://github.com/AdguardTeam/AdguardFilters/issues/148715
+ethnos.gr##.adv-section
+ethnos.gr##div[id^="article_inline_"][data-ocm-ad]
+ethnos.gr#$##ag-inread { position: absolute !important; left: -3000px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/148868
+tlife.gr##div[style="height:286px;"]
+tlife.gr##.advert
+tlife.gr#?#.sidebar-wrapper > div.sticky-block:has(> div.advert)
+tlife.gr#?#.sticky-block:has(> div.sticky > div.advert)
+tlife.gr#?##content > div.center:has(> div.content-wrapper > div.taboola-feed)
+tlife.gr#?#.blog-list > div.blog-post:has(> div.abs)
+! https://github.com/AdguardTeam/AdguardFilters/issues/148789
+||politic.gr/wp-content/uploads/2022/12/imgpsh_fullsize_anim-1-2.gif
+politic.gr#?#.sticky-sidebar > section[id^="block-"]:has(> div.wp-block-image > figure > a[href][target="_blank"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/148276
+newsit.gr##.sticky-wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/146577
+newpost.gr##div[id^="billboard"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/146642
+skai.gr##.taboola
+! https://github.com/AdguardTeam/AdguardFilters/issues/143227
+enternity.gr##div[class^="ad_"]
+enternity.gr##.aent-mis
+! https://github.com/AdguardTeam/AdguardFilters/issues/137413
+thestival.gr###ros_featured
+thestival.gr##.Text > div[id^="inline"]
+thestival.gr###custom_html-28
+thestival.gr###custom_html-29
+thestival.gr###custom_html-30
+thestival.gr##div[style^="width: 300px;"][style*="height: 250px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/136221
+bestprice.gr##.prices__group[data-is-promoted=""]
+! https://github.com/AdguardTeam/AdguardForAndroid/issues/4260
+efsyn.gr##.adv
+! https://github.com/AdguardTeam/AdguardFilters/issues/131208
+tovima.gr##div[class^="das-300-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/130437
+in.gr##.das-mmiddle
+||epimenidis.in.gr/shopflix/widget.php$domain=in.gr
+in.gr##.shopflix-wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/130193
+naftemporiki.gr#?#.rightContainer > div.Box:has(> div.socialWidget) ~ div
+! https://github.com/AdguardTeam/AdguardFilters/issues/128972
+newsit.gr##.advert-badge
+! https://github.com/AdguardTeam/AdguardFilters/issues/128139
+newsbeast.gr##.amSlotFeed
+newsbeast.gr##.sidebarAmSlot
+newsbeast.gr##.undeMenuAmSlot2
+newsbeast.gr##.amSlotInReadVideo
+||newsbeast.gr/api/fallbackManager?
+newsbeast.gr#$#.adsbox.doubleclick.ad-placement { display: block !important; }
+newsbeast.gr#%#//scriptlet('prevent-setTimeout', 'adsbox')
+! https://github.com/AdguardTeam/AdguardFilters/issues/125995
+thepressproject.gr#@#iframe[width="100%"][height="120"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/124277
+mixanitouxronou.gr##.narrow-ad
+mixanitouxronou.gr##div[class="prel min-height"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/123498
+esos.gr##.pane-ad-manager
+! https://github.com/AdguardTeam/AdguardFilters/issues/121555
+gamatotv.info#%#//scriptlet("remove-attr", "href", "a[href]#clickfakeplayer")
+! https://github.com/AdguardTeam/AdguardFilters/issues/115221
+insider.gr##.admanager-content
+! https://github.com/AdguardTeam/AdguardFilters/issues/110879
+newsit.gr##.advert
+newsit.gr##.inside-article > div[style="min-height: 280px;"]
+newsit.gr#?#.inside-article > .postcontent:has(> .story_content > div[id^="taboola-"])
+newsit.gr#?#.entry-content > .sticky-wrapper:has(> .sticky-block > .sticky > #inread-video:empty)
+! https://github.com/AdguardTeam/AdguardFilters/issues/111190
+mikrometoxos.gr##img[src*="/BANNER_"][src*="_970x250."]
+mikrometoxos.gr##a[href*="utm_source=banner&utm_medium=mikrometoxos.gr&utm_campaign=banner"] > img
+||wp.com/www.mikrometoxos.gr/wp-content/uploads/*/BANNER_*_970x250.png$domain=mikrometoxos.gr
+! https://github.com/AdguardTeam/AdguardFilters/issues/111148
+tainio-mania.online##a[href^="https://syndication.optimizesrv.com/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/111101
+tainio-mania.online##div[class^="myput"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/111032
+@@||movio.club/js/prebid-ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/101424
+sport24.gr###agora-inread
+! https://github.com/AdguardTeam/AdguardFilters/issues/99386
+athinorama.gr##div[id^="ParentOFdiv-gpt-ad-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/97986
+bankingnews.gr##script[data-server^="ADMAN"] + a[target="_blank"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/95992
+protothema.gr##.bannerWrp
+! https://github.com/AdguardTeam/AdguardFilters/issues/88485
+moviez.space#%#//scriptlet("abort-on-property-read", "adLoadError")
+moviez.space#$#.ads.adsbygoogle { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/85383
+greekcitytimes.com##aside[class^="ad_"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/78433
+gamato3.com##iframe[src^="https://syndication.optimizesrv.com/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/77162
+sport24.gr###someplaceholder
+! https://github.com/AdguardTeam/AdguardFilters/issues/70382
+kefaloniapress.gr##.wpb_wrapper > .tagdiv-type > .td_mod_wrap > .metaslider
+! https://github.com/AdguardTeam/AdguardFilters/issues/69979
+xo.gr###tk_centralBanner
+xo.gr##div[class*="Banner"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/60870
+news247.gr##body .ad-widget
+sport24.gr##div[id^="ros-300x250"]
+! https://forum.adguard.com/index.php?threads/oneman-adblock-detect.39056/
+oneman.gr##.ads_element
+! https://github.com/AdguardTeam/AdguardFilters/issues/57331
+onlinemovie.one#%#//scriptlet("remove-attr", "href", "a[href]#clickfakeplayer")
+! https://github.com/AdguardTeam/AdguardFilters/issues/50168
+||info-war.gr/wp-content/uploads/2020/01/DEBTFREE-300X300-GR2.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/49308
+angroid.gr##.aflinkor
+! https://github.com/AdguardTeam/AdguardFilters/issues/47915
+bestprice.gr###filters-aside > .ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/63621
+bestprice.gr##.product__wrapper--promoted
+bestprice.gr##a[class^="promo"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/48046
+lexigram.gr##.col1 > div[style="margin-top: 95px; height: 130px; text-align: center; min-height: 130px; "] > p
+lexigram.gr#?##tdAdL > center:contains(Διαφήμιση)
+lexigram.gr#?##tblAdR td > center:has(> p:contains(Διαφήμιση))
+lexigram.gr#$#.col1 > div[style="margin-top: 95px; height: 130px; text-align: center; min-height: 130px; "] { min-height: 0px !important; height: 1px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/47521
+||go.linkwi.se/delivery/
+@@||ets2.gr/js/siropu/am/ads.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/45660
+iefimerida.gr#@#.ads-loaded
+! https://github.com/AdguardTeam/AdguardFilters/issues/45143
+parapolitika.gr#@#iframe[width="100%"][height="120"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/42521
+newsthessaloniki.gr##.adace-slideup-slot-wrap
+@@||newsthessaloniki.gr/wp-content/*/adblock-detector/advertisement.js
+newsthessaloniki.gr#%#//scriptlet("set-constant", "jQuery.adblock", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/39991
+@@||xiaomi-miui.gr/*/advertisement.js
+xiaomi-miui.gr#%#//scriptlet("set-constant", "$easyadvtblock", "false")
+xiaomi-miui.gr#?##content > .tabularBox:has(> div > .teaserBoxContent > .teaserBoxContentList > .teaserBoxContentListItem > a[href^="http://www.mygad.gr/?tracking="])
+! https://github.com/AdguardTeam/AdguardFilters/issues/35957
+newsbomb.gr##.textlinks > div.textlink > a[rel="nofollow noopener"]
+newsbomb.gr##.banner-section
+newsbomb.gr###taboola-below-article-thumbnails
+! https://github.com/AdguardTeam/AdguardFilters/issues/31499
+gazzetta.gr##.content a[target="_blank"] > img
+gazzetta.gr##div#right_sidebar .ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/30314
+enikos.gr##.billboard-wrap
+enikos.gr#?#.content-wrap:has(> .googadd)
+enikos.gr#?#.footer-wrap:has(> div[id^="FootDesk_A_"])
+!
+||militaire.gr/banners^
+militaire.gr##.td-header-sp-recs
+echoes.gr##.adsbygoogle
+echoes.gr##section[style="min-height: 252px"]:not([class]):not([id])
+@@||cdnjs.cloudflare.com/ajax/libs/videojs-contrib-ads^$domain=in.gr
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=in.gr
+://gom.ge/cookie.js
+gom.ge##a[href="http://topkinoebi.com/"]
+!---------------------------------------------------------------------
+!---------------------------------------------------------------------
+!------------------------------ Hebrew -------------------------------
+!---------------------------------------------------------------------
+! NOTE: Hebrew
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/189226
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=mako.co.il
+! https://github.com/AdguardTeam/AdguardFilters/issues/184829
+||target.hidabroot.org^
+! https://github.com/AdguardTeam/AdguardFilters/issues/183108
+now14.co.il##.fit-banner-size
+! https://github.com/AdguardTeam/AdguardFilters/issues/180277
+13tv.co.il#%#//scriptlet('set-session-storage-item', 'session_view', '21')
+@@||imasdk.googleapis.com/pal/sdkloader/pal.js$domain=13tv.co.il
+! https://github.com/AdguardTeam/AdguardFilters/issues/172759
+! https://github.com/AdguardTeam/AdguardFilters/issues/172050
+ynet.co.il##div[id^="taboola"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/151660
+jdn.co.il##iframe[src^="https://advertising.jdn.co.il/"]
+jdn.co.il#$?#.fp-playlist-external a[data-item*="Video Ad"] { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/148948
+detaly.co.il##.content_dtly_ads
+nep.detaly.co.il##.nep_reck
+! https://github.com/AdguardTeam/AdguardFilters/issues/120867
+13tv.co.il#%#//scriptlet('prevent-fetch', 'www3.doubleclick.net')
+! https://github.com/AdguardTeam/AdguardFilters/issues/116912
+||ban.bhol.co.il^
+||ext.bhol.co.il^
+||st1.bhol.co.il^
+bhol.co.il##div[id^="interstitial-caption-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/116760
+prog.co.il#%#//scriptlet("prevent-setTimeout", "adView")
+prog.co.il#%#//scriptlet("abort-current-inline-script", "$", "adsBlocked")
+! https://github.com/AdguardTeam/AdguardFilters/issues/115272
+b7net.co.il##.MainBorders div.Banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/102435
+ynet.co.il###blanket:empty
+! https://github.com/AdguardTeam/AdguardFilters/issues/95095
+hwzone.co.il#%#//scriptlet("abort-on-property-read", "gothamBatAdblock")
+hwzone.co.il#$#.publicite.text-ad.adsbox { display: block !important; }
+! ashkelonim.co.il - ads
+ashkelonim.co.il##.FloatingAd
+ashkelonim.co.il##.Banner
+ashkelonim.co.il#$#.Banner { position: absolute !important; left: -3000px !important; }
+ashkelonim.co.il#%#//scriptlet("abort-current-inline-script", "$", "setImageBanner")
+! https://github.com/AdguardTeam/AdguardFilters/issues/66838
+||newshaifakrayot.net/bannershtml/
+newshaifakrayot.net##.banner_con
+! https://github.com/AdguardTeam/AdguardFilters/issues/64196
+sdarot.tv##div[class="row nomar"] > div.col-md-12 > a[target="_blank"] > img
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/62416
+!Start: walla.co.il
+walla.co.il#%#(function() { try { if ("undefined" != typeof localStorage) { localStorage.setItem("sdfgh45678", "") } } catch (ex) {} })();
+walla.co.il#%#(function() { try { if ("undefined" != typeof localStorage) { localStorage.setItem("__leslieData", "") } } catch (ex) {} })();
+walla.co.il#%#(function() { try { if ("undefined" != typeof localStorage) { localStorage.setItem("__leslie_dynamic", "") } } catch (ex) {} })();
+!
+walla.co.il##iframe[src^="https://campaigns.yad2.co.il/"]
+||campaigns.yad2.co.il^$domain=walla.co.il
+||walla.co.il/p.php
+||walla.co.il/cdn/swordfish.js
+||walla.co.il/js/walla.js
+||sheee.co.il/js/walla.js
+/walla.js$third-party,domain=walla.co.il
+!+ NOT_PLATFORM(windows, mac, android, ext_ff)
+sheee.co.il,walla.co.il#$?#head iframe { remove: true; }
+! walla.co.il#%#//scriptlet('remove-cookie', '/^([a-zA-Z0-9]{40,70}|[a-zA-Z0-9]{8,11})$/')
+sheee.co.il,walla.co.il#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links { display: block !important; }
+||cm.g.doubleclick.net/pixel?$image,redirect=1x1-transparent.gif,domain=sheee.co.il|walla.co.il
+||stats.g.doubleclick.net/r/collect?$image,redirect=1x1-transparent.gif,domain=sheee.co.il
+||stats.g.doubleclick.net/*/collect?$xmlhttprequest,redirect=nooptext,domain=sheee.co.il
+!+ NOT_PLATFORM(ext_ublock)
+walla.co.il#@%#//scriptlet('ubo-aopw.js', 'upManager')
+!+ NOT_PLATFORM(ext_ublock)
+walla.co.il#@%#//scriptlet('ubo-acis.js', 'btoa', 'upManager')
+!End: walla.co.il
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/60889
+ynet.co.il##.marketingRecommended
+!+ NOT_PLATFORM(ext_ublock)
+ynet.co.il#@%#//scriptlet('ubo-aopw.js', 'upManager')
+! https://github.com/AdguardTeam/AdguardFilters/issues/59815
+hm-news.co.il#$?#a[href][data-item^='{"sources":['][data-item*='Video Ad'] { remove: true; }
+hm-news.co.il#%#//scriptlet("set-constant", "fv_player_pro.video_ads", "undefined")
+! https://github.com/AdguardTeam/AdguardFilters/issues/58620
+pricez.co.il##.ProductInCatLIB
+pricez.co.il#%#//scriptlet("abort-on-property-read", "adsBlocked")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=noopjs,domain=pricez.co.il
+! https://github.com/AdguardTeam/AdguardFilters/issues/56716
+krayot.com##.krayo-slider
+! https://github.com/AdguardTeam/AdguardFilters/issues/55038
+@@||globes.co.il/news/inc/banners/ad_banner.js
+globes.co.il#%#//scriptlet("set-constant", "document.blocked_var", "1")
+globes.co.il#%#//scriptlet("set-constant", "____ads_js_blocked", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/48600
+@@||player.ynet.co.il/*/flowplayer.ads.*.ynet.js$domain=ynet.co.il
+! https://github.com/AdguardTeam/AdguardFilters/issues/45799
+!+ NOT_PLATFORM(windows, mac, android)
+themarker.com#%#//scriptlet("prevent-addEventListener", "load", "hblocked?returnTo")
+! https://github.com/AdguardTeam/AdguardFilters/issues/45669
+@@||admedia.com/images/cross_channel_arrows.png$domain=weather2day.co.il
+! https://github.com/AdguardTeam/AdguardFilters/issues/42344
+shvoong.co.il#$#.ppsPopupShell { display: none!important; }
+shvoong.co.il#$##ppsPopupBgOverlay { display: none!important; }
+shvoong.co.il#$#html[style="overflow: hidden;"] { overflow: visible!important; }
+shvoong.co.il#$#body[style="overflow: hidden;"] { overflow: visible!important; }
+shvoong.co.il#$#html > body { background-image: none!important; cursor: default!important; }
+shvoong.co.il#%#//scriptlet("abort-on-property-read", "bg_backgrounds")
+! https://github.com/AdguardTeam/AdguardFilters/issues/37946
+haaretz.co.il###pageRoot > div > section > div > a[href^="http://bit.ly"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/42094
+rotter.net###taboola-forum_atf
+rotter.net#$?#.adsbygoogle { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/31834
+sheva7.co.il##.maavaron
+sheva7.co.il##.advertising-box-wrapp
+||sheva7.co.il/wp-content/banners/banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/27607
+walla.co.il##iframe[src^="//walla.yad2.co.il/xml_yad2/dinamic_banner_"]
+walla.co.il###root > div > div[class][style^="--vertical"] > div[class] > section.no-mobile[style^="opacity:"] > ul > li > a[href][target="_blank"] img
+fun.walla.co.il##.game-item > .pre-game
+walla.co.il##div[class^="ads-image-link"]
+! Fixing video player with EasyList Hebrew enabled
+@@||walla.co.il^$csp
+! https://github.com/AdguardTeam/AdguardFilters/issues/27608
+||taboola.com^$domain=sport5.co.il
+! https://github.com/AdguardTeam/AdguardFilters/issues/26111
+walla.co.il#%#window.atob = function() { };
+walla.co.il#%#//scriptlet("abort-current-inline-script", "atob", "TextDecoder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/24635
+! https://github.com/AdguardTeam/AdguardFilters/issues/19323
+||pijama.*.elasticbeanstalk.com^
+! https://github.com/AdguardTeam/AdguardFilters/issues/20899
+inn.co.il##.Content > .InfoIn2
+inn.co.il###divTopAd
+! https://github.com/AdguardTeam/AdguardFilters/issues/20439
+haaretz.co.il##.footer-ruler
+! https://github.com/AdguardTeam/AdguardFilters/issues/19953
+desire2music.net#?##content[role="main"] > #weeksong:has(> .d2m-banner-zone)
+desire2music.net#?##content[role="main"] > #top4:has(> .d2m-banner-zone)
+desire2music.net#$##content[role="main"] > #pirsumleft { display: none!important; }
+desire2music.net#$##content[role="main"] > #pirsumright { display: none!important; }
+desire2music.net#$##main > #primary[style="width: 100%; max-width: 470px;"] { max-width: 100%!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/19874
+||themarker.com/tm/js/resp/body_scripts/internal/plugins/adblock.js
+||themarker.com/tm/js/resp/header_scripts/internal/util/z_adblockutil.js
+themarker.com#%#//scriptlet('set-constant', 'showAds', 'true')
+themarker.com##.outbrain-wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/19324
+haaretz.co.il#$#html[class][style="overflow-y: hidden;"] { overflow: visible!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/36558
+haaretz.co.il#@#div[class*="addBlocker"]
+!+ NOT_PLATFORM(windows, mac, android)
+haaretz.co.il#%#//scriptlet("prevent-addEventListener", "load", "hblocked?returnTo")
+@@||haaretz.co.il/htz/js/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/14568
+reshet.tv##.ad-Unit-Wrp
+! https://github.com/AdguardTeam/AdguardFilters/issues/17101
+inn.co.il##.taboola
+inn.co.il###divBottomAd
+inn.co.il##.leftClm > .div300
+inn.co.il##.leftClm > #divInfT1_1
+inn.co.il##.RightClm > #divin4
+inn.co.il##.RightClm > #divin5
+inn.co.il##.NewsLeft .LeftInfo.h600
+inn.co.il###taboola-mid-main-column-thumbnails
+inn.co.il##.Content[itemprop="articleBody"] > div#infin0:empty
+||a7.org/*/*?func=Info.Insert&$domain=inn.co.il
+! https://github.com/AdguardTeam/AdguardFilters/issues/17701
+yad2.co.il##.left_column ~ .pie[style*="height: 90px; background-color"][style*="margin"]
+yad2.co.il###top_banners
+||yad2.co.il/dfp*/script/SpecialSlotsManager.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/15151
+@@||themarker.com/htz/js/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/14769
+grouponisrael.co.il##[za_campaign_id]
+! https://github.com/AdguardTeam/AdguardFilters/issues/13542
+walla.co.il##.celebs-promo
+! https://github.com/AdguardTeam/AdguardFilters/issues/11941
+reshet.tv###sidebar[ng-controller^="side_bar_ctrl"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/11683
+mako.co.il##div.ad
+mako.co.il##div[id^="top-strip-"]
+mako.co.il###mysupermarketcontainer
+! https://github.com/AdguardTeam/AdguardFilters/issues/6562
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=ynet.co.il
+! https://github.com/AdguardTeam/AdguardFilters/issues/5145
+srugim.co.il##.ads_cube
+! https://github.com/AdguardTeam/AdguardFilters/issues/4635
+ynet.co.il##.promolightboxmvc
+ynet.co.il##div[class^="MarketingCarousel"]
+||ynet.co.il/*/Teaser/MarketSchedual_
+ynet.co.il##.HomepageTwoDivAds
+ynet.co.il##div[id^="marketschedual"]
+ynet.co.il##.block.B2b.spacer div.dy_unit
+ynet.co.il##.block.B1.spacer div.general-image
+! https://github.com/AdguardTeam/AdguardFilters/issues/4241
+hometheater.co.il##div[style="width:728px; height:90px;"]
+!+ NOT_OPTIMIZED
+hometheater.co.il##td[width="900"][align="center"][valign="top"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/4112
+@@||themarker.com/dclk/dfp/test/
+themarker.com#%#AG_onLoad(function() { hasadblock = false; });
+! https://forum.adguard.com/index.php?threads/18644/
+mako.co.il#%#//scriptlet('set-constant', 'isBs', 'false')
+! https://forum.adguard.com/index.php?threads/14514/
+@@/walla_vod/*$domain=walla.co.il
+!---------------------------------------------------------------------
+!------------------------------ Hindi --------------------------------
+!---------------------------------------------------------------------
+! NOTE: Hindi
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/182788
+/kikar\.co\.il\/a\/\d+\/\d+/$subdocument,domain=kikar.co.il
+kikar.co.il###__next > div.MuiBox-root > div.MuiContainer-maxWidthLg:has(> div > div > div > iframe[title^="Banner:"])
+kikar.co.il##div[class^="MuiBox-root css-"] > script[type="application/ld+json"] + div.MuiContainer-maxWidthLg > div[class^="MuiBox-root css-"]:has(> div[class^="MuiBox-root css-"] > div[class^="MuiBox-root css-"] > div[style="left: 160px; top: 104.68px;"] > iframe[title^="Banner:"])
+kikar.co.il#%#//scriptlet('trusted-prune-inbound-object', 'Object.entries', '*', '300x600')
+kikar.co.il#%#//scriptlet('trusted-prune-inbound-object', 'Object.entries', '*', '650x80')
+kikar.co.il#%#//scriptlet('trusted-prune-inbound-object', 'Object.entries', '*', '970x60')
+kikar.co.il#%#//scriptlet('trusted-prune-inbound-object', 'Object.entries', '*', '970x100')
+kikar.co.il#%#//scriptlet('trusted-prune-inbound-object', 'Object.entries', '*', '970x200')
+kikar.co.il#%#//scriptlet('trusted-prune-inbound-object', 'Object.entries', '*', '970x300')
+kikar.co.il#%#//scriptlet('trusted-prune-inbound-object', 'Object.entries', '*', '970x600')
+kikar.co.il#%#//scriptlet('trusted-prune-inbound-object', 'Object.entries', '*', '1530x1001')
+! tejtime24.com
+tejtime24.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+tejtime24.com#%#//scriptlet('abort-on-property-write', 'checkAdBlock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/152782
+||kutchuday.in/wp-content/uploads/*/add-$image
+! https://github.com/AdguardTeam/AdguardFilters/issues/97659
+livehindustan.com#?#.jarur-padhey > div.card-sm:has(> a[href^="/brand-stories/"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/110261
+! https://github.com/AdguardTeam/AdguardFilters/issues/96712
+!+ NOT_OPTIMIZED
+raftaar.in##a[href="https://www.astrologyadvice.in/"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/93836
+livehindustan.com##.ads
+livehindustan.com##.prlads
+! https://github.com/AdguardTeam/AdguardFilters/pull/91611
+jansatta.com##.wp-block-newspack-blocks-wp-block-newspack-ads-blocks-ad-unit
+! https://github.com/AdguardTeam/AdguardFilters/issues/85360
+bioinhindi.in###NR-Ads
+! ndtv.in - ad texts
+ndtv.in##div[data-id="sponsor"]
+ndtv.in##.ins_adcont
+! https://github.com/AdguardTeam/AdguardFilters/issues/81334
+gyanipandit.com##a[href^="https://wisetrolley.com/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/79426
+hindikhabarwaala.com##.post-content > div.post-text > p > img[src^="http://hindikhabarwaala.com/"][width="400"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/70777
+! https://github.com/AdguardTeam/AdguardFilters/issues/70776
+@@||pubads.g.doubleclick.net/ssai/event/*/master.m3u8$domain=timesnowhindi.com|timesnowmarathi.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/79204
+thebharatnews.net##.textwidget > p > img[class*="wp-image"]
+thebharatnews.net##a[rel="bookmark"][style^="background-image: url("]
+! https://github.com/AdguardTeam/AdguardFilters/issues/79165
+aajtak.in##.event_home_banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/22120
+hindi.business-standard.com#%#//scriptlet("abort-current-inline-script", "document.addEventListener", "displayMessage:")
+!
+patrika.com##.google-ads-full
+!---------------------------------------------------------------------
+!------------------------------ Hungarian ----------------------------
+!---------------------------------------------------------------------
+! NOTE: Hungarian
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/187156
+funnygames.hu##.game-slot-tall-container
+funnygames.hu##section.has-slot
+||static.gamedistribution.com/ad-block/
+! https://github.com/AdguardTeam/AdguardFilters/issues/184803
+||assets.moly.hu/images/campaigns/
+||assets.moly.hu/system/header_ads/
+moly.hu##.b970
+moly.hu###rightgate
+moly.hu###leftgate
+moly.hu###actual_side_beam
+moly.hu###side
+moly.hu##.shop_shelf + hr
+! https://github.com/AdguardTeam/AdguardFilters/issues/175823
+player.rtl.hu#%#//scriptlet('set-constant', 'gemiusStream', 'emptyObj')
+player.rtl.hu#%#//scriptlet('set-constant', 'gemiusStream.event', 'noopFunc')
+player.rtl.hu#%#//scriptlet('set-constant', 'gemiusStream.init', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/171372
+liner.hu##.liner_cikk_top
+liner.hu###liner_nyito_fekvo_1
+liner.hu##div[class*="siderbar_ads"]
+liner.hu##.ads_show_ad_title
+! https://github.com/AdguardTeam/AdguardFilters/issues/169696
+online-filmek.ac##span[class^="adslot_"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/158161
+tazkranet.com###ez-content-blocker-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/155446
+!+ NOT_OPTIMIZED
+accounts.freemail.hu##a[href^="https://gdehu.hit.gemius.pl/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/154601
+retroradio.hu#%#//scriptlet('set-constant', 'ado.refresh', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/151491
+tippmix.hu##.banner
+tippmix.hu##a[id^="tippmix_jatekoskartya"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/139325
+forum.hr##td[class="sidebar_column"][width="300"]
+!+ NOT_OPTIMIZED
+forum.hr##.advertisement_postbit_legacy
+! https://github.com/AdguardTeam/AdguardFilters/issues/128287
+parentmood.com##.nya-slot
+! https://github.com/AdguardTeam/AdguardFilters/issues/120911
+freemail.hu###content-container div[class^="Grid-item-"] > a[target="_blank"]:not([href^="#"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/120913
+filmvilag.me###adv_kereses
+! https://github.com/AdguardTeam/AdguardFilters/issues/118945
+ingatlan.com#$#body { overflow: auto !important; }
+ingatlan.com#$##interstitial-banner-container { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/169708
+sorozatbarat.club###partner
+! https://github.com/AdguardTeam/AdguardFilters/issues/114260
+||head-clickfusion.com^$third-party
+||headerbidding.services^$third-party
+||3myad.com^$third-party
+sorozatbarat.club###banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/111757
+hvg.hu##.leaderboard-1a
+! https://github.com/AdguardTeam/AdguardFilters/issues/112579
+vezess.hu#?#.article-body > div.article_box_border:has(> div.article_solidheader > p > strong:contains(HIRDETÉS))
+! https://github.com/AdguardTeam/AdguardFilters/issues/112508
+novekedes.hu##.gate-banner-poser
+novekedes.hu#$#.base.has-gate-banner { padding-top: 0 !important; }
+||gemhu.adocean.pl/files/js/ado.js$script,redirect=noopjs,domain=novekedes.hu
+! https://github.com/AdguardTeam/AdguardFilters/issues/112506
+gamestar.hu#$#.ad { display: none !important; }
+gamestar.hu#%#//scriptlet('remove-class', 'have-ad', 'body.have-ad')
+! https://github.com/AdguardTeam/AdguardFilters/issues/112180
+index.hr##.ad-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/102693
+logout.hu###page > div[class$="-responsive-970px-250px"]
+logout.hu###right > div[class$="-responsive-300px-600px"]
+logout.hu#?#div[itemprop="articleBody"] > div[class*=" "]:has(> h4 + div[style*="calc"][onclick*="ajax"])
+logout.hu#?#div[itemprop="articleBody"] + div[class*=" "]:has(> h4 + div[style*="calc"][onclick*="ajax"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/101641
+blikk.hu##.bannerDesktopContainer
+! https://github.com/AdguardTeam/AdguardFilters/issues/101196
+jofogas.hu#$##page-content { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/99024
+nosalty.hu##.rubAd
+! https://github.com/AdguardTeam/AdguardFilters/issues/98591
+hvg.hu#@#[class="articleitem clear smallimage imgleft"]
+hvg.hu##.hvg-bank360
+! https://github.com/AdguardTeam/AdguardFilters/issues/97769
+||cdn.234doo.com^$third-party
+bug.hr##.main-content > div[class^="block "] > div[class=""] > div.block__content:has(span.heading-section__logo > img[alt*=" preporu"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/97922
+24.hu##.a2blck-layer
+! https://github.com/AdguardTeam/AdguardFilters/issues/89830
+dmdamedia.eu###add
+! https://github.com/AdguardTeam/AdguardFilters/issues/88288
+||sg.hu/banner/Huawei_Watch3_Master
+sg.hu#$#body.ad-test { background-image: none !important; }
+sg.hu#%#//scriptlet("prevent-window-open", "bbelements.com")
+! https://github.com/AdguardTeam/AdguardFilters/issues/87995
+||ztracker.cc/pic/bannerek/
+ztracker.cc##img[width="900"][height="90"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/75763
+femina.hu#%#//scriptlet("set-constant", "ado", "undefined")
+! https://github.com/AdguardTeam/AdguardFilters/issues/69327
+joautok.hu##.banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/68362
+kuruc.info##div[class*="adzone"]
+kuruc.info##.cikkbanner
+! https://github.com/AdguardTeam/AdguardFilters/issues/67741
+videakid.hu,videa.hu#$##wrapfabtest { height: 1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/65285
+||dalmatinskiportal.hr/*/baneri/
+dalmatinskiportal.hr##.banner
+||cdn.234doo.com/dalmatinskiportal.js
+dalmatinskiportal.hr##.banner-placeholder
+! https://github.com/AdguardTeam/AdguardFilters/issues/65032
+katalogus.top,filmvilag.me,mozimax.top##a[href^="https://rosszlanyok.hu/"]
+katalogus.top,filmvilag.me,mozimax.top#?#.container_12 > div[style*="min-height: 250px;"]:has(> .adslot_1)
+katalogus.top,filmvilag.me,mozimax.top#$?#iframe[srcdoc*="XMLHttpRequest"] { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/64544
+forbes.hu##.forbesad
+! https://github.com/AdguardTeam/AdguardFilters/issues/58569
+||a.b.napiszar.com^
+! https://github.com/AdguardTeam/AdguardFilters/issues/58088
+4x4magazin.hu##.advertisement
+! https://github.com/AdguardTeam/AdguardFilters/issues/58087
+onroad.hu##.highlighted-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/119905
+! https://github.com/AdguardTeam/AdguardFilters/issues/58090
+gamestar.hu#?#.field_global_rightside > .box:has(> .element > .title-box-wrapper > .box-title:contains(Hirdetés))
+gamestar.hu#?#div[class="box-wrapper field_index"] > .box-pr > .element:has(> .image > a[href^="https://pubads.g.doubleclick.net/"])
+gamestar.hu##.ads_show_ad_title
+gamestar.hu##.field_global_rightside > .box[style="display: none !important;"] + .box-extranews
+gamestar.hu##div[id^="rltd-ad-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/57848
+! https://github.com/AdguardTeam/AdguardFilters/issues/56499
+mozinet.me#$?#iframe[srcdoc*="XMLHttpRequest"] { remove: true; }
+mozinet.me#?#.container_12 > div[style*="min-height: 250px;"]:has(> .adslot_1)
+mozinet.me###advert
+! https://github.com/AdguardTeam/AdguardFilters/issues/62196
+totalbike.hu,divany.hu,totalcar.hu#%#//scriptlet("abort-current-inline-script", "document.querySelector", "document.body.style.overflow")
+||ad.adverticum.net/g3.js$script,redirect=noopjs,domain=totalbike.hu|divany.hu|totalcar.hu
+@@||totalcar.hu/assets/js/adbd/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/50811
+ujszo.com#%#//scriptlet("abort-on-property-read", "Drupal.behaviors.adBlockerPopup")
+! https://github.com/AdguardTeam/AdguardFilters/issues/49428
+@@||napi.hu/js/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/54337
+! https://github.com/AdguardTeam/AdguardFilters/issues/49333
+@@||ad.adverticum.net/g3.js$domain=port.hu
+@@||ad.adverticum.net/scripts/goa3/main/*/goa3.js$domain=port.hu
+@@||port.hu/js/advert.min.js
+port.hu#%#//scriptlet("set-constant", "Adserving.hasAdBlocker", "falseFunc")
+port.hu#%#//scriptlet("prevent-setTimeout", "/\.offsetHeight === 0[\s\S]*?\.appendChild[\s\S]*?document\.body\.style/")
+! https://github.com/AdguardTeam/AdguardFilters/issues/46048
+mobilarena.hu#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links.xabrecontainer.partners.spleft.spright.xabre-responsive { display: block!important; }
+mobilarena.hu##div[onclick^="$.ajax('https://mobilarena.hu/muvelet/hozzaferes/kapcsolodas.php"]
+mobilarena.hu#?#div[class]:has(> div[onclick^="$.ajax('https://mobilarena.hu/muvelet/hozzaferes/kapcsolodas.php"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/98531
+! https://github.com/AdguardTeam/AdguardFilters/issues/46372
+@@||forrest.adverticum.net/inapp/user^$domain=embed.indavideo.hu
+embed.indavideo.hu#%#//scriptlet("set-constant", "AdHandler.adblocked", "0")
+embed.indavideo.hu#%#//scriptlet("set-constant", "videodata.adBlockEnabled", "0")
+||indexhu.adocean.pl/*ad.json$xmlhttprequest,redirect=nooptext,domain=embed.indavideo.hu
+! https://github.com/AdguardTeam/AdguardFilters/issues/40737
+napi.hu###stickymellekletbannerfooter
+! https://github.com/AdguardTeam/AdguardFilters/issues/40734
+szifon.com##.afterpost-promotion
+szifon.com##.cikkoz > a[href][target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/37929
+gyorietokc.hu##.hirek-tamogato
+||gyorietokc.hu/uploads/banner/
+||gyorietokc.hu/images/partnerek/kiemelt/
+! https://github.com/AdguardTeam/AdguardFilters/issues/35357
+mobilarena.hu###top > div.container.bg-transparent.overflow-hidden > div:not([class^="content"])
+mobilarena.hu###right > div[class$="-responsive-300px-60px"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/37226
+bien.hu##.lapozos_728x90_cikk_elott
+bien.hu#?##jobb-hasab > .desktopon:has(.goAdverticum)
+! https://github.com/AdguardTeam/AdguardFilters/issues/36397
+itcafe.hu##div[class$="responsive-300px-600px"]
+itcafe.hu##div[class$="responsive-300px-250px"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/35734
+port.hu#@#.advert
+! https://github.com/AdguardTeam/AdguardFilters/issues/33668
+hardverapro.hu###page-split > #top > .container.bg-transparent.overflow-hidden
+hardverapro.hu###right > div[class*=" "] > h4 + [style^="width: calc("][style*="height: calc("]
+hardverapro.hu#?##right > div[class*=" "]:has(> h4 + [style^="width: calc("][style*="height: calc("])
+hardverapro.hu##.uad-details > .col-md-4.text-center > div[class*=" "] > h4 + [style^="width: calc("][style*="height: calc("]
+hardverapro.hu#?#.uad-details > .col-md-4.text-center > div[class*=" "]:has(> h4 + [style^="width: calc("][style*="height: calc("])
+! https://github.com/AdguardTeam/AdguardFilters/issues/31163
+figyelo.hu#$#div[class$="__interstitial_active"] { display: none!important; }
+figyelo.hu#$#div[class$="__interstitial_active"] + .page__body { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/36392
+||wireless-bolt.hu/logos/*banner*.
+! https://github.com/AdguardTeam/AdguardFilters/issues/36395
+||techkalauz.hu/app/uploads/*/*LSZ_ONLINE*.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/31167
+magyarnemzet.hu##.et_pb_advertising
+! https://github.com/AdguardTeam/AdguardFilters/issues/31995
+magyarepitok.hu##.ad.row
+! https://github.com/AdguardTeam/AdguardFilters/issues/31435
+csaladinet.hu##a[href^="/?module=advertisement"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/30286
+humenonline.hu##div[class$="sidebar-inner"] > #text-23 .pz_cont
+! https://github.com/AdguardTeam/AdguardFilters/issues/29952
+||video.vid4u.org^$domain=kitekinto.hu
+! https://github.com/AdguardTeam/AdguardFilters/issues/28110
+!+ NOT_OPTIMIZED
+szifon.com##.afterpost-a
+! https://github.com/AdguardTeam/AdguardFilters/issues/28705
+jobinfo.hu##.advertiser-paper
+! https://github.com/AdguardTeam/AdguardFilters/issues/28486
+artportal.hu##div.ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/28477
+nickelodeon.hu##.mtvn-mpu-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/28473
+hirtv.hu##.banner-fix
+hirtv.hu##.banner-media
+hirtv.hu##.banner-horizontal
+hirtv.hu#$#.banner-fix { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/32615
+! https://github.com/AdguardTeam/AdguardFilters/issues/27282
+!+ NOT_OPTIMIZED
+hwsw.hu##.adoomany
+! https://github.com/AdguardTeam/AdguardFilters/issues/26351
+animeaddicts.hu###left > .box > .content > .twinkle
+animeaddicts.hu#?##left > .box:has(> .content > .flash)
+||animeaddicts.hu/file/adver/
+||animeaddicts.hu/theme/images/bannerbg.jpg
+||animeaddicts.hu/theme/images/banner_ezit.png
+! https://github.com/AdguardTeam/AdguardFilters/issues/36396
+helloworldonline.hu#$#.ad-skin-space { height: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/18934
+prohardver.hu###right > div[class*=" "] > h4 + [style^="width: calc("][style*="height: calc("]
+prohardver.hu#?##right > div[class*=" "]:has(> h4 + [style^="width: calc("][style*="height: calc("])
+prohardver.hu##div[itemprop="articleBody"] > [class] > h4 + [style^="width: calc("][style*="height: calc("]
+prohardver.hu#?#div[itemprop="articleBody"] > [class]:has(> h4 + [style^="width: calc("][style*="height: calc("])
+prohardver.hu###center >.cntcolumn > .anyag.hir > div[class*=" "] > h4 + [style^="width: calc("][style*="height: calc("]
+prohardver.hu#?##center >.cntcolumn > .anyag.hir > div[class*=" "]:has(> h4 + [style^="width: calc("][style*="height: calc("])
+prohardver.hu##body > #page > div[class*=" "] > h4 + div[class][style^="width: calc("][style*="height: calc("]
+prohardver.hu###main > #center[style^="margin: 20px; border:"][style*="z-index:"][style$="transition: background 2000ms ease; padding: 16px; width: 906px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/18281
+!+ NOT_OPTIMIZED
+playstationcommunity.hu###body_liner > #header[style*="width: 100%"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/18134
+automotor.hu##.mw-banner-zone
+! https://github.com/AdguardTeam/AdguardFilters/issues/17054
+bitport.hu##.right-block > div[style^="padding: 0 10px"][style*="background-color:"]
+bitport.hu#?#.container > .col-lg-4 > .col2 > .right-block:has(a[href^="http://ad.adverticum.net/"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/26253
+! https://github.com/AdguardTeam/AdguardFilters/issues/17554
+||video.vid4u.org^$domain=pcworld.hu
+pcworld.hu##a[href^="https://ad.adverticum.net/"]
+pcworld.hu##.ad-sticky_bottom
+pcworld.hu##.box.ad
+pcworld.hu##div[class^="ad ad-article-"]
+pcworld.hu#$#.ad-skin-space { height: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/17553
+computerworld.hu##.box.ad
+computerworld.hu##div[class^="ad ad-article-"]
+computerworld.hu#$#.ad-skin-space[style] { height: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/17622
+origo.hu##a[href*="adverticum.net"]
+origo.hu##.os-content > .os-spar-holder
+origo.hu#$#body.osLiveRelated.hasHangar { padding-top: 130px!important; }
+origo.hu#$#.hasHangar footer[style^="margin-bottom:"] { margin-bottom: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/17552
+filmbuzi.hu#?##right > h2:contains(Hirdetés)
+! https://github.com/AdguardTeam/AdguardFilters/issues/17274
+hvg.hu##a[title="Ratecard"]
+hvg.hu##.sidebar-ajanlat
+! https://github.com/AdguardTeam/AdguardFilters/issues/16988
+mobilarena.hu##div[itemprop="articleBody"] > [class] > [style^="width: calc("][style*="height: calc("]
+mobilarena.hu###right > div[class*=" "] > [style^="width: calc("][style*="height: calc("][onclick*="/kapcsolodas.php?"]
+mobilarena.hu#?#div[itemprop="articleBody"] > [class]:has(> [style^="width: calc("][style*="height: calc("])
+mobilarena.hu#?##right > div[class*=" "]:has(> [style^="width: calc("][style*="height: calc("][onclick*="/kapcsolodas.php?"])
+!
+dvtk.eu##a[href^="/advertise/href/"]
+m.cartoonnetwork.hu##.header-leaderboard-ad-tagline
+haszon.hu##.bannergroup
+haszon.hu##.pushdownbanner
+||haszon.hu/images/banners/
+glamour.hu##.wrapAds
+glamour.hu##.wrapAdsSide
+dietaesfitnesz.hu##.grid.ab-banner
+dietaesfitnesz.hu##.article-banner
+dietaesfitnesz.hu##.banner.margin-auto
+delmagyar.hu###billboard
+delmagyar.hu###fullbanner
+delmagyar.hu##.banner-zone
+delmagyar.hu##.banner__container
+delmagyar.hu##.pr--partner-billboard
+delmagyar.hu##a[href^="https://frappeguide.hu/?utm_source="][href$="&utm_campaign=promo"]
+delmagyar.hu#?#aside#main-aside > .aside-box:has(> .aside-box__section > .banner-zone)
+vezess.hu##.banner-container
+||168ora.hu/data/Bannerek/ads_*.gif
+nemzetisport.hu##.ado-holder
+nemzetisport.hu##section.banner
+baon.hu,zaol.hu,nool.hu,veol.hu,vaol.hu,feol.hu,duol.hu,szoljon.hu,teol.hu,heol.hu,sonline.hu###eads-super-banner
+mindmegette.hu##.ad.inter
+mindmegette.hu##.laku-3articles-slider-box
+noizz.hu###ad-cikk2
+noizz.hu###ad-fekvo2
+noizz.hu##div[id^="ad-jobb"]
+noizz.hu##.intext-ads-container
+imagazin.hu##.section--offers
+telefonguru.hu##div[style] > a[href^="https://www.arukereso.hu/mobiltelefon-"]
+player.hu##.seethru
+tech2.hu##div[class^="td-a-rec"]
+tech2.hu##.td-post-content > .code-block[style]
+gepigeny.hu##.adt_hun
+techaddikt.hu#?#.vc_column-inner > .wpb_wrapper > .wpb_content_element:not(:contains(FACEBOOK))
+mfor.hu##div[id^="banner_"]
+mmonline.hu###panels > .panel.text-center
+mmonline.hu##div.panel-body[id^="banner"] + .panel-footer
+||szifon.com/wp-content/uploads/*/*_banner_
+szifon.com###secondary > aside[id^="text-"]:not(#text-6)
+szifon.com##div[class^="top-"][class*="fixed"]
+gamechannel.hu##.post-bottom > .jobbra ~ p
+||play247.hu/listaapi.php^$third-party
+gamechannel.hu##.entry > .cikk_zona
+gamechannel.hu##.entry > .cikk_zona + br
+gamechannel.hu##.post-bottom > span[style*="height:30px;"]
+gamechannel.hu##.post-bottom > .jobbra
+uraharashop.hu##a[href^="https://uraharashop.hu/advertisement"]
+urbanlegends.hu###fl-post-container > article.clearfix > center
+||urbanlegends.hu/wp-content/*spar*wallpaper
+urbanlegends.hu##body > #wrapper
+urbanlegends.hu#$##fl-main-content { padding-top: 1px!important; }
+urbanlegends.hu##.posts-ad
+||cdn29.hu/apix_collect/ads^
+gamestar.hu##a[href*="ad.adverticum.net"]
+gamestar.hu#$#.ad-skin-space { height: 50px!important; }
+gamestar.hu##.background
+zsibvasar.hu#%#AG_onLoad(function() { $('a[target="_blank"]:not([href*="zsibvasar.hu"]').closest('.item').remove(); $('.carousel-inner > .item')[0].classList.add("active") });
+zsibvasar.hu##a[href^="http://optimusnumizmatika"]
+hazipatika.com###box-humanmeteorologia
+||media.hazipatika.com/szponzor_hatter^
+hazipatika.com###panel > noindex
+hogyankell.hu###rightside > img
+hogyankell.hu###localNotice
+magro.hu##.banner_leaderboard
+arukereso.hu##.promotion-container
+playstationcommunity.hu###skinlinkDiv
+playstationcommunity.hu###body_liner > div[align="center"][style="padding: 10px 0px 10px 0px"] > a[href][target="_blank"] > img
+||playstationcommunity.hu/mr_banner_*.jpg
+||playstationcommunity.hu/advertfiles^
+playstationcommunity.hu#$##Page { margin-top: 0!important; }
+playstationcommunity.hu#$#body { background-image: none!important; background: #06203d!important; }
+idokep.hu##.hird-label
+idokep.hu##.mitvegyekfel
+prohardver.hu##.xabre-responsive-970px-90px
+prohardver.hu##.xabre-responsive-300px-60px
+ncore.cc##.banner
+ncore.cc#@#.text-ad-links
+!---------------------------------------------------------------------
+!------------------------------ Iceland ------------------------------
+!---------------------------------------------------------------------
+! NOTE: Iceland
+!
+!---------------------------------------------------------------------
+!------------------------------ Indian -------------------------------
+!---------------------------------------------------------------------
+! NOTE: Indian
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/189489
+sinhasannews.com##figure[class="wp-block-image"]
+sinhasannews.com###the-post figure[class^="wp-block-image"]:has(> img[alt^="Img"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/185497
+||jamuna.tv/ad/
+! https://github.com/AdguardTeam/AdguardFilters/issues/185130
+jagonews24.com##div.text-center:has(> div[id^="div-gpt-ad-"])
+jagonews24.com##.featured-inImage-ad-unit
+! https://github.com/AdguardTeam/AdguardFilters/issues/182968
+nagpurtoday.in##aside[id^="custom_html-"][class*="widget"]:has(img + .popup)
+nagpurtoday.in###header-sidebar
+nagpurtoday.in##.shrcladv
+nagpurtoday.in##div[style^="text-align:"]:has(> video > source[src*="kukreja-video"])
+||nagpurtoday.in/wp-content/uploads/*/kukreja-video.mp4
+||nagpurtoday.in/wp-content/uploads/*/*-adv.$image
+||nagpurtoday.in/wp-content/plugins/popup-builder/$script
+! https://github.com/AdguardTeam/AdguardFilters/issues/181775
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=mxplayer.in
+mxplayer.in#@#div[id^="div-gpt-"]
+mxplayer.in#@#[id^="div-gpt-ad"]
+!
+gujarativyakaran.com###adb
+sakshi.com##.adtext
+! https://github.com/AdguardTeam/AdguardFilters/issues/176683
+irctc.co.in##div#cube
+irctc.co.in##div[id^="adContainer"]
+||cube.nlpcaptcha.in/index.php/cubes/getCubeBox/$domain=irctc.co.in
+! https://github.com/AdguardTeam/AdguardFilters/issues/166103
+ekattor.tv###widget_623
+! https://github.com/AdguardTeam/AdguardFilters/issues/163020
+kutchkhabar.com##div[id^="amazingcarousel"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/159510
+||kutchkhabar.com/images/advertise
+! https://github.com/AdguardTeam/AdguardFilters/issues/152259
+hindi.asianetnews.com##.rgtadbox
+! https://github.com/AdguardTeam/AdguardFilters/issues/150873
+mirchi9.com##.m9-banner-ad.d-block
+! https://github.com/AdguardTeam/AdguardFilters/issues/150711
+ntvtelugu.com#?#.cards-grid > figure:has(> div.img-wrap > div.adsCont)
+ntvtelugu.com##.bottom-sticky-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/149787
+||supervideo.tv/tag$script
+! https://github.com/AdguardTeam/AdguardFilters/issues/148670
+chitrajyothy.com###rhsLowerAdsDiv
+chitrajyothy.com###rhsUppderAdsDiv
+chitrajyothy.com###articlePrmaryImageAdsDiv
+chitrajyothy.com##div[style^="text-align"] > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/148671
+andhrajyothy.com###articlePrmaryImageAdsDiv
+andhrajyothy.com##img[style="display:inline-block; width:300px;height:100px"]
+||api.lhkmedia.in^$third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/138490
+! https://github.com/AdguardTeam/AdguardFilters/issues/139659
+||kutchuday.in/wp-content/uploads/*/Ku-Add
+||kutchuday.in/wp-content/uploads/*/CRICADDA-
+kutchuday.in#?#.amp-wp-article-content > p:has(amp-img[src*="CRICADDA"][src*="x300"])
+kutchuday.in#?#.amp-wp-article-content > p:has(amp-img[src*="Cricadda"][src*="300x"])
+kutchuday.in#?#.amp-wp-article-content > p:has(> strong > amp-img[src*="-AD"][src*="300x300"])
+kutchuday.in##a[href="https://adityahealth.com/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/128278
+kishoralo.com##div[class^="blank-m__adslot"]
+kishoralo.com##div[class*="middle-ad"]
+kishoralo.com##div[class*="ad-wrapper"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/123725
+prothomalo.com##iframe[src^="https://service.prothomalo.com/campaigns/"]
+prothomalo.com##a[class*="ad_wrapper"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/123726
+jagonews24.com##.inner_ad_item
+jagonews24.com##.advertisement
+jagonews24.com##.adv-img
+jagonews24.com##.featured-inImage-ad-unit
+! https://github.com/AdguardTeam/AdguardFilters/issues/122893
+||service.prothomalo.com/padma-bridge/for_bangla.html
+! https://github.com/AdguardTeam/AdguardFilters/issues/119281
+hindishouter.com##.inside-right-sidebar
+! https://github.com/AdguardTeam/AdguardFilters/issues/119091
+bizshala.com##.pro_major_bigyapan
+||bizshala.com/public/images/advertisement/
+! https://github.com/AdguardTeam/AdguardFilters/issues/108216
+freesexkahani.com##.inside-right-sidebar > aside[id^="custom_html-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/107036
+techhelpbd.com##.THBD-Ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/102253
+digit.in##.textads_list
+||digit.in/js/ads_management.js
+digit.in#%#//scriptlet("set-constant", "textAdsList", "emptyObj")
+! https://github.com/AdguardTeam/AdguardFilters/issues/95887
+mathrubhumi.com##div[id^="ML_DT_"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/94497
+dinamalar.com###innerleft div[style="text-align:center;"] > div[style^=" color: #"][style*="font-size:"]
+dinamalar.com#$##ablockercheck { display: block !important; }
+dinamalar.com#%#//scriptlet("abort-current-inline-script", "$", ".style.display=")
+dinamalar.com#%#//scriptlet("prevent-setTimeout", ":visible")
+! https://github.com/AdguardTeam/AdguardFilters/issues/92607
+vikatan.com##div[class^="styles-m__vs-wrapper"]
+vikatan.com##div[class^="styles-m__header-ad"]
+vikatan.com##div[class^="styles-m__ad-center-unit"]
+vikatan.com##div[class^="styles-m__ad-wrapper"]
+vikatan.com##div[class*="styles-m__bundle-ad"]
+vikatan.com##div[class*="styles-m__dynamic-rect-ad"]
+vikatan.com##div[class^="widget300xauto"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/92311
+asianetnews.com##.desktop-ad-1
+asianetnews.com##div[class^="right-ad-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/91848
+ndtv.in###RHS_WYSIWYG
+! https://github.com/AdguardTeam/AdguardFilters/issues/91614
+gujarati.news18.com##.my-ad-rhs
+gujarati.news18.com##div[class*="Header_inner_ad_"]
+hindi.news18.com##.article-promo-ad
+hindi.news18.com,bengali.news18.com##.placeholder
+hindi.news18.com,bengali.news18.com##div[class*="right"] > div[class*="side"]:not([class*="gallery"])> div[style*="min-height:"] > #vigyapan
+hindi.news18.com,bengali.news18.com#?#div[class*="right"] > div[class*="side"]:not([class*="gallery"]):has(> div[style*="min-height:"] > .placeholder)
+! https://github.com/AdguardTeam/AdguardFilters/issues/90241
+maalaimalar.com#%#//scriptlet("prevent-addEventListener", "load", "adblock")
+||google-analytics.com/analytics.js$script,redirect=google-analytics,domain=maalaimalar.com
+!#safari_cb_affinity(privacy)
+!#safari_cb_affinity
+! https://github.com/AdguardTeam/AdguardFilters/issues/89309
+ntnews.com##.awt_side_sticky
+! https://github.com/AdguardTeam/AdguardFilters/issues/88644
+raftaar.in##div[class^="story-footer-module__ad__"]
+raftaar.in##div[id^="ads-"]
+raftaar.in##body > div[style="margin-top:15px; margin-bottom:15px; text-align: center;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/86204
+anandabazar.com#?#.sidebar > div.background-hp-news:has(> div.background-hp-news > div.text-advertisement)
+anandabazar.com#?#.container > div.background-hp-news:has(> div.text-advertisement)
+anandabazar.com##a[href^="https://admissionfair.abped.com/"] > img
+anandabazar.com##.right-add
+anandabazar.com##.hsadboxright
+anandabazar.com##.todayprice-adbox
+anandabazar.com#$#.dheaderbox { height: auto!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/85530
+odishatv.in##div[class^="otv-"][class$="-ad"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/85030
+andhrajyothy.com#@##adDiv
+andhrajyothy.com##.grey.pb4 > span
+! https://github.com/AdguardTeam/AdguardFilters/issues/83901
+hindikhabarwaala.com##.logo-banner div.pull-right
+! https://github.com/AdguardTeam/AdguardFilters/issues/80244
+kutchuday.in##.td-banner-wrap-full
+kutchuday.in##.td-post-content > p > img
+kutchuday.in##.td-post-content > * > strong > img
+kutchuday.in##a[href="http://adityahealth.com"] > img
+||kutchuday.in/wp-content/uploads/2021/04/11.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/79265
+amarujala.com###auplusflash
+amarujala.com##.jyotis-ban
+! https://github.com/AdguardTeam/AdguardFilters/issues/79011
+manoramaonline.com###mybot-adcover
+manoramaonline.com##.ele-spnr-logo-wrap
+! https://github.com/AdguardTeam/AdguardFilters/issues/77313
+bhaskar.com,divyabhaskar.co.in#?#div[id^="Ad--"]
+bhaskar.com,divyabhaskar.co.in##div[style*="overflow:hidden;min-height:"][style*="max-height:"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/117750
+livehindustan.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=livehindustan.com
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=googlesyndication-adsbygoogle,domain=livehindustan.com,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/61920
+newstm.in##div[class^="colombia"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/63139
+gujaratexclusive.in##div[class^="td-paragraph-"] > div.code-block
+gujaratexclusive.in##a[href="https://sheetalinfra.estateexclusive.in"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/40119
+/prixa.*\.net\/media\/(Parvo|Ratop|Riddh)\/[A-Za-z0-9-_]+.(gif|jpg)/$domain=ratopati.com
+/prixa.*\.net\/media\/[0-9A-Za-z-_]*.(gif|jpg)/$domain=ratopati.com
+ratopati.com##div[style*="max-height:150px;overflow:hidden;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/34513
+jagran.com##.article-ctn
+! https://github.com/AdguardTeam/AdguardFilters/issues/35420
+timesofindia.indiatimes.com##div[id^="div-clmb-ctn"]
+indiatimes.com##.manbox-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/46116
+nakkheeran.in###block-video-ads
+nakkheeran.in###spb-block-articlepageoverlayad
+! https://github.com/AdguardTeam/AdguardFilters/issues/35175
+nakkheeran.in###block-adsidebarfirstarticle
+nakkheeran.in##.sidebar-inner > div > div[id^="block-views-block-detail-page-ads-block-"]
+nakkheeran.in#?#.sidebar-inner > div > div[id^="block-articlesidebar"]:has(div[id^="div-gpt-ad"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/35124
+antarvasnastories.com###secondary a[href^="https://www.velamma.com"]
+antarvasnastories.com#?##secondary > aside:has(a[href^="https://www.velamma.com"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/91849
+navbharattimes.indiatimes.com##.ads_default
+navbharattimes.indiatimes.com#?#.leftmain > div[style] ~ div[class*=" "]:has(> div > div > a[onclick])
+navbharattimes.indiatimes.com#$#body.disable-scroll { overflow: auto!important; margin-right: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/26172
+kolkata24x7.com#$#.adsbygoogle { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/23471
+banglachotikahinii.com##span[w3p3]
+||banglachotikahinii.com/wp-json/IPE/v1/get_dsc_online
+||b4x6a6x3.ssl.hwcdn.net/k/709010/1ds/ul98hJ.js$domain=banglachotikahinii.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/22969
+anandabazar.com##.banner-before-editors
+anandabazar.com##.abp-horizontal-banner-inside
+anandabazar.com##.abp-right-tab-fix > .home_right_ban_algn_no_brdr
+||anandabazar.com/polopoly_fs/*/image/image.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/16790
+||videoplaza.tv/proxy/distributor/$domain=hotstar.com,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/11612
+||videoplaza.tv/proxy/distributor/*.weburl=https://www.voot.com/$important
+! https://github.com/AdguardTeam/AdguardFilters/issues/12303
+! https://github.com/AdguardTeam/AdguardFilters/issues/11860
+nookthem.com##body > [style*="z-index: 999999"][style*="margin-"][style*="bottom:"]:not([class]):not([id])
+||nookthem.com/js/popping^
+! https://github.com/AdguardTeam/AdguardFilters/issues/12144
+||iporntv.net/c_adu_pop.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/12096
+sexpussynude.com##.sidebar > section[id^="custom_html-"]
+||sexpussynude.com/wp-content/plugins/da-unblock^
+! https://github.com/AdguardTeam/AdguardFilters/issues/11663
+oralhoes.com###vid-ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/11664
+||sextubehub.com/js/htpop.js
+||sextubehub.com/xx/o.php$redirect=nooptext
+sextubehub.com#%#window.open = function() {};
+sextubehub.com#%#var _st = window.setTimeout; window.setTimeout = function(a, b) { if(!/window\.location\.href = '\/xx\/o\.php/.test(a)){ _st(a,b);}};
+! https://github.com/AdguardTeam/AdguardFilters/issues/11731
+aajtak.intoday.in##.aaspassContainerAd
+@@||smedia2.intoday.in/aajtak/*/resources/advertisement_zedo_banner_zedo_google/atitg.js
+aajtak.intoday.in###pushwooshpopup
+! https://github.com/AdguardTeam/AdguardFilters/issues/11769
+xfuckonline.com###kt_player > #invideo_2
+xfuckonline.com##.advmnt
+||xfuckonline.com/eureka^
+||xfuckonline.com/js/show_adv.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/11788 https://github.com/AdguardTeam/AdguardFilters/issues/11787
+hdpornlove.net##.player > .a_all
+hdpornlove.net##body > #im
+hdpornlove.net##.player > div.play[onclick]
+! https://github.com/AdguardTeam/AdguardFilters/issues/11160
+pastpapers.papacambridge.com###directory-list-header > .well:not(.text-center):not([id])
+! https://github.com/AdguardTeam/AdguardFilters/issues/10453
+@@||ceesty.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/9895
+alphashoppers.co##.sponsered-links
+! https://github.com/AdguardTeam/AdguardFilters/issues/9117
+/vqa^$domain=pagalguy.com
+pagalguy.com##iframe[id^="vqa:ads:"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/4787#issuecomment-316871958
+bombaytimes.com,businessinsider.in,gizmodo.in,iamgujarat.com,in.techradar.com,lifehacker.co.in,mensxp.com,indiatimes.com,samayam.com,idiva.com#%#Object.defineProperty(window,'trev',{get:function(){return function(){var a=document.currentScript;if(!a){var c=document.getElementsByTagName('script');a=c[c.length-1]}if(a&&/typeof\sotab\s==\s'function'/.test(a.textContent)){var d=a.previousSibling,b=d;while(b=b.previousSibling)if(b.nodeType==Node.COMMENT_NODE&&/\d{5,}\s\d{1,2}/.test(b.data)){d.style.setProperty('display','none','important');return}}}},set:function(){}});
+! https://forum.adguard.com/index.php?threads/resolved-m-indiatimes-com-missed-ads-ios.20774/#post-140718
+||media.indiatimes.in/idthat/
+! https://forum.adguard.com/index.php?threads/22437/
+dinamani.com##div[id^="pro_menu"]
+!
+! https://forum.adguard.com/index.php?threads/resolved-m-timesofindia-com-missed-ads-ios.20287/#post-139881
+timesofindia.com##.columbiaAds
+timesofindia.com##div[id^="div-gpt-ad"]
+!+ NOT_OPTIMIZED
+||timesofindia.com/toimga/
+!+ NOT_OPTIMIZED
+timesofindia.com##style[type="text/css"] + div[class]:not([id]):not([style]):not([class*=" "])
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/4922
+divyabhaskar.co.in#%#window.canABP = window.canRunAds = window.canCheckAds = true;
+@@||bhaskar.com/adblock/*.js^
+! https://forum.adguard.com/index.php?threads/resolved-gizmodo-in-missed-ads-windows.19891/
+gizmodo.in##style[type="text/css"] + div[class]:not([id]):not([style]):not([class*=" "])
+gizmodo.in##.adageunicorns
+! https://forum.adguard.com/index.php?threads/bombaytimes-com-missed-ads-windows.20842/
+@@||bombaytimes.com/*ads$script,other,~third-party
+bombaytimes.com#%#window.canRun = true;
+||m.bombaytimes.com/detector.cms
+bombaytimes.com##style[type="text/css"] + div[class]:not([id]):not([class*=" "])
+! https://forum.adguard.com/index.php?threads/iamgujarat-com-missed-ads-windows.20826/
+||www.iamgujarat.com/Igtah
+iamgujarat.com##style[type="text/css"] + div[class]:not([id]):not([style]):not([class*=" "])
+! https://forum.adguard.com/index.php?threads/m-indiatimes-com-missed-ads-ios.20774/
+m.indiatimes.com##.ad-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/4742
+@@||ads.dainikbhaskar.com/AdTech/ads/ads.js
+! https://forum.adguard.com/index.php?threads/m-hindustantimes-com-missed-ads-ios.20284/
+m.hindustantimes.com##.recommended-list > ul > li:empty
+! https://forum.adguard.com/index.php?threads/m-timesofindia-com-missed-ads-ios.20287/
+m.timesofindia.com##[data-container="gadgetsnowdata"] div[data-utm]
+! https://forum.adguard.com/index.php?threads/businessinsider-in-missed-ads-windows.19295/#post-125544
+businessinsider.in##style[type="text/css"] + div[class]:not([id]):not([style]):not([class*=" "])
+||businessinsider.in/bimed/
+! https://forum.adguard.com/index.php?threads/mensxp-com-missed-ads-windows.19296/
+mensxp.com##.right_suggest_ctn_js > style[type="text/css"] + div[class]:not([id]):not([style]):not([class*=" "])
+mensxp.com###rhsLatestCont > div[class]:not(.ListingBlock)
+mensxp.com##.cont.blk + style:not([type]) + style[type="text/css"] + div[class]
+mensxp.com###section_WhatsHot > div:not([id])
+mensxp.com###right_panel > style[type="text/css"] + div[class]:not([id]):not([style])
+! https://forum.adguard.com/index.php?threads/lifehacker-co-in-missed-ads-windows.19297/#post-125419
+lifehacker.co.in##.articlelist1 > article.article:not([id^="btm_"])
+lifehacker.co.in##.top-content.list1 > li > style[type="text/css"] + div[class]:not([id]):not([style]):not([class*=" "])
+lifehacker.co.in###colombiaAdBox
+lifehacker.co.in##.rhs_widget_h > h3.heading2 + ul > li[style^="display:"][style$="inline-block;"]:not([data-id])
+||lifehacker.co.in/lhega/$image
+! https://forum.adguard.com/index.php?threads/colombia-ads-missed-ads-windows.19238/
+in.techradar.com##style[type="text/css"] + div[class]:not([id]):not([style]):not([class*=" "])
+||in.techradar.com/trcdem/
+indiatimes.com##.last8brdiv > div.sponsor_block
+||indiatimes.com/toiitpic/
+! https://forum.adguard.com/index.php?threads/15978/
+@@||anandabazar.com/*ad$script
+!
+@@||indiafreestuff.in/forum/public/*/facebook_
+!
+!---------------------------------------------------------------------
+!------------------------------ Indonesian ---------------------------
+!---------------------------------------------------------------------
+!
+! NOTE: Indonesian
+!
+||176.119.30.88/img/nexia88.png
+||176.119.30.88/img/*.gif
+||176.119.30.88/wp-content/uploads/*-Banner-*.gif
+176.119.30.88###tv-play
+176.119.30.88##.footer1
+duniaku.idntimes.com##amp-script[script="parallax-script"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/189421
+cosmic1.co##.kln
+! https://github.com/AdguardTeam/AdguardFilters/issues/187407
+||cdnfgo.xyz/wp-content/uploads/*.gif$domain=komiktap.info
+komiktap.info###bannerhomefooter
+! https://github.com/AdguardTeam/AdguardFilters/issues/185298
+maid.my.id##.iniiklan
+! https://github.com/AdguardTeam/AdguardFilters/issues/182103
+idlixofficialx.*,idlixplus.*#%#//scriptlet('trusted-set-constant', 'dtGonza.playeradstime', '"-1"')
+idlixofficialx.*,idlixplus.*#%#//scriptlet('abort-on-stack-trace', 'DOMTokenList.prototype.contains', 'manageBodyClasses')
+@@||static.doubleclick.net/instream/ad_status.js$domain=idlixplus.*|idlixofficialx.*
+! https://github.com/AdguardTeam/AdguardFilters/issues/176908
+rejabar.republika.co.id##img[width="320px"][height="100px"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/173572
+||amp.lk21official.mom/xjs.js
+playeriframe.shop###admad
+playeriframe.shop###donate
+! https://github.com/AdguardTeam/AdguardFilters/issues/172466
+rumahperjaka.live##div[id^="floatbanner"]
+||rumahperjaka.live/wp-content/uploads/*/*.gif
+rumahperjaka.live###elementor-popup-modal-873
+rumahperjaka.live###floating_banner_top
+rumahperjaka.live##.elementor-widget-wrap > section[data-id][data-element_type].elementor-inner-section
+! https://github.com/AdguardTeam/AdguardFilters/issues/172122
+lk21official.life,sekedarinfo.*,jujijaji.*###donate
+lk21official.life,playeriframe.shop###admad
+! https://github.com/AdguardTeam/AdguardFilters/issues/172422
+nontonhentai.top##.kln
+nontonhentai.top##div[id^="teaser"]
+nontonhentai.top###floatcenter
+nontonhentai.top##.extend
+! https://github.com/AdguardTeam/AdguardFilters/issues/172423
+doujindesu.tv#?#center:has(> a[target="_blank"] > img)
+! https://github.com/AdguardTeam/AdguardFilters/issues/172425
+minioppai.org###btm_banner
+minioppai.org##.kln
+! https://github.com/AdguardTeam/AdguardFilters/issues/172298
+ggwp.id##.sticky-footer
+ggwp.id##a[href^="https://www.threads.net/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/172297
+nontonanimeid.org##div[class^="adspost"]
+nontonanimeid.org##.banner_player
+nontonanimeid.org##.floating_footer
+! https://github.com/AdguardTeam/AdguardFilters/issues/171872
+lahelu.com##div[class*="Chunk_ad_"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/171829
+roboguru.ruangguru.com##.chakra-container > div[class^="css-"]:has(> div[class^="css-"] > div[id^="div-gpt-ad-"])
+roboguru.ruangguru.com##.chakra-stack > div[class^="css-"]:has(> div[class^="css-"] > div[id^="div-gpt-ad-"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/170132
+kompas.com##.gate-kgplus
+! https://github.com/AdguardTeam/AdguardFilters/issues/169015
+||samehadaku.homes/wp-content/uploads/*-Banner-
+samehadaku.guru###main > a[target="_blank"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/165904
+transtv.co.id###bannerpop
+transtv.co.id##.banner__MGID
+! https://github.com/AdguardTeam/AdguardFilters/issues/165591
+komikindo.tv##.setdah
+! https://github.com/AdguardTeam/AdguardFilters/issues/164658
+komikremaja.club##.kln
+komikremaja.club##.bigbanner
+! https://github.com/AdguardTeam/AdguardFilters/issues/164652
+minioppai.org##.kln
+minioppai.org#?##sidebar > div.widget_text:has(> div.textwidget > script[class^="__clb-"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/164495
+hellosehat.com###hhg-comp-popup-wrapper
+hellosehat.com##.article-desktop-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/163703
+185.217.95.30###ouibounce-modal
+185.217.95.30##.wrapper > center
+! https://github.com/AdguardTeam/AdguardFilters/issues/163604
+ruangguru.com#%#//scriptlet('prevent-addEventListener', 'DOMContentLoaded', 'popupPromo')
+ruangguru.com##.banner-product-wrapper
+ruangguru.com##.bantuan-promo
+ruangguru.com##.bantuan
+! https://github.com/AdguardTeam/AdguardFilters/issues/163459
+mangaku.blog##.adv
+mangaku.blog###sidebar-b
+mangaku.blog##.nctr
+! https://github.com/AdguardTeam/AdguardFilters/issues/163470
+||tv.terbit21.app/client.php
+||dl.lk21static.*/iframe/content.php
+! https://github.com/AdguardTeam/AdguardFilters/issues/161422
+layarkacaxxi.icu#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/163877
+! https://github.com/AdguardTeam/AdguardFilters/issues/161440
+hownetwork.xyz###donate
+! https://github.com/AdguardTeam/AdguardFilters/issues/160399
+bola005.com##div[id^="ad_middle"]
+bola005.com##div[id^="AdLayer"]
+bola005.com##.ad_m
+! https://github.com/AdguardTeam/AdguardFilters/issues/159895
+hops.id##div[class^="ads"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/159476
+||cdn*.t21.link/ads
+t21.press###donate
+! https://github.com/AdguardTeam/AdguardFilters/issues/159166
+timesindonesia.co.id###modal_ad
+timesindonesia.co.id###modal_ad ~ div.modal-backdrop
+! https://github.com/AdguardTeam/AdguardFilters/issues/159220
+mirrorkomik.net##.blox > a > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/159159
+wibudesu.co#?#.wrapper > center:has(> a[href^="https://rebrand.ly/"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/159187
+tv1.nontondrama.click#%#//scriptlet('set-cookie', 'lk21-player-dona', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/159097
+ytmp3.ch##.recommend-box
+! https://github.com/AdguardTeam/AdguardFilters/issues/159095
+kompas.com##div[style="height: 225px"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/159093
+animeindo.watch###overplay
+! https://github.com/AdguardTeam/AdguardFilters/issues/157701
+livebasah.eu.org#%#//scriptlet('remove-class', 'xepo_ads', 'body')
+! https://github.com/AdguardTeam/AdguardFilters/issues/156545
+broflix.club##.code-block
+broflix.club###bannerplayer-wrap
+broflix.club##aside > .widget > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/166733
+! https://github.com/AdguardTeam/AdguardFilters/issues/155363
+layarkaca21.*###admad
+layarkaca21.*###top-b
+layarkaca21.*###player-lux
+layarkaca21.*###player-below-b
+layarkaca21.*###bplayer-single
+||s1.lk21static.xyz/assets/*-nov.gif$domain=layarkaca21.*
+layarkaca21.*##img[src^="https://placehold.co/"]
+||placehold.co^$domain=layarkaca21.*
+! https://github.com/AdguardTeam/AdguardFilters/issues/154921
+mangatale.co##.blox > a[href*="?ref="] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/155428
+layardrama21.*##a[target*="blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/155018
+.wasabisys.com/adsjf/
+! https://github.com/AdguardTeam/AdguardFilters/issues/154363
+doroni.me#%#//scriptlet('set-constant', 'showAds', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/172073
+! https://github.com/AdguardTeam/AdguardFilters/issues/153844
+@@||zxc.nyaa-tan.my.id/js/-ads-banner.js$domain=kusonime.com
+kusonime.com#$#.lexot #dl { display: block !important; }
+kusonime.com#%#//scriptlet('set-constant', 'showada', 'true')
+kusonime.com#%#//scriptlet('abort-on-property-write', 'app_advert')
+! https://github.com/AdguardTeam/AdguardFilters/issues/153395
+! https://github.com/AdguardTeam/AdguardFilters/issues/153701
+duduk123.com,beritanaik.com#@#.adVertical
+duduk123.com,beritanaik.com##.warning_iklan
+duduk123.com,beritanaik.com##div[class^="semprotnenenmontok"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/152290
+westmanga.info##.kln
+! https://github.com/AdguardTeam/AdguardFilters/issues/149836
+! https://github.com/AdguardTeam/AdguardFilters/issues/38345#issuecomment-1584886448
+nomat.*##.popup
+nomat.*##.section > a [src*=".gif"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/145402
+link.idblog.eu.org#%#//scriptlet('remove-attr', 'href', '.atas > a[href*="/redirect"][onclick]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/144790
+$script,redirect-rule=noopjs,domain=173.249.8.3
+173.249.8.3#%#//scriptlet('prevent-window-open')
+173.249.8.3#%#//scriptlet('abort-current-inline-script', '$', 'window.open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/159379
+! https://github.com/AdguardTeam/AdguardFilters/issues/146829
+! https://github.com/AdguardTeam/AdguardFilters/issues/143595
+lk21official.*###admad
+lk21official.*###player-lux
+lk21official.*###player > a[id][target="_blank"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/143359
+91.208.197.43###overplay
+! https://github.com/AdguardTeam/AdguardFilters/issues/143145
+bacakomik.co##.gambar_pemanis
+bacakomik.co##.form-contoler > a > img
+bacakomik.co##.chapter-content > a > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/142383
+komikindo.id##.gambar_pemanis
+! https://github.com/AdguardTeam/AdguardFilters/issues/148054
+! https://github.com/AdguardTeam/AdguardFilters/issues/141525
+samehadaku.*###overplay
+samehadaku.*###floatcenter
+samehadaku.*###floatbottom
+samehadaku.*#%#//scriptlet('adjust-setTimeout', 'player_embed', '*', '0.02')
+! https://github.com/AdguardTeam/AdguardFilters/issues/138937
+45.141.56.28###fixedfoot
+45.141.56.28###fixedban
+45.141.56.28##.idmuvi-topplayer
+45.141.56.28###custom_html-30
+! https://github.com/AdguardTeam/AdguardFilters/issues/138642
+/\/(bantengmerahNEW|.*-Anichin)\.gif$/$domain=anichin.vip
+anichin.vip##.kln
+! https://github.com/AdguardTeam/AdguardFilters/issues/150548
+! https://github.com/AdguardTeam/AdguardFilters/issues/144727
+! https://github.com/AdguardTeam/AdguardFilters/issues/137897
+oploverz.*##.widget:has(> div.textwidget > p > a[target="_blank"])
+oploverz.*##.widget:has(> div.textwidget:empty)
+oploverz.*###overplay
+oploverz.*##div[id^="teaser"]
+oploverz.*##.sgpb-popup-overlay
+oploverz.*###sgpb-popup-dialog-main-div-wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/135009
+jnckmedia.com###iklan
+! https://github.com/uBlockOrigin/uAssets/issues/14864
+bianity.net##.bn-lg.bn-p-b
+bianity.net##.bn-lg-sidebar
+! https://github.com/AdguardTeam/AdguardFilters/issues/127727
+bolasport.com##div[class^="cls"]
+bolasport.com##.news-related
+bolasport.com##.ads
+bolasport.com###video_pilihan
+bolasport.com##.ads-on
+bolasport.com#?#.section__right > div.terpopuler:has(> div.terpopuler__list iframe[src^="https://embed.dugout.com/"])
+bolasport.com#?#.section__right div.terpopuler__list:has(iframe[src^="https://embed.dugout.com/"])
+bolasport.com#?#.section__right > h2.title__default:has(> span:contains(VIDEO TERPOPULER))
+bolasport.com#?#.content_footer--list > div.content_footer--list:has(> div.content_wrapper > div.title_category > h2:contains(VIDEO TERPOPULER))
+bolasport.com#?##content > div.content_wrapper:has(> div.news-list__list iframe[src^="https://embed.dugout.com/"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/127346
+komiklokal.me#%#//scriptlet("prevent-window-open")
+komiklokal.me#%#//scriptlet("abort-on-property-read", "JuicyPop")
+komiklokal.me#%#//scriptlet("json-prune", "*", "openTargetBlank")
+komiklokal.me#%#//scriptlet("json-prune", "*", "ignoreFocus maxActive url")
+komiklokal.me##body ~ a[class^="c-"][target="_blank"]
+komiklokal.me##iframe[data-src^="https://anime.berangkasilmu.com/?ads="]
+komiklokal.me##a[href^="https://cdsecurecloud-dt.com/smartlink/"]
+komiklokal.me##iframe[src^="https://anime.berangkasilmu.com/?ads="]
+||anime.berangkasilmu.com/?ads=$subdocument
+||komiklokal.me/wp-content/uploads/*/banner-untuk-CPA-300x300.png
+! https://github.com/AdguardTeam/AdguardFilters/issues/116353
+noonaspoiler.online###side_on_post > div[id^="HTML"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/113344
+||jeniusplay.com/cdn/video/QQnewfix.mp4
+||jeniusplay.com/cdn/gif/QQBanner/$image
+! https://github.com/AdguardTeam/AdguardFilters/issues/111220
+liputan6.com##div[data-info="ad"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/107972
+laravelarticle.com##.bl_wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/102875
+194.163.183.129#$##player_embed { visibility: visible !important; }
+194.163.183.129#$##myVideo[onclick="goVideoAds();"] { display: none !important; }
+194.163.183.129#%#//scriptlet('set-constant', 'easthemeajax.playeradstime', 'undefined')
+! https://github.com/AdguardTeam/AdguardFilters/issues/99329
+honestdocs.id##.top-banner
+honestdocs.id##.banner-left
+! https://github.com/AdguardTeam/AdguardFilters/issues/98127
+talenta.co#$#html { overflow: auto !important; }
+talenta.co#$#.pum-overlay { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/94593
+ipsaya.com##.IP-ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/93791
+motorplus-online.com###div-paralax-container
+motorplus-online.com##.nkt__stick
+motorplus-online.com##.kcm__tower
+! https://github.com/AdguardTeam/AdguardFilters/issues/92524
+suara.com##div[id^="div-ad-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/92136
+bisnis.com##.flying_carpet_div
+! https://github.com/AdguardTeam/AdguardFilters/issues/91159
+indosport.com###billboard-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/90038
+sonora.id###div-Inside-MediumRectangle
+! placeholder
+kusonime.com##.iklanads
+! https://github.com/AdguardTeam/AdguardFilters/issues/89351
+gomunime.online##div[style*="text-align: center;"] > a[href^="https://bit.ly/"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/88112
+pusatporn18.com###HTML7
+! https://github.com/AdguardTeam/AdguardFilters/issues/87327
+tempo.co##img[alt="Banner"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/83472
+cnbcindonesia.com#?##ArtikelTerkaitContainer > .col_mob_4 > .native-ads-d:upward(1)
+! https://github.com/AdguardTeam/AdguardFilters/issues/83783
+||duit.cc/js/worker.js
+duit.cc#$##ignielAdBlock { display: none !important; }
+duit.cc#$#body[style*="overflow:"] { overflow: visible !important; }
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=duit.cc
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=duit.cc,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/82509
+@@||mangalist.org/url/lib/adbanner.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/80388
+mangaku.pro##div[class^="adv"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/78973
+||neonime.*/wp-content/themes/grifus/images/donate/yunita/
+! https://github.com/AdguardTeam/AdguardFilters/issues/77119
+ad4msan.com#%#//scriptlet("abort-current-inline-script", "String.fromCharCode", "decodeURIComponent")
+! https://github.com/AdguardTeam/AdguardFilters/issues/77092
+id.ytmp3.plus###ba
+! https://github.com/AdguardTeam/AdguardFilters/issues/75487
+||bitball.b-cdn.net/video/*.mp4$media,redirect=noopmp4-1s,domain=185.145.131.204
+! https://github.com/AdguardTeam/AdguardFilters/issues/77871
+laksa19.github.io#%#//scriptlet('prevent-setInterval', '/chkAds|ads\.|!document\.querySelector/')
+laksa19.github.io#%#//scriptlet('prevent-setTimeout', '/chkAds|ads\.|!document\.querySelector/')
+laksa19.github.io#%#//scriptlet('prevent-xhr', 'doubleclick.net')
+laksa19.github.io#%#AG_onLoad((function(){if(location.href.includes("googleads"))return;const e=document.createDocumentFragment(),t=document.createElement("iframe");t.src="googleads",e.appendChild(t);const n=document.createElement("ins");n.classList.add("adsbygoogle"),e.appendChild(n);const d=document.createElement("div");d.setAttribute("title","Advertisement"),e.appendChild(d),document.body.appendChild(e)}));
+laksa19.github.io##iframe[src="googleads"]
+laksa19.github.io#$#.adsbygoogle { height: 1px !important; }
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=laksa19.github.io
+@@||static.doubleclick.net/instream/ad_status.js$domain=laksa19.github.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/74675
+nawalakarsa.id#?#.jeg_header > .jeg_bottombar > .container > .jeg_nav_row > .jeg_nav_col > .item_wrap > .jeg_ad:upward(.jeg_bottombar)
+! ##div[id^="st"][style^="z-index: 9999"]
+komikhentaiterbaru.xtgem.com,rajahentai.com,komikhentai.online,hexat.com,yhentai.sextgem.com##div[id^="st"][style^="z-index: 9999"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/74660
+||xtgem.com/images/xtvid/$domain=rajahentai.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/75236
+download.ipeenk.com#%#//scriptlet("prevent-addEventListener", "DOMContentLoaded", "adlinkfly_url")
+! https://github.com/AdguardTeam/AdguardFilters/issues/60135
+komikhentaiterbaru.xtgem.com##body > center > a[href] > img
+||komikhentaiterbaru.xtgem.com/iklan2.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/74322
+blog.aming.info#%#//scriptlet("prevent-window-open")
+blog.aming.info#$#body { visibility: visible !important; }
+blog.aming.info#$##babasbmsgx { display: none !important; }
+||namesilo.com/affiliate/banner_
+blog.aming.info##a[href^="https://cdn.aming.info/"] > img
+blog.aming.info##.post-content center > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/73890
+||vidio.com/embed/*&autoplay=true$domain=bola.net
+bola.net##.slot-native-lg
+! https://github.com/AdguardTeam/AdguardFilters/issues/73697
+novelgo.id##div[class^="code-block-label"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/73142
+petanikode.com###antiadblock
+! https://github.com/AdguardTeam/AdguardFilters/issues/73442
+jejakpiknik.com###footer_sticky
+! https://github.com/AdguardTeam/AdguardFilters/issues/72711
+inews.id###inews_v-out_hybrid
+! https://github.com/AdguardTeam/AdguardFilters/issues/70799
+tribunjualbeli.com###div-Top-Leaderboard
+tribunjualbeli.com##div[id^="div-Right-MediumRectangle-"]
+tribunjualbeli.com##div[class="fl mt20"] > #iklan > div[style="width:160px; height:600px;text-align: center;margin:20px auto;background-color:#ebebeb!important"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/69436
+grid.id##amp-embed[type="outbrain"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/68676
+dumetschool.com##.modal-promo-popup
+! https://github.com/AdguardTeam/AdguardFilters/issues/72183
+jagongoding.com##.iklan-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/68343
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,important,domain=taufiqhdyt.com
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=taufiqhdyt.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/66163
+@@||ad4msan.com/wp-content/plugins/dh-anti-adblocker/assets/js/prebid-ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/64851
+206.189.151.55##.tvtubeads
+206.189.151.55###ffbp-bg
+! https://github.com/AdguardTeam/AdguardFilters/issues/70384
+am.lk##.bannergroup
+! https://github.com/AdguardTeam/AdguardFilters/issues/71638
+bitcatcha.co.id##.stickypl
+! https://github.com/AdguardTeam/AdguardFilters/issues/64623
+149.56.24.226###overlay
+149.56.24.226###player-lux
+! https://github.com/AdguardTeam/AdguardFilters/issues/62278
+ayobandung.com##.banner-top
+ayobandung.com##.sticky-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/60769
+goodnewsfromindonesia.id###mybot-adcover
+! https://github.com/AdguardTeam/AdguardFilters/issues/61759
+dafideff.com#?#.inline_wrapper > div.middle_post:has(> ins.adsbygoogle)
+! https://github.com/AdguardTeam/AdguardFilters/issues/66478
+! https://github.com/AdguardTeam/AdguardFilters/issues/60909
+bioskopkeren.*#$##film { display: block !important; }
+bioskopkeren.*#$##filmoncereklam { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/60907
+185.63.253.247##.wpb-outer-wrap
+! https://github.com/AdguardTeam/AdguardFilters/issues/60612
+iklandb.com##.black-overlay
+iklandb.com##.whitecontent
+iklandb.com##.banner125
+iklandb.com#?#.sidebar > .widget:has(> .banner125)
+! https://github.com/AdguardTeam/AdguardFilters/issues/59740
+pengusahamuslim.com###text-27
+pengusahamuslim.com###text-28
+! https://github.com/AdguardTeam/AdguardFilters/issues/59189
+@@||ads.a-static.com/ads.js$domain=ad4msan.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/57565
+labelotaku.com#%#//scriptlet("abort-current-inline-script", "eval", "ignielAdBlock")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=labelotaku.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/57217
+neonime.*##.box_item_berlangganan_popup
+! https://github.com/AdguardTeam/AdguardFilters/issues/56515
+anoboy.stream##a[href][rel="sponsored"]
+anoboy.stream##.sidebar > .center > a[href][target="_blank"] > amp-img
+! https://github.com/AdguardTeam/AdguardFilters/issues/52687
+xnxx54.info##.entry-content > div.ktz_content-more > p[style] + div[class][id]:not([style])
+! https://github.com/AdguardTeam/AdguardFilters/issues/52595
+||kxcdn.com/wp-content/uploads/*/*-336x280.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/52502
+sederet.com###main_container > table.bg_search_container + div[style]
+! https://github.com/AdguardTeam/AdguardFilters/issues/52241
+bagas31.info##.frame-banner-places-popup
+bagas31.info##.socialproff-bottom
+! https://github.com/AdguardTeam/AdguardFilters/issues/51656
+||firebasestorage.googleapis.com/*/ABP.$stylesheet,script,domain=pekalongan-cits.blogspot.com
+! tokopedia.com
+tokopedia.com##div[data-testid="topadsCPMWrapper"] ~ div[data-testid="divSRPContentProducts"] > div[class^="css-"] div:has(a[href*="src=topads"])
+tokopedia.com#?#div[data-testid="cntrFindProductsResult"] div[data-testid^="divFindProduct"]:has(a[href^="https://ta.tokopedia.com/promo/"] span:contains(Ad))
+tokopedia.com##div[data-testid="divSRPContentProducts"] > div[class^="css"] > div[class^="css"]:has( div[data-testid^="master-product-card"] div.prd_container-card [data-testid="divSRPTopadsIcon"])
+tokopedia.com##div[data-testid="divSRPContentProducts"] div[data-testid^="master-product-card"]:has(div.prd_container-card [data-testid="divSRPTopadsIcon"])
+tokopedia.com##.success .ta-inventory[id^="promo"][ad_url]
+tokopedia.com##div[data-testid="topadsCPMWrapper"]
+tokopedia.com#?#div[data-testid="divSRPContentProducts"] > div[class^="css-"]:has(> a[data-testid="lnkProductContainer"] > div[data-testid="divProductWrapper"] > div[class^="css-"] > div[class^="css-"] > div[class^="css-"] > img[alt="topads icon"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/51488
+seputarforex.com##.text-right[style*="font-size: 10px;"]
+seputarforex.com##.need-share-button
+! https://github.com/AdguardTeam/AdguardFilters/issues/50809
+beritasatu.com###primary-content-wrap > .sticky.fixed-sosmed-article
+! https://github.com/AdguardTeam/AdguardFilters/issues/50807
+inews.id##.ads_sticky_footer
+! https://github.com/AdguardTeam/AdguardFilters/issues/50159
+katadata.co.id##.center-belt
+katadata.co.id##.footer_sticky
+! https://github.com/AdguardTeam/AdguardFilters/issues/48923
+157.245.202.123#%#//scriptlet("abort-current-inline-script", "decodeURI", "4zz.")
+! https://github.com/AdguardTeam/AdguardFilters/issues/48650
+pradjadj.com##.widget_abd_shortcode_widget
+pradjadj.com#%#//scriptlet("set-constant", "google_jobrunner", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/48266
+redtube53.info##img[width="300"][height="600"]
+redtube53.info##.entry-content.clearfix
+! https://github.com/AdguardTeam/AdguardFilters/issues/47204
+sextgem.com##div[id][style*="z-index: 999999999;"]
+||xtgem.com/images/influenza/$domain=sextgem.com
+||xtgem.com/images/xtvid/$domain=sextgem.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/47199
+komikhentaiterbaru.xtgem.com##.footer2 > center > a[href*=".php"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/47205
+rajahentai.com##._xt_ad_close_internal
+||rajahentai.com/img/foto-bugil.gif
+rajahentai.com#?##navigation-menu > ul > li:has(> center > b:contains(Wap Partner))
+! https://github.com/realodix/AdBlockID/issues/248
+mangaku.in#%#//scriptlet("abort-on-property-read", "popup")
+! https://github.com/AdguardTeam/AdguardFilters/issues/46349
+!+ NOT_OPTIMIZED
+||img.kota*.casa/images/idxbet/
+! https://github.com/AdguardTeam/AdguardFilters/issues/47201
+minioppai.org#?#.rapi > .leftarea:has(> script:first-child:contains(ad_idzone))
+! https://github.com/realodix/AdBlockID/issues/182
+kshowsubindo.org#%#//scriptlet("abort-on-property-read", "Object.prototype.popunder")
+kshowsubindo.org##.jquery-modal
+kshowsubindo.org###popup
+! https://github.com/AdguardTeam/AdguardFilters/issues/46816
+nekopoi.web.id##.sidebar > #HTML6
+nekopoi.web.id###header-wrapper > .batasan > #header2
+||blogspot.com/-*/ads-poi*.jpg$domain=nekopoi.web.id
+||rawcdn.githack.com/nkpoi/ads/master/adsblock2.js
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,important,domain=nekopoi.web.id
+! https://github.com/realodix/AdBlockID/issues/173
+wizardsubs.com#?#div[class^="sidebar"] > div.widget:has(> h3.widget-title > span:contains(Ads))
+! https://github.com/AdguardTeam/AdguardFilters/issues/46604
+semprot.com#%#//scriptlet("abort-current-inline-script", "String.fromCharCode", "ahli")
+! https://github.com/AdguardTeam/AdguardFilters/issues/46399
+sosok.grid.id#?#.container > h2.title__default > span:contains(/^PROMOTED CONTENT$/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/45885
+lewat.club#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/46101
+viva.co.id##.skyscraper160
+! https://github.com/AdguardTeam/AdguardFilters/issues/46066
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=shrink.world
+! https://github.com/AdguardTeam/AdguardFilters/issues/38345
+kotakhitam.casa###vid > .jwseed
+dutafilm.*##.imgbanner
+dutafilm.*##a[href="/loker/"] > img
+dutafilm.*##.right-content a[href^="https://bit.ly/"] > img
+dutafilm.*##.right-content > #orbit
+dutafilm.*##iframe[data-glx][style*="z-index"]
+dutafilm.*##.swal-overlay
+dutafilm.*##body > a[href] > div[style^="position:absolute;"][style*="z-index:"]
+dutafilm.*##.left-content a[href][target="_blank"] > img
+dutafilm.*#%#//scriptlet("prevent-window-open", "bit.ly")
+dutafilm.*#%#//scriptlet("prevent-addEventListener", "load", "banner_id")
+dutafilm.*#%#//scriptlet("abort-on-property-read", "Object.prototype.Focm")
+! https://github.com/AdguardTeam/AdguardFilters/issues/45312
+grid.id#%#//scriptlet('abort-current-inline-script', 'document.addEventListener', 'iframe-network')
+grid.id###outbrain-container
+grid.id#?#.read__article > h2.title__default > span:contains(/^PROMOTED CONTENT$/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/45313
+kompas.tv##.ads-foot
+! https://github.com/AdguardTeam/AdguardFilters/issues/45088
+dosenbiologi.com##.stickyunit
+dosenbiologi.com#$#.divright { float: none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/45086
+hellosehat.com##body .ads-wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/44103
+semawur.com##div[style="text-align:center"] > span[style*="font-size: 10px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/44187
+kompasiana.com#%#//scriptlet('abort-current-inline-script', 'document.addEventListener', 'iframe-network')
+! https://github.com/AdguardTeam/AdguardFilters/issues/44254
+solopos.com##.ad--widget
+solopos.com#$#.sticky-wrapper { height: calc(100%)!important; }
+solopos.com#?#.container > .row > div > .page--title:has(> .adsbygoogle)
+! https://github.com/AdguardTeam/AdguardFilters/issues/43917
+public.upera.co##center > a[href^="http://upera.shop/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/43909
+gigapurbalingga.net##.entry-content center > button
+! https://github.com/AdguardTeam/AdguardFilters/issues/43683
+tempo.co##.top-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/43035
+detik.com#$#.containerBB { margin-top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/42766
+batch.id##.sidebar > .klan300
+@@||batch.id/wp-content/plugins/lw-adblocker/assets/js/fuckadblock.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/42555
+! https://github.com/AdguardTeam/AdguardFilters/issues/157444
+layarkaca21indo.xyz##.theiaStickySidebar > #custom_html-8
+layarkaca21indo.xyz#%#//scriptlet("abort-current-inline-script", "$", "#idmuvi-popup")
+! https://github.com/AdguardTeam/AdguardFilters/issues/42700
+lnindo.org#?#[class]:has(> center > ins.adsbygoogle)
+! https://github.com/AdguardTeam/AdguardFilters/issues/42513
+tribunnews.com##.ads__horizontal
+tribunnews.com###adspop
+!
+semprotyuk.com,semprot.com##.semprotnenenmontok_adalah_pujaan_hatiku > div[style]:not([id]):not([class])
+telset.id##.footer_sticky
+! https://github.com/AdguardTeam/AdguardFilters/issues/41992
+kuyhaa-me.com##.entry-content > center > input[src]
+! https://github.com/AdguardTeam/AdguardFilters/issues/40401#issuecomment-536183740
+mangacanblog.com###topbar
+mangacanblog.com#%#window.open = function() {};
+mangacanblog.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/40633
+depokpos.com##.newkarma-core-topbanner
+depokpos.com##.newkarma-core-floatbanner
+depokpos.com###secondary div[id^="text-"] a[href][rel="noopener noreferrer"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/40394
+animenonton.tv##.videoad
+animenonton.tv###pc-player-bar-close
+! https://github.com/AdguardTeam/AdguardFilters/issues/40323
+lk21tv.com##.close-banner
+lk21tv.com#$#a[href][rel="nofollow"] > img[src*="/ezgif-"] { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/39951
+winnetnews.com##.adswrapper
+||api.winnetnews.com/api/v*/banner/
+! https://github.com/AdguardTeam/AdguardFilters/issues/39559
+idalponse.blogspot.com#@##adcontent
+idalponse.blogspot.com##.showadblock
+! https://github.com/AdguardTeam/AdguardFilters/issues/37211
+91.230.121.24#$#.mfp-bg { display: none!important; }
+91.230.121.24#$#.mfp-wrap { display: none!important; }
+91.230.121.24#$#html { overflow: visible!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/36322
+||player.serverbk.com/bkcdn*.xml
+tuyensinh247.com##.banner_fooder
+! https://github.com/AdguardTeam/AdguardFilters/issues/35789
+! filmbioskop21
+158.69.120.31##.inner-wrap > .ban_empat ~ hr + .table-hover
+158.69.120.31###fats
+158.69.120.31###floating_banner_top
+158.69.120.31##a[target="_blank"] > img
+158.69.120.31##a[href^="https://bit.ly/"] > img
+158.69.120.31##img[width="250"][height="250"]
+158.69.120.31##img[style="width:100%;height:80px"]
+158.69.120.31##a[rel="nofollow"] > img[height="80"]
+158.69.120.31##.ban_empat
+158.69.120.31##.inner-wrap > div[id^="previewBox"]
+158.69.120.31##.navbar-brand
+158.69.120.31##div[id^="previewBox"][style^="position: fixed;"]
+158.69.120.31#$#.inner-wrap { margin-top: 0 !important; }
+158.69.120.31#$##myModalSingle { display: none!important; }
+158.69.120.31#$#body { overflow: visible!important; }
+158.69.120.31#%#//scriptlet("set-constant", "Light.Popup.create", "noopFunc")
+158.69.120.31#%#//scriptlet("adjust-setInterval", "timeLeft", "", "0.02")
+||158.69.120.31/assets/planet88_nov21.mp4
+||158.69.120.31/js/popup.js
+||158.69.120.31/assets/STARS77-*.gif
+||158.69.120.31/assets/77-LUCKS.gif
+||158.69.120.31/assets/qq-sidebar.gif
+||158.69.120.31/wp-content/uploads/*/luxury.gif
+||158.69.120.31/img/closeX.png
+! https://github.com/AdguardTeam/AdguardFilters/issues/35087
+||kotanopan.com/wp-content/uploads/*/*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/25573
+kurazone.net##.anuads
+||cdn.staticaly.com/gh/sotazer/sotazone/*/kurazoneAdblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/24805
+! https://github.com/AdguardTeam/AdguardFilters/issues/18637
+nekopoi.care##.ero > div.leftarea
+linkpoi.in##center > a[href][target="_blank"] > img
+nekopoi.care###sidebar_right > .widget_text > .custom-html-widget > a[href^="http://bit.ly/"] > img
+nekopoi.care##div[class^="adsgen"]
+@@||nekopoi.*/wp-content/themes/ThemeNekopoi/js/adsbygoogle.js$~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/12590
+! https://github.com/AdguardTeam/AdguardFilters/issues/12559
+! https://github.com/AdguardTeam/AdguardFilters/issues/11859
+||pornxxxplace.com/eureka^
+pornxxxplace.com###invideo_new
+! https://github.com/AdguardTeam/AdguardFilters/issues/11583
+! https://github.com/AdguardTeam/AdguardFilters/issues/11492
+majalahikan.com##.adsbygoogle
+@@||majalahikan.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/11054
+jalantikus.com##.ads
+jalantikus.com##div[id*="div-gpt-ad-"]
+jalantikus.com##[class^="ad-"][class*="-container"]
+jalantikus.com#%#window.googleToken = "no";
+! https://github.com/AdguardTeam/AdguardFilters/issues/10098
+eramuslim.com#@##topAd
+! https://github.com/AdguardTeam/AdguardFilters/issues/9286
+||bitly.com^$domain=semprot.com
+! https://forum.adguard.com/index.php?threads/neumanga-tv-ads-anti-adblock.26796/
+neumanga.tv##.ads
+neumanga.tv##a[href^="https://fb.me"]
+neumanga.tv##a[onclick]#close-teaser > img
+||neumanga.tv/uploads/*/raja365.gif
+||neumanga.tv/uploads/*/Judi%20Poker%20Online.gif
+||neumanga.tv/uploads/*/agenqq2.gif
+||neumanga.tv/uploads/*/banner728.gif
+||neumanga.tv/uploads/*/hokiqq2.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/7277
+inwepo.co##.adsbygoogle
+@@||inwepo.co^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/6872
+!+ NOT_PLATFORM(windows, mac, android)
+mivo.com##.top-ads
+!+ NOT_PLATFORM(windows, mac, android)
+@@||mivo.com^$generichide
+mivo.com#$#div[class^="player-ads-"] { visibility: hidden!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/6338
+mangacanblog.com##.ad
+mangacanblog.com###adrtop
+mangacanblog.com###btm_banner
+||mangacanblog.com/adblock/src/adblock-checker.js
+!
+||animeku.tv/wp-content/themes/animeku/iklan/*.php
+lk21.me##.container > div[id$="banner"]
+||gambar123.com^$image,domain=semprot.com|semprotyuk.com
+semprot.com##div[class^="semprotpokemon_"]
+@@||gambar123.com/pic/o/semprot-b-$image,domain=semprot.com
+@@||freesms4us.com/*adv*.js
+movie76.com###btm_banner
+wardhanime.net###iklanatas
+wardhanime.net###kanan
+wardhanime.net###kiri
+dm5.com##.cp_adct
+gigapurbalingga.com##a[href^="http://downloadab.com/"]
+movie76.com,wardhanime.net##div[id^="teaser"]
+movie76.com##img[alt="ads"]
+!---------------------------------------------------------------------
+!---------------------------------------------------------------------
+!------------------------------ Italian ------------------------------
+!---------------------------------------------------------------------
+! NOTE: Italian
+!
+gamelegends.it##div[id^="gamelegends-dsk_"]
+iphoneitalia.com##div[id^="addendoContainer_"]
+subito.it##.dynamic-atf-container
+spazioplay.it##.stream-item
+spazioplay.it##.stream-item-widget
+tuttoandroid.net##.article-banner-container
+skdesu.com##.inside-article > div.gb-container:has(> center > ins.adsbygoogle)
+||api.everyeye.it/amazon/topskin/
+telefonino.forumfree.it##div[style]:has(> div.OUTBRAIN)
+ilciriaco.it##.code-block
+hwupgrade.it#$#body { padding-top: 0px !important; }
+smellyfisher.com##.providers
+bestmovie.it,treccani.it##.gmp
+forum.fibra.click##.FibraClickAds-fake-poststream-item
+open.online##a[rel="sponsored"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/188802
+tv8.it##main div[type="atf-btf"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/188839
+sport.sky.it##.advContainer
+! https://github.com/AdguardTeam/AdguardFilters/issues/185324
+unionesarda.it#%#//scriptlet('trusted-set-constant', 'videojs', '{"log":{}}')
+unionesarda.it#%#//scriptlet('set-constant', 'videojs.log.level', 'noopFunc')
+!+ NOT_PLATFORM(windows, mac, android)
+@@||googleads.github.io/videojs-ima/node_modules/video.js/dist/video.min.js$domain=unionesarda.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/182782
+torrinomedica.it##.entry-content > .code-block:has(> .adsbygoogle)
+! https://github.com/AdguardTeam/AdguardFilters/issues/181367
+subito.it##div[class^="AdvTopBanner"]
+subito.it##div[class^="banner-module_sticky"]
+subito.it##div[class*="AdsGAMPlacement"]
+subito.it##div[class^="ItemListContainer"] div[id^="ad_wrapper"]:has(> div[data-google-interstitial] > div[style*="min-height"])
+||subito.it/static/script/subito-adv.*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/181230
+automap.it#@#.ads1
+automap.it#@#.ads2
+automap.it#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/180596
+onepiecepower.com###tendina
+onepiecepower.com###toCloseGADS
+! https://github.com/AdguardTeam/AdguardFilters/issues/178737
+gazzetta.it##.adv__webvtls
+gazzetta.it##div[class*="adv-frame"]
+gazzetta.it#$##l-main { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/178055
+ricettasprint.it##.code-block
+ricettasprint.it###tca-sticky
+ricettasprint.it#$#body { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/178012
+spaziogames.it##.mx-auto > div.text-center:has(> div.flex > div.not-prose > a[href^="https://www.amazon.it/"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/176117
+kodami.it##.adv
+kodami.it#$#body { padding-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/175655
+morethantech.it##.placeholder-bg
+! https://github.com/AdguardTeam/AdguardFilters/issues/175583
+howtechismade.com#%#//scriptlet('prevent-setTimeout', 'siteAccessPopup()')
+! https://github.com/AdguardTeam/AdguardFilters/issues/175282
+hwupgrade.it##.page div.vbmenu_popup ~ table td[style]:has(> div.banner-content)
+! https://github.com/AdguardTeam/AdguardFilters/issues/175274
+rendimentibtp.it#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/175139
+adnkronos.com#@#.avp-p-wrapper
+@@||player.aniview.com/script/*/AVmanager.js$domain=adnkronos.com
+@@||player.avplayer.com/script/2/v/avcplayer.js$domain=adnkronos.com
+@@||assets.evolutionadv.it/prebid/*/prebid.min.js$domain=adnkronos.com
+@@||cdn.confiant-integrations.net/*/gpt_and_prebid/config.js$domain=adnkronos.com
+@@||assets.evolutionadv.it/optiload/*/optiload_video.min.js$domain=adnkronos.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/174483
+pianetabambini.it##div[class*="clsads"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/174748
+tomshw.it##.customads
+! https://github.com/AdguardTeam/AdguardFilters/issues/174347
+spaziogames.it##.customads
+spaziogames.it#$#body > div[class="lg\:h-\[140px\]"]:empty { height: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/173490
+news.fidelityhouse.eu##.hb_ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/174016
+ilmessaggero.it###outbrainWait
+! https://github.com/AdguardTeam/AdguardFilters/issues/173546
+fumettologica.it###yb-hidemefloorad
+! https://github.com/AdguardTeam/AdguardFilters/issues/173302
+fanpage.it##.box-news-banner
+fanpage.it##div[class^="taboola-widget-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/173332
+money.it###gmp-insideposttop
+! https://github.com/AdguardTeam/AdguardFilters/issues/173211
+androidiani.com###text-5
+androidiani.com##div[class^="juice_"]
+androidiani.com###post_
+! https://github.com/AdguardTeam/AdguardFilters/issues/172854
+forum.tomshw.it#$##top { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/172807
+player.it##.code-block
+! https://github.com/AdguardTeam/AdguardFilters/issues/172806
+bbva.it#$#html > body { opacity: 1 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/172749
+ilgiorno.it##div[style="min-height:250px"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/172406
+tuttoandroid.net##.skin-img
+tuttoandroid.net,tuttotech.net##body .banner:not(#style_important)
+! https://github.com/AdguardTeam/AdguardFilters/issues/172395
+sorrisi.com##.tvsc-adv-slot
+! movieplayer.it - left-overs
+movieplayer.it##.banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/172000
+finanzaonline.com#$#body { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/171244
+studenti.it#%#//scriptlet('set-constant', 'Object.prototype.prerollLaunched', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/170862
+liberoquotidiano.it##div[class$="-only"]
+liberoquotidiano.it##div[style^="margin:6px auto 12px;position:relative;"]
+liberoquotidiano.it##div[style="min-height: 885px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/170817
+iodonna.it##body div[id^="rcsad_"]:not(#style_important)
+iodonna.it#%#//scriptlet('prevent-element-src-loading', 'script', 'imasdk.googleapis.com/js/sdkloader/ima3.js')
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=noopjs,domain=iodonna.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/170342
+dissapore.com##.article__adv--outbrain
+! https://github.com/AdguardTeam/AdguardFilters/issues/169541
+||libero.it/public/*/js/adv.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/169452
+alvolante.it##div[id^="dfp-alv-slot-"]
+alvolante.it##div[id^="adv-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/169018
+greenme.it##aside[style^="margin: 8px auto;"]
+! https://github.com/uBlockOrigin/uAssets/issues/21532
+serially.it#%#//scriptlet('json-prune', 'ads')
+serially.it#%#//scriptlet('xml-prune', 'xpath(//*[name()="Period"][.//*[name()="BaseURL" and contains(text(),"/ad/")]])', '', '.mpd')
+! https://github.com/AdguardTeam/AdguardFilters/issues/168078
+juzaphoto.com#?#body > div[style^="margin-left: auto;"]:has(> a[onclick^="ajax_bannerclicks"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/167419
+tuttogreen.it##.advplace
+tuttogreen.it##.block-custom-content-50
+tuttogreen.it##.easyazon-block
+! https://github.com/AdguardTeam/AdguardFilters/issues/167395
+@@||ads.viralize.tv/player/$domain=automoto.it|moto.it
+@@||ads.viralize.tv/display/$domain=automoto.it|moto.it
+@@||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://github.com/AdguardTeam/AdguardFilters/issues/167175
+tvblog.it###leoskin-content
+! https://github.com/AdguardTeam/AdguardFilters/issues/167176
+tv8.it##div[class^="AdvBanner"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/166562
+youmath.it#%#//scriptlet('prevent-xhr', 'google-analytics.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/166719
+ilmeteo.it###banner-320-50
+ilmeteo.it##[id^="banner-mnz-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/166604
+offertevolantini.it##.anchor-wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/166542
+oggi.it##.adv-square
+oggi.it##.wrapper-bottom1
+oggi.it##.wrapper-bottom2
+oggi.it#%#//scriptlet('prevent-element-src-loading', 'script', 'imasdk.googleapis.com/js/sdkloader/ima3.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/166296
+trovit.it##.adsense-container-skeleton
+! https://github.com/AdguardTeam/AdguardFilters/issues/166282
+||components2.*.it/rcs_tealium/
+! https://github.com/AdguardTeam/AdguardFilters/issues/166077
+automoto.it,moto.it##.app-masthead
+automoto.it,moto.it##.crm-unit
+! https://github.com/AdguardTeam/AdguardFilters/issues/166126
+! Rule $referrerpolicy is required for apps, because source of ima3.js is not detected and due to this it's not redirected
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=highlights.legaseriea.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/165897
+fritzbox-forum.com##div[style*="max-height: 90px; min-width: 728px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/165835
+ilfattoquotidiano.it#?#.fq-extra-pushbar__content:has(> div.ifq-dfp > div.ifq-adv)
+! https://github.com/AdguardTeam/AdguardFilters/issues/164802#issuecomment-1793373741
+! https://github.com/AdguardTeam/AdguardFilters/issues/164576
+jobrapido.com##.leaderboard-header-wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/164710
+toro.it##div[id^="ad_dyn"]
+toro.it###sidebar > .ai_widget a[target="_blank"]
+toro.it#?#.col-lg-4 > .code-block
+toro.it#?#.single-blog-wrapper .code-block:not(:has([id^="iol-player-"]))
+toro.it#?#.code-block:has(> div:is([id^="admpu"],[id^="ad_dyn"],[id^="adnative"]))
+toro.it#$##focus-header { top: 0 !important; }
+toro.it#$#body div[id^="adwallpaper"]:not(#style_important) { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/164118
+corriere.it#$#body.type-article > main#l-main { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/164007
+automoto.it,moto.it##body .mawrap
+automoto.it,moto.it##body .mhwrap
+! https://github.com/AdguardTeam/AdguardFilters/issues/163962
+smartworld.it#$##main { margin-top: unset !important; }
+smartworld.it##.tw-fragment-affiliation
+! https://github.com/AdguardTeam/AdguardFilters/issues/163379
+||domhouse.it/wp-content/themes/soledad/js/detector.js
+domhouse.it#@#ins.adsbygoogle[data-ad-slot]
+domhouse.it#@#.sidebar-ad
+domhouse.it#@#.Ad-Container
+! https://github.com/AdguardTeam/AdguardFilters/issues/163214
+tvserial.it##.box-mtf
+tvserial.it#%#//scriptlet('adjust-setInterval', '__tcfapi', '*', '0.001')
+@@||hls.exmarketplace.com/*.ts$domain=tvserial.it
+@@||hls.exmarketplace.com/*.m3u8$domain=tvserial.it
+@@||cdn.exmarketplace.com/bidder/video_scripts/video_updated_*.js$domain=tvserial.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/162474
+f1ingenerale.com#?#.theiaStickySidebar > div.widget:has(div[id^="rtbuzz_"])
+f1ingenerale.com#?#.theiaStickySidebar ~ div.widget:has(div[id^="rtbuzz_"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/162151
+tuttoandroid.net##.card-grid div.row > div.col-18.align-self-center
+! https://github.com/AdguardTeam/AdguardFilters/issues/162074
+aranzulla.it###ad97090
+! https://github.com/AdguardTeam/AdguardFilters/issues/161801
+||googletagmanager.com/gtm.js$script,redirect=googletagmanager-gtm,domain=lastampa.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/161841
+geopop.it##.cp_banner-native
+! Rule below fixes embedded Tweets, for example - https://www.geopop.it/schianto-frecce-tricolori-a-torino-le-possibili-cause-e-il-bird-strike/
+! TODO: use redirect resource when it will be added - https://github.com/AdguardTeam/Scriptlets/issues/328
+geopop.it#%#(()=>{let t=window?.__iasPET?.queue;Array.isArray(t)||(t=[]);const s=JSON.stringify({brandSafety:{},slots:{}});function e(t){try{t?.dataHandler?.(s)}catch(t){}}for(t.push=e,window.__iasPET={VERSION:"1.16.18",queue:t,sessionId:"",setTargetingForAppNexus(){},setTargetingForGPT(){},start(){}};t.length;)e(t.shift())})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/161755
+[$path=/forum/]hwupgrade.it##.page-content td[style="padding-left:10px; width:300px;"]:not([class],[id])
+! https://github.com/AdguardTeam/AdguardFilters/issues/161706
+||tiscali.it/export/system/modules/*/resources/script/planner.js
+||planner.tiscali.it^
+tiscali.it##.ofrtsrc
+! https://github.com/AdguardTeam/AdguardFilters/issues/161699
+arte.sky.it##.adv-section-side
+! https://github.com/AdguardTeam/AdguardFilters/issues/163210
+tomshw.it##.adv
+tomshw.it#$#@media (min-width: 1024px) { div.min-h-screen[class*="lg:mt-24"] { margin-top: 0 !important; } }
+forum.tomshw.it###leaderboard1
+forum.tomshw.it#$#.uix_pageWrapper--fixed > .p-pageWrapper#top { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/160768
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=3bmeteo.com,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/160973
+lalaziosiamonoi.it##div[style*="min-width:300px;"][style*="min-height: 250px;"]
+lalaziosiamonoi.it##a[href^="https://www.imiglioricasinoonline.net/"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/160809
+facciabuco.com##.bannerpost
+facciabuco.com#%#//scriptlet('prevent-fetch', '/pagead2\.googlesyndication\.com|secure\.quantserve\.com/')
+! iodonna.it - adblock and ads
+iodonna.it##.adv-wrapper
+iodonna.it##div[class^="runa-integration-newsletter-box"]
+!+ NOT_OPTIMIZED
+||components2.rcsobjects.it/rcs_anti-adblocker-verticali/
+! https://github.com/AdguardTeam/AdguardFilters/issues/159557
+tuttoandroid.net###ta-adblock-modal
+tuttoandroid.net##.ta-adblock-modal-open::before
+tuttoandroid.net#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/159378
+! https://github.com/AdguardTeam/AdguardFilters/issues/155091
+moto.it#?#.d-none:has(> div.adv)
+moto.it##.aside-spacer:empty
+! https://github.com/AdguardTeam/AdguardFilters/issues/154833
+lascimmiapensa.com#?#.code-block:not(:has(div:is(.brid,[class^="epx"])))
+lascimmiapensa.com#%#//scriptlet('set-constant', 'Brid.A9.prototype.runCMSBidding', 'noopPromiseResolve')
+lascimmiapensa.com#%#//scriptlet('set-constant', 'Brid.A9.prototype.runBackfillBidding', 'noopPromiseResolve')
+lascimmiapensa.com#%#//scriptlet('prevent-element-src-loading', 'script', 'imasdk.googleapis.com/js/sdkloader/ima3.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/154238
+youmath.it###CONT_T
+! https://github.com/AdguardTeam/AdguardFilters/issues/153196
+tuttosporttaranto.com##aside > .slywdg-box:not(.side_video)
+tuttosporttaranto.com##article > div:not([class]):not([id]) img[style*="width: 400px; height: "][style*="float: left"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/152986
+3go.it###text-3
+3go.it###text-4
+3go.it##div[id^="advads-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/152753
+ilbianconero.com##.adv
+! https://github.com/AdguardTeam/AdguardFilters/issues/152340
+outofbit.it##.ct-code-block
+! https://github.com/AdguardTeam/AdguardFilters/issues/161242
+! https://github.com/AdguardTeam/AdguardFilters/issues/152148
+||pad.mymovies.it/*/include/adv/manzoni/*/mnz_adsetup_online.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/150823
+fumettologica.it#$#body.td-background-link { cursor: auto !important; background-image: none !important; }
+fumettologica.it#%#//scriptlet('set-constant', 'td_ad_background_click_link', 'undefined')
+! https://github.com/AdguardTeam/AdguardFilters/issues/149792
+spaziogames.it##.adv
+spaziogames.it#$#body > #desktop-skin { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/149083
+zazoom.it###zazoom_it_970x90_desktop_leaderboard
+zazoom.it##.container-banner-ads
+zazoom.it###adsmgid
+! https://github.com/AdguardTeam/AdguardFilters/issues/148922
+ilpost.it###maxticker
+! https://github.com/AdguardTeam/AdguardFilters/issues/148604
+reteimprese.it#?#.content > h2:contains(Advertisements)
+! https://github.com/AdguardTeam/AdguardFilters/issues/146540
+cineblog.it#$#body { margin-top: 0px !important;}
+cineblog.it#$#.section-sticky-rail[style*="min-height"] { min-height: auto !important; }
+cineblog.it###engageya_container
+cineblog.it##.mxm_wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/146318
+||tiscali.it/export/system/modules/it.tiscali.portal.homepage.v2/resources/js/shp-pasyc.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/146318
+notizie.tiscali.it##div[data-old="search-form-h"]
+notizie.tiscali.it##div[style="width:100%"] > div[style="margin:44px 0px"]
+||tiscali.it/shared/autopromoHp/tagliacosti_canali.html
+! https://github.com/AdguardTeam/AdguardFilters/issues/145522
+! TODO: remove prevent-addEventListener rule when new version with fix for prevent-element-src-loading will be released
+! https://github.com/AdguardTeam/Scriptlets/issues/270
+neveitalia.it#%#//scriptlet('prevent-addEventListener', 'bugfix', 'fix')
+neveitalia.it#%#//scriptlet('prevent-element-src-loading', 'img', '/assets/images/logo-gds-bianco.svg')
+@@||neveitalia.it/assets/images/logo-gds-bianco.svg
+! https://github.com/AdguardTeam/AdguardFilters/issues/145129
+corrieredellosport.it##div[class^="OutbrainWidget_placeholder"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/143877
+starwarsaddicted.it#$#.ad_unit.ad-unit.text-ad.text_ad.pub_300x250 { display: block!important; }
+starwarsaddicted.it#%#//scriptlet('set-constant', 'advanced_ads_check_adblocker', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/143688
+genova24.it#%#//scriptlet("set-constant", "checkForAdBlocker", "noopFunc")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xmlhttprequest,redirect=noopjs,domain=genova24.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/143235
+earone.it##div[style^="width:968px;min-height:300px;background:url"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/142441
+coniugazione.it##.stickyMaster
+! https://github.com/AdguardTeam/AdguardFilters/issues/142196
+gustoblog.it#%#//scriptlet('set-constant', 'adBlockRunning', 'false')
+gustoblog.it###detect ~ div[style^="display: flex; align-items: center; justify-content: center; position: fixed;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/141607
+fattoincasadabenedetta.it##.adv
+! https://github.com/AdguardTeam/AdguardFilters/issues/141493
+dolciveloci.it#%#//scriptlet('set-constant', 'adBlockRunning', 'false')
+dolciveloci.it###detect ~ div[style^="display: flex; align-items: center; justify-content: center; position: fixed;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/140804
+lanuovacalabria.it##app-banner-popup
+! https://github.com/AdguardTeam/AdguardFilters/issues/140083
+ilfattoquotidiano.it##div[id^="ifq-intext-container-"]
+ilfattoquotidiano.it##.widget_outbrain_widget
+! https://github.com/AdguardTeam/AdguardFilters/issues/140177
+animeclick.it#%#//scriptlet('trusted-click-element', 'body > a[target="_blank"] + div.header > a')
+animeclick.it#?#.center-block div.panel-default:has(> div.panel-heading:contains(Sponsor))
+! https://github.com/AdguardTeam/AdguardFilters/issues/139952
+tecnologia.libero.it###cont-wallpaper.hp_320x1
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=tecnologia.libero.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/139652
+tuttosport.com##div[class^="OutbrainWidget_placeholder"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/138968
+oggitreviso.it##body .test-adblock-overlay:not(#style_important)
+oggitreviso.it#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/138961
+balarm.it##.separatore-sidebar:empty
+balarm.it##.text-container > div[style^="margin: 40px 0 !important; width: 630px !important; height:170px !important; background: #"]
+balarm.it#$#body.skin { padding-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/138959
+svapo.it#@#.ad-placement
+svapo.it#$#.adsbox.doubleclick.ad-placement { display: block !important; }
+svapo.it#%#//scriptlet('prevent-setTimeout', '/window\.location[\s\S]*?\/adb\//')
+! https://github.com/AdguardTeam/AdguardFilters/issues/138506
+@@||libero.it^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/137565
+chimica-online.it###CONT_C_1
+chimica-online.it###D_1
+! https://github.com/AdguardTeam/AdguardFilters/issues/137548
+iodonna.it##.wrapperAdv
+! https://github.com/AdguardTeam/AdguardFilters/issues/136330
+laleggepertutti.it##.__lxG__double
+laleggepertutti.it##div[style^="height:1815px;"]
+laleggepertutti.it#$#.main-frame { margin-top: 0 !important; }
+laleggepertutti.it#?#.main-frame > div.content-wrapper:has(> div.banner)
+! https://github.com/AdguardTeam/AdguardFilters/issues/135751
+fastweb.it##.sticky_fda
+! https://github.com/AdguardTeam/AdguardFilters/issues/136063
+leonardo.it#$#body #detect[class] { display: block !important; }
+leonardo.it#%#//scriptlet("set-constant", "adBlockRunning", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/135986
+areanapoli.it###ob-related
+! https://github.com/AdguardTeam/AdguardFilters/issues/135349
+tuttoabruzzo.it##a[href^="https://link.offerte2019.network/"] > img
+||giornal.it/wp-content/uploads/2022/08/aloe-ultra.gif$domain=tuttoabruzzo.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/134813
+@@||truffeonline.com/js/pubPolicy/ads-prebid.js
+truffeonline.com#%#//scriptlet("set-constant", "moneyAbovePrivacy", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/134265
+webmail.email.it#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/133172
+corriere.it#$##l-header { margin-bottom: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/132740
+siracusanews.it##.area_banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/132650
+rendimentibtp.it#%#//scriptlet('set-constant', 'adBlockDetector', 'noopFunc')
+rendimentibtp.it#%#//scriptlet('prevent-element-src-loading', 'script', 'evolutionadv.it')
+! https://github.com/AdguardTeam/AdguardFilters/issues/132202
+giardiniblog.it##aside[id^="ai_widget-"]
+giardiniblog.it##.uzuwtdg
+! https://github.com/AdguardTeam/AdguardFilters/issues/132167
+programmitvstasera.it##.ptv-ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/132165
+separarensilabas.com##.nav-collapse ~ center
+! https://github.com/AdguardTeam/AdguardFilters/issues/131241
+gorecenter.com,guruhitech.com##body > div[id][class^="popup"][class$="wrap"][style]
+gorecenter.com,guruhitech.com#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/130706
+money.it#$?#body > header { margin-top: 0 !important; }
+money.it#?#a[rel="sponsored nofollow"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/130629
+ilsoftware.it##.w_banner
+ilsoftware.it##.mobileHidden > .widget[style$="width:300px; height:600px; min-height:250px;"]
+ilsoftware.it#%#//scriptlet("remove-attr", "href", ".entry_content p > a[href*='//amzn.to/']")
+! https://github.com/AdguardTeam/AdguardFilters/issues/129892
+ispazio.net##.a-wrap
+! https://github.com/AdguardTeam/AdguardFilters/issues/129893
+laleggepertutti.it#?#.content-article > div.spazioalto > script:upward(1)
+laleggepertutti.it##div[id^="lx_"]
+laleggepertutti.it##div[align="center"] > div[style="height:1700px; overflow:hidden;"]
+laleggepertutti.it##div[class^="notizie-blue-bnr-"]
+laleggepertutti.it##div[class="text-center"][style="min-height:250px"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/170308
+multiplayer.it#$?#body > #personalization_ads { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/129597
+multiplayer.it#$#body #top_ads_container { display: block !important; }
+multiplayer.it#%#//scriptlet('prevent-addEventListener', 'usernavready', 'adblock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/129126
+tellows.it#?##singlecomments > li:not([id]):has( > .comment-body > div[id^="adngin-"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/127153
+uprot.net#@#.ad_space
+! https://github.com/AdguardTeam/AdguardFilters/issues/127144
+tuttomercatoweb.com##.tcc-banner
+tuttomercatoweb.com##div[class="center"][style="height:270px; padding: 10px 0;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/125603
+punto-informatico.it##.banner-side-top
+punto-informatico.it##.banner-side-infinite
+! https://github.com/AdguardTeam/AdguardFilters/issues/173430
+! https://github.com/AdguardTeam/AdguardFilters/issues/125513
+corriere.it##div[id^="rcsad_"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/124031
+ilrestodelcarlino.it##.masthead-container
+ilrestodelcarlino.it##.leaderboard-or-skin-container
+! frontedelblog.it
+frontedelblog.it#?#.theiaStickySidebar > div[id^="stream-item-widget-"] > div.widget-title > div.the-subtitle:contains(/Sponsor|RadioRaccontiamoci/):upward(div[id^="stream-item-widget-"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/124038
+positanonotizie.it###adblockwarning
+! https://github.com/AdguardTeam/AdguardFilters/issues/123063
+ilvescovado.it###adblockwarning
+! https://github.com/AdguardTeam/AdguardFilters/issues/121595
+timgate.it###adv
+! https://github.com/AdguardTeam/AdguardFilters/issues/121426
+piacenza24.eu##a.gofollow[data-track]
+||piacenza24.eu/wp-content/uploads/*/BANNER*.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/120200
+tecnoandroid.it#%#//scriptlet('set-constant', 'td_ad_background_click_link', 'undefined')
+tecnoandroid.it#$#body.td-background-link { cursor: auto !important; }
+||tecnoandroid.it/wp-content/uploads/*/vivo
+! https://github.com/AdguardTeam/AdguardFilters/issues/165452
+ilmeteo.it###banner-mnz-top
+ilmeteo.it#?##page > #header:has(> #banner-mnz-top:only-child)
+! https://github.com/AdguardTeam/AdguardFilters/issues/120241
+@@||4strokemedia.com^$domain=ilmeteo.it
+ilmeteo.it#$##banner-mnz-topleft { height: 100px !important; }
+ilmeteo.it#$#body { overflow: visible !important; }
+ilmeteo.it#$#body div.fc-ab-root:not(#style_important) { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/147969
+! https://github.com/AdguardTeam/AdguardFilters/issues/119806
+video.corriere.it#%#//scriptlet('set-constant', 'utag.dfp_adunit', 'undefined')
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=video.corriere.it
+@@||feed.4strokemedia.com^$domain=video.corriere.it
+@@||cdnb.4strokemedia.com^$domain=video.corriere.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/116588
+ilfattoalimentare.it##.background-cover
+ilfattoalimentare.it#$##wrapper { margin-top: 0 !important; }
+ilfattoalimentare.it##.ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/112666
+timgate.it##.adv-image
+! https://github.com/AdguardTeam/AdguardFilters/issues/112663
+liberoquotidiano.it##._fb_dbx
+||mkt.forebase.com/plugin/loader.js$domain=liberoquotidiano.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/111137
+||98zero.com/static/js/check.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/111097
+allmusicitalia.it#$##inner-main-container { margin-top: 50px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/110911
+@@||email.it/js/prebid-ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/108958
+quotidiano.net#?#body > #__next > div[class^="sc-"]:has(> div[id^="div-gpt-"])
+quotidiano.net#$#body > #__next > main { grid-template-rows: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/110696
+la7.it#%#//scriptlet("set-constant", "__iasPET", "emptyObj")
+! https://github.com/AdguardTeam/AdguardFilters/issues/109771
+||primochef.it/adblock-tracking.html
+primochef.it###detect ~ div[style^="display: flex; align-items: center; justify-content: center; position: fixed;"]
+primochef.it#%#//scriptlet("set-constant", "adBlockRunning", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/105494
+lffl.org##.mrf-adv__wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/103544
+||comunicati-stampa.net/images/banner/$domain=freeonline.org
+freeonline.org#$#body { background-image: none !important; }
+freeonline.org#$#.top-bar { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/102466
+||newsmondo.it/adblock-tracking.html
+newsmondo.it###detect ~ div[style^="display: flex; align-items: center; justify-content: center; position: fixed;"]
+newsmondo.it#%#//scriptlet("set-constant", "adBlockRunning", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/103013
+inforge.net##.ifBUnit a[rel="sponsored"]
+inforge.net#%#//scriptlet("abort-current-inline-script", "$", "adBlock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/100338
+||ludicer.it/template/checkP.js
+ludicer.it#%#//scriptlet("prevent-setTimeout", "document.body.innerHTML")
+! https://github.com/AdguardTeam/AdguardFilters/issues/100414
+gizchina.it##.backstretch
+||gizchina.it/wp-content/uploads/*/*/skin-zte-esterno.jpg
+gizchina.it#$#body.td-background-link { cursor: auto !important; }
+gizchina.it#%#//scriptlet('set-constant', 'td_ad_background_click_link', 'undefined')
+! https://github.com/AdguardTeam/AdguardFilters/issues/98964
+||igizmo.it/wp-content/uploads/*/*/TOP-SKIN-1920x90-1.jpg
+igizmo.it##body > a[href^="https://igizmo.it/linkto/"][target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/98843
+ispazio.net#?#.theiaStickySidebar > .stream-item-widget:has(> .stream-item-widget-content > .ispaz-adlabel)
+ispazio.net#?#div[class^="main-content tie-col-"] > .mag-box.stream-item-mag:has(> .container-wrapper > .ispaz-adlabel)
+! https://github.com/AdguardTeam/AdguardFilters/issues/97297
+!+ NOT_OPTIMIZED
+gizchina.it##img[width="300"][height="600"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/97836
+smartworld.it##.tw-adv-slot
+! https://github.com/AdguardTeam/AdguardFilters/issues/97319
+@@||oasjs.kataweb.it/adsetup_cmp.js$domain=repubblica.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/96897
+focus.it##.foc-adv-false-slot
+focus.it##.foc-adv-slot
+! https://github.com/AdguardTeam/AdguardFilters/issues/95528
+fantacalcio.it#%#//scriptlet("prevent-setTimeout", "isAdBlockEnabled")
+! https://github.com/AdguardTeam/AdguardFilters/issues/95349
+@@||okfirenze.com/*/app/assets/js/prebid-ads.js
+okfirenze.com#%#//scriptlet("prevent-setTimeout", "#rbm_block_active")
+! https://github.com/AdguardTeam/AdguardFilters/issues/93241
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=laleggepertutti.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/93912
+||components2.gazzettaobjects.it/rcs_anti-adblocker/
+! https://github.com/AdguardTeam/AdguardFilters/issues/93570
+||homepage.tiscali.it/int/static/js/plnr.js
+tiscali.it##.cnt_b_2
+! https://github.com/AdguardTeam/AdguardFilters/issues/93160
+why-tech.it##.adsbygoogle:not(#ad-detector)
+why-tech.it#%#//scriptlet('prevent-setTimeout', 'eb-fadeIn', '0')
+! https://github.com/AdguardTeam/AdguardFilters/issues/91010
+/images/banners/*$domain=oggimilazzo.it
+oggimilazzo.it##.cb-category-top
+||oggimilazzo.it/*/index.html
+! https://github.com/AdguardTeam/AdguardFilters/issues/89722
+gizchina.it##.mrf-adv__wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/87544
+||altadefinizioneita.co/it.gif
+altadefinizioneita.co##noindex > center > a[target="_blank"][rel="nofollow"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/85205
+! https://github.com/AdguardTeam/AdguardFilters/issues/100502
+corriere.it,gazzetta.it#$#.bck-adv { position: absolute !important; left: -3000px !important; }
+corriere.it,gazzetta.it##.bck-adv
+corriere.it#$#.fxr-between-center > .bck-adv { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/85528
+! https://github.com/AdguardTeam/AdguardFilters/issues/86215
+hwupgrade.it###leaderboard-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/83832
+xiaomitoday.it##.cegg_widget_products
+! https://github.com/AdguardTeam/AdguardFilters/issues/84024
+! For some reason video player is broken by some cosmetic generic rules, happens with apps only
+! https://github.com/AdguardTeam/AdguardFilters/issues/83139
+studenti.it##.sidebar-adv
+! https://github.com/AdguardTeam/AdguardFilters/issues/82322
+||devapp.it/wordpress/wp-content/uploads/*-300x250.
+! https://github.com/AdguardTeam/AdguardFilters/issues/80887
+narkive.com##.post_wrapper div[onimpression="nk_playbuzz_impression"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/80661
+iolecal.blogspot.com##.amazonAds
+! https://github.com/AdguardTeam/AdguardFilters/issues/80477
+ivg.it#%#//scriptlet("set-constant", "checkForAdBlocker", "noopFunc")
+||ivg.it/wp-content/plugins/edinet_giornali_swg_plugin/js/ackdet.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/80436
+gdr-online.com#%#//scriptlet("set-constant", "isAdsLoaded", "true")
+@@||gdr-online.com/adv/ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/79184
+tuttoandroid.net#?#.container .card > span.ribbon:contains(Adv):upward(1)
+tuttoandroid.net#?#.container .card > .card-body > .entry-meta > .entry-meta-item > span > a[href="https://www.tuttoandroid.net/offerte/"]:upward(5)
+! https://github.com/AdguardTeam/AdguardFilters/issues/79901
+informazione.it##.lng-ad
+informazione.it##.text-center > div.sep-l
+! https://github.com/AdguardTeam/AdguardFilters/issues/78255
+||inpiega.it/images/banners/
+! https://github.com/AdguardTeam/AdguardFilters/issues/78254
+ideegreen.it#?##sidebar > div.widget_text:has(> div.textwidget > center > font > i:contains(Advertisements))
+! https://github.com/AdguardTeam/AdguardFilters/issues/77955
+||startmag.it/wp-content/uploads/Skin_StartMeg-1.jpg
+startmag.it#$##outer-wrap > #page { padding-top: 0 !important; }
+startmag.it#$#body #outer-wrap { background-image: none !important; }
+startmag.it#%#//scriptlet("abort-on-property-read", "wpsite_clickable_data")
+! https://github.com/AdguardTeam/AdguardFilters/issues/77957
+paesenews.it##.pum-overlay
+paesenews.it##.shailan_banner_widget
+paesenews.it##.background-cover
+! https://github.com/AdguardTeam/AdguardFilters/issues/77959
+||isnews.it/images/banners/$domain=isnews.it
+isnews.it##.bannergroup
+isnews.it##.rstboxes
+! https://github.com/AdguardTeam/AdguardFilters/issues/76646
+@@||feed.4strokemedia.com^$domain=video.gazzetta.it
+@@||cdnb.4strokemedia.com^$domain=video.gazzetta.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/77536
+calcolareonline.eu##div[style="font-size:10px;margin-top:1px"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/77531
+comingsoon.it##.ffiPopCorn
+! https://github.com/AdguardTeam/AdguardFilters/issues/75777
+navigaweb.net##.linkad-basso
+! https://github.com/AdguardTeam/AdguardFilters/issues/75549
+@@||cdn.evolutionadv.it/money.it/*.mp4$domain=money.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/75129
+sunhope.it#%#//scriptlet("prevent-setInterval", "adblock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/74993
+guide-online.it#?#.theiaStickySidebar > div.widget > div.textwidget a[target="_blank"][rel*="noopener"]:upward(div.widget)
+guide-online.it#?#.theiaStickySidebar > div.widget > div.textwidget ins.adsbygoogle:upward(div.widget)
+! https://github.com/AdguardTeam/AdguardFilters/issues/71827
+grandhotelcalciomercato.com###skin
+grandhotelcalciomercato.com#$#.marginTopNavbar { margin-top: auto !important; }
+@@||grandhotelcalciomercato.com/js/prebid-ads.js
+grandhotelcalciomercato.com#%#//scriptlet('set-constant', 'canRunAds', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/70872
+ansa.it##.pp-adv
+ansa.it##.news-detail > .box-news > a[href*="&utm_source=banner"][rel] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/70787
+blograffo.net###secondary a[href^="https://amzn.to/"] > img
+||blograffo.net/wp-content/uploads/*/amazon-offerte-del-giorno.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/69684
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=rtl.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/169805
+! https://github.com/AdguardTeam/AdguardFilters/issues/68438
+beverfood.com#%#//scriptlet('prevent-setInterval', 'adblock')
+beverfood.com#$?#a[href^="/bnlink/?bnid="] { remove: true; }
+beverfood.com#$#body > div.sito { margin-top: 0 !important; }
+beverfood.com#$#body { background-image: none !important; background: #ddd !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/70915
+lavorincasa.it##div[class^="wbn-"]
+lavorincasa.it###wrapper-sider-02
+lavorincasa.it###wrapper-content > div[class="myfb"][style="height:250px;"]
+||lavorincasa.it/content/js/new/adb/doubleclick.js
+lavorincasa.it#$#body { margin-top: -100px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/67985
+saggiamente.com##body > div#skin
+||saggiamente.com/wp-content/themes/*/ad/
+! https://github.com/AdguardTeam/AdguardFilters/issues/67789
+avvocatoandreani.it#@#.AdSense
+! https://github.com/AdguardTeam/AdguardFilters/issues/67111
+ilfattoquotidiano.it##body > div[style^="position: fixed; min-width: 990px; border-color:"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/66372
+comprovendolibri.it###AvvisoADblock
+comprovendolibri.it#%#//scriptlet("set-constant", "google_jobrunner", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/66354
+m2o.it##div[id^="adv-"]
+m2o.it##div[class^="adv-"]
+m2o.it###promo
+! https://github.com/AdguardTeam/AdguardFilters/issues/65627
+@@||occhionotizie.it/wp-content/themes/jannah/assets/js/ad.js
+occhionotizie.it#%#//scriptlet("set-constant", "$tieE3", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/77019
+! https://github.com/AdguardTeam/AdguardFilters/issues/77641
+tio.ch#@#.ad
+tio.ch##div[data-link="@loadAd"]
+tio.ch##div[class="randomBox cornice"]
+tio.ch#%#//scriptlet("prevent-addEventListener", "error", "event.triggered")
+tio.ch#%#(function() { try { if ('undefined' != typeof localStorage) {var date = new Date(); window.localStorage.setItem("adbSkip", date.getTime()); } } catch (ex) {} })();
+@@||tio.ch^$generichide
+@@||ad*.adbreak.ch/*ad_block=$domain=tio.ch
+@@||ad.*.ch^$xmlhttprequest,other,script,domain=tio.ch
+@@||adv.*.ch^$xmlhttprequest,other,script,domain=tio.ch
+@@||ads.*.ch^$xmlhttprequest,other,script,domain=tio.ch
+@@/^https?.*\..*\.ch\/.*\/(ad|adtech|pubblicita|adverts|ad-random|adSponsors|banner-ad|banman|native-ad|advertise|advert1|bg_ads|adengine|adspot|baseAd|coread)\/.*\/.*=.*&/$xmlhttprequest,other,script,domain=tio.ch
+!#safari_cb_affinity(other)
+!#safari_cb_affinity
+! https://github.com/AdguardTeam/AdguardFilters/issues/65078
+@@||rockitecn.nohup.it/*/js/*.js$domain=rockit.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/61602
+testicanzoni.mtv.it##p[aria-hidden="true"][class="selectionShareable"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/59684
+||pastemyimg.com/ads/$domain=androidaba.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/58422#issuecomment-657403682
+hdblog.it#@#a[href^="https://www.amazon."][href*="tag="]
+! https://github.com/AdguardTeam/AdguardFilters/issues/57938
+||laleggepertutti.it/wp-content/themes/llpt-child/images/banner/
+! https://github.com/AdguardTeam/AdguardFilters/issues/57696
+napolitoday.it#$#.afs_ads.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/56993
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=video.lastampa.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/56714
+@@||oasjs.kataweb.it/adsetup*.js$domain=huffingtonpost.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/56657
+@@||media.wired.it/static_wired/js/misc/cn-adv.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/55312
+@@||ticonsiglio.com/wp-content/*/plugins/ad-ace/includes/adblock-detector/advertisement-*.js
+ticonsiglio.com#%#//scriptlet("set-constant", "jQuery.adblock", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/54782
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=3bmeteo.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/54668
+ilmeteo.it#%#//scriptlet("set-constant", "google_jobrunner", "noopFunc")
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=ilmeteo.it
+! vivereurbino.it - ads
+vivereurbino.it##div[class^="box_adv_"]
+/images/banners_x_cliente/*$domain=vivereurbino.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/49560
+spaziogames.it##div[id^="spazi-"]
+spaziogames.it#$##wrapper > #main { padding-top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/51782
+my-personaltrainer.it##.sal-adv-slot
+! https://github.com/AdguardTeam/AdguardFilters/issues/46544
+@@||oasjs.kataweb.it/adsetup.js$domain=video.deejay.it
+@@||oasjs.kataweb.it/adsetup.real.js$domain=video.deejay.it
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=video.deejay.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/45089
+cinafoniaci.com##.tm-sidebar-b > .uk-panel > center > a[href][target="_blank"] > img
+cinafoniaci.com#?#.tm-sidebar-b > .uk-panel > center:has(> a[href][target="_blank"] > img)
+! https://github.com/AdguardTeam/AdguardFilters/issues/44415
+@@||calciomercato.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/44248
+@@||adv.bebad.it/js/ads.js$domain=badtaste.it
+rockit.it##.articolo-body-text-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/42162
+insidemarketing.it##.bannerG
+insidemarketing.it##.homeBannerMax
+@@||insidemarketing.eu/cdn/lib/js/adsframe.js
+insidemarketing.it#%#//scriptlet("set-constant", "adblock", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/42488
+gdr-online.com##.adv_barra_alto
+gdr-online.com##body > div[align="center"][style*="margin-top:6px;"][style*="align: center !IMPORTANT;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/41807
+hwupgrade.it##.gb-wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/41946
+@@||oasjs.kataweb.it/adsetup.js$domain=video.capital.it
+@@||oasjs.kataweb.it/adsetup.real.js$domain=video.capital.it
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=video.capital.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/41868
+kijiji.it#@#.ad__item
+kijiji.it#@##post-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/41699
+forum.tomshw.it###show-data-trovaprezzi
+||forum.tomshw.it/*/amazon/getdata*.php?
+! https://github.com/AdguardTeam/AdguardFilters/issues/68856
+everyeye.it#@#.adv-top
+everyeye.it###topskin_clicktag
+everyeye.it#$#.adv-top { margin-top: 4.2rem !important; }
+everyeye.it##.wrap_amazon_banner
+! https://forum.adguard.com/index.php?threads/35072/
+sentireascoltare.com#?##page-body > section[id^="info_pub"]:has(> section > ins.adsbygoogle)
+! https://github.com/AdguardTeam/AdguardFilters/issues/40230
+impiego24.it##.banner_336x280
+impiego24.it##body .contentBanner
+impiego24.it##.grid1 > div[style^="width:970px; height:250px; margin:"]
+impiego24.it#?#.annunciLavoro > li.boxAnnunci:has(> a[href^="http://ad.payclick.it/"])
+impiego24.it#?#.annunciLavoro > li.boxAnnunci:has(> a[href^="https://affiliate.across.it/"])
+impiego24.it#?#.annunciLavoro > li.boxAnnunci:has(> a[href^="http://go.ketc.it/aff_c?offer_id="])
+impiego24.it#%#//scriptlet("abort-current-inline-script", "$", "skinUrlDestinazione")
+! https://github.com/AdguardTeam/AdguardFilters/issues/39603
+fcinternews.it###masthead
+fcinternews.it###tccslimbannerlink
+||player.performgroup.com/eplayer.js$domain=fcinternews.it
+fcinternews.it#?##section-right > div.mx-auto:has(> div[style] > div.div-gpt-ad)
+fcinternews.it#?#.mx-auto:has(> div > ins.adsbygoogle)
+fcinternews.it#?#.mx-auto:has(> div[style^="overflow: hidden;"])
+fcinternews.it#?##content > div.row:has(> div[class] > div > div[style] > ins.adsbygoogle)
+! https://github.com/AdguardTeam/AdguardFilters/issues/38634
+m.tuttomercatoweb.com##.adv_margin
+! https://github.com/AdguardTeam/AdguardFilters/issues/38303
+||sottomarina.net/image/banner/
+! https://github.com/AdguardTeam/AdguardFilters/issues/37558
+rollingstone.it###result.adsblocked
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,important,domain=rollingstone.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/37155
+! https://github.com/AdguardTeam/AdguardFilters/issues/31542
+@@||dniadops-a.akamaihd.net/ads/scripts/fwconfig/2/configs/italy-dplay2live.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/35602
+luongovincenzo.it#%#//scriptlet("abort-on-property-write", "ai_adb")
+! https://github.com/AdguardTeam/AdguardFilters/issues/34151
+! https://github.com/AdguardTeam/AdguardFilters/issues/34149
+citynow.it#%#//scriptlet("set-constant", "advanced_ads_check_adblocker", "noopFunc")
+citynow.it#$#.ad_unit.ad-unit.text-ad.text_ad.pub_300x250 { display: block!important; }
+citynow.it#$#.wrapper.cityn-body-background { padding-top: 0!important; }
+citynow.it##.cityn-sidebar-top-first a[data-bid][href^="https://www.citynow.it/linkout/"][rel="nofollow"] > img
+||citynow.it/wp-content/uploads/*/336x250-GLA.gif
+||citynow.it/wp-content/uploads/*/SkinSitoMotorShow2Mari.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/33556
+@@||svapo.it/dev/adblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/32977
+! https://github.com/AdguardTeam/AdguardFilters/issues/32800
+! https://github.com/AdguardTeam/AdguardFilters/issues/32596
+htnovo.net#$##wrapfabber { height: 1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/30934
+gametimers.it##.td-header-sp-recs
+! https://github.com/AdguardTeam/AdguardFilters/issues/30602
+! https://github.com/AdguardTeam/AdguardFilters/issues/30475
+@@||larena.it/gfx/siti/*/images/advertising_banner_300.gif
+larena.it#$##adblock-check { height: 1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/30033
+napolivillage.com#@#.td-ad-background-link
+||bccnapoli.it^$popup,domain=napolivillage.com
+napolivillage.com#$#body { background-image: none!important; }
+napolivillage.com#$#body #td-outer-wrap { cursor: auto!important; }
+napolivillage.com#%#//scriptlet('set-constant', 'td_ad_background_click_link', '')
+! https://github.com/AdguardTeam/AdguardFilters/issues/43662
+! https://github.com/AdguardTeam/AdguardFilters/issues/28961
+tuttoandroid.net###navbar .justify-content-end
+tuttoandroid.net##.justify-content-around > div[class^="col-"] > a[href^="http://bit.ly/"][target="_blank"] > img
+tuttoandroid.net#?#.card-grid.home > div.row > .col-18 > .row > .col-18.preload:has(> article.card-post > span.ribbon.yellow:contains(/^Adv$/))
+! https://github.com/AdguardTeam/AdguardFilters/issues/29127
+eurogamer.it##.advert
+! https://github.com/AdguardTeam/AdguardFilters/issues/28551
+@@||mrwebmaster.it/adserver/adview.js
+mrwebmaster.it##.advmid
+! https://github.com/AdguardTeam/AdguardFilters/issues/28154
+money.it##.gptslot[data-adunitid]
+! https://github.com/AdguardTeam/AdguardFilters/issues/27364
+! https://github.com/AdguardTeam/AdguardFilters/issues/27208
+chimerarevo.com##.banner-ad-area
+chimerarevo.com#$##page[style^="margin-top:"] { margin-top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/26634
+milanworld.net##ol#posts > li[class="postbitlegacy postcontainer"][id^="yui-gen"]:not([id="post_"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/26689
+! https://github.com/AdguardTeam/AdguardFilters/issues/163929
+! https://github.com/AdguardTeam/AdguardFilters/issues/159741
+! https://github.com/AdguardTeam/AdguardFilters/issues/105605
+! https://github.com/AdguardTeam/AdguardFilters/issues/102764
+! https://github.com/AdguardTeam/AdguardFilters/issues/71313
+! https://github.com/AdguardTeam/AdguardFilters/issues/25398
+youmath.it##div[id^="C_"]
+youmath.it##div[id^="D_"]
+@@||youmath.it/_*.js$script
+@@||youmath.it/sidebar-ad-/-doubleclick.js
+youmath.it#%#//scriptlet('abort-on-property-write', 'hey_PIA')
+youmath.it#%#//scriptlet("abort-current-inline-script", "document.getElementById", "Adblock")
+youmath.it#%#//scriptlet('prevent-setTimeout', 'is_adblock')
+!+ NOT_OPTIMIZED
+youmath.it#$#body { overflow: auto !important; }
+!+ NOT_OPTIMIZED
+youmath.it#$#html * { filter: unset !important; }
+!+ NOT_OPTIMIZED
+youmath.it#$##container_main[style*="filter: blur"][style*="height"] { height: auto !important; }
+!+ NOT_OPTIMIZED
+youmath.it#$##container_content[style*="filter: blur"][style*="height"] { height: auto !important; }
+!+ NOT_OPTIMIZED
+youmath.it#$#body > div:not([class]):not([id]) > div[style^="position: fixed; bottom: 0; width: 100%;"] { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/26118
+telefonino.net#?#.table-layout > .fixed-width-300:has(> .sidebar-spacer:first-child .banner-content)
+! https://forum.adguard.com/index.php?threads/corrieredellosport-it-video-blocked.29976/
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=corrieredellosport.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/24663
+||assets.deltapictures.it/js/adblock/adblock.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/23974
+tv8.it##.adv-top-dx
+! EasyList Italy Exclusion
+! https://github.com/AdguardTeam/AdguardFilters/issues/133662
+@@||cmp.sky.it/wrapperMessagingWithoutDetection.js$domain=tv8.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/14916
+hdblog.it#@#[id^="banner"]
+hdblog.it#@#.item_compra
+hdblog.it#@#.box_flame
+hdblog.it#@#.box_grampa_shadow
+! End EasyList Italy Exclusion
+! https://github.com/AdguardTeam/AdguardFilters/issues/23014
+sentireascoltare.com##.mainAdv
+sentireascoltare.com###block-adv
+sentireascoltare.com##.banner_scroll_space
+! https://github.com/AdguardTeam/AdguardFilters/issues/22984
+! https://github.com/AdguardTeam/AdguardFilters/issues/22738
+techuniverse.it###cb-logo-box > div.cb-h-block > img[alt]
+! video.huffingtonpost.it broken videon
+@@||imasdk.googleapis.com$domain=video.huffingtonpost.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/22630
+macitynet.it#$#body.td-ad-background-link { cursor:initial!important; }
+macitynet.it#$##td-outer-wrap > .td-header-wrap {margin-top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/17789
+lffl.org##.egg-container
+lffl.org##.cegg_widget_products
+! https://github.com/AdguardTeam/AdguardFilters/issues/22166
+qdmnotizie.it###mvp-foot-logo
+qdmnotizie.it#$#.custom-background { background:none!important; }
+qdmnotizie.it###mvp-wallpaper
+! https://github.com/AdguardTeam/AdguardFilters/issues/21189
+ispazio.net##.adverts-widget
+ispazio.net##.entry-content > .entr-footer
+ispazio.net##.entry-content > div[style="float:left;height:300px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/21195
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=popcorntv.it
+popcorntv.it#%#//scriptlet('set-constant', 'wantedPreroll', '0')
+popcorntv.it#%#//scriptlet('set-constant', 'adstarted', '5')
+popcorntv.it#%#//scriptlet('set-constant', 'waterfallIndex', '11')
+! https://github.com/AdguardTeam/AdguardFilters/issues/20162
+mondomobileweb.it###custom_html-25
+mondomobileweb.it###custom_html-20
+mondomobileweb.it###custom_html-13
+! https://github.com/AdguardTeam/AdguardFilters/issues/19593
+@@||ilpuntotecnico.com/forum/RealPopup/blockadblock.js
+@@||ilpuntotecnico.com^$generichide
+ilpuntotecnico.com##.container > div[style="text-align:center; height: 95px;"]
+ilpuntotecnico.com##div[style="text-align:center; height:255px;"][id]
+! https://github.com/AdguardTeam/AdguardFilters/issues/19275
+||static-js.net-cdn.it/the-purge^$third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/18845
+gamesvillage.it##article[id^="post-"] > p[alig] + br
+gamesvillage.it#$#.header { margin-bottom: 0!important; }
+gamesvillage.it##.post-detail-row > br
+! https://github.com/AdguardTeam/AdguardFilters/issues/17006
+@@||googletagservices.com/dcm/dcmads.js$domain=italiamac.it
+@@||adspremium.it/adserver/www/delivery/lg.php?$domain=italiamac.it
+@@||adspremium.it/adserver/www/delivery/ajs.php?zoneid=$domain=italiamac.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/18377
+! https://github.com/AdguardTeam/AdguardFilters/issues/32311
+||macitynet.it/wp-content/uploads/*/gearbest
+macitynet.it#$#body { background:none!important; }
+macitynet.it#%#window.open = function() {};
+||macitynet.it/wp-content/uploads/2019/04/macitynetbig.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/18118
+tg.la7.it##.region > #block-block-21
+tg.la7.it##div[id^="rcsad_Frame"]
+tg.la7.it##.region > #block-block-24
+! https://github.com/AdguardTeam/AdguardFilters/issues/18028
+! https://github.com/AdguardTeam/AdguardFilters/issues/58238
+aranzulla.it##.banner
+aranzulla.it###super-header
+! https://github.com/AdguardTeam/AdguardFilters/issues/18033
+gizchina.it##.td-ss-main-sidebar .textwidget > a > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/17881
+maidirelink.it##.background-cover
+||maidirelink.it/wp-content/uploads/2017/02/sconti-amazon.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/30320
+! https://github.com/AdguardTeam/AdguardFilters/issues/17802
+forum.telefonino.net##.blz_link_container
+! https://github.com/AdguardTeam/AdguardFilters/issues/17790
+farmacoecura.it##.nativeadv
+farmacoecura.it###adv_content
+farmacoecura.it###adv_side
+farmacoecura.it###minihead
+! https://github.com/AdguardTeam/AdguardFilters/issues/17736
+andreagaleazzi.com#$#.site { top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/17739
+tim.it#$#.modal-open { overflow:visible!important; }
+tim.it#$##modal_offerta { display:none!important; }
+tim.it#$#.modal-backdrop { display:none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/17746
+formiche.net##a[class^="banner"]
+formiche.net###text-17
+! https://github.com/AdguardTeam/AdguardFilters/issues/17496
+@@||cdnjs.cloudflare.com/ajax/libs/fuckadblock/3.2.1/fuckadblock.min.js$domain=androidaba.com
+androidaba.com##.sidebar-content > #media_image-2
+androidaba.com##.sidebar-content > #widget_sp_image-2
+! https://github.com/AdguardTeam/AdguardFilters/issues/16900
+! https://github.com/AdguardTeam/AdguardFilters/issues/16665
+tvserial.it###DSKBillboardATFxcpciu0
+! https://github.com/AdguardTeam/AdguardFilters/issues/31982
+! https://github.com/AdguardTeam/AdguardFilters/issues/15746
+calciomercato.com##.adv--300x250:not(#generic-video-player)
+@@||calciomercato.com/prebid.js
+calciomercato.com#%#window.my_random_number = 1;
+calciomercato.com#%#(function(){var b=window.setTimeout;window.setTimeout=function(a,c){if(!/\[_0x/.test(a.toString()))return b(a,c)};})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/15676
+! https://github.com/AdguardTeam/AdguardFilters/issues/14586
+hdblog.it###banner4_300600
+! https://github.com/AdguardTeam/AdguardFilters/issues/20525
+! https://github.com/AdguardTeam/AdguardFilters/issues/17770
+! https://github.com/AdguardTeam/AdguardFilters/issues/14602
+! https://github.com/AdguardTeam/AdguardFilters/issues/14739
+hdblog.it,hdmotori.it##.box_highlight_hot[style*="margin-top"]
+!+ NOT_OPTIMIZED
+hdblog.it,hdmotori.it##.box_highlight_footer[style*="margin-top"]
+hdmotori.it##.box_highlight_hot
+hdmotori.it,hdblog.it###banner2_980
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=hdblog.it
+hdblog.it##.compras_items > .item_prod
+hdmotori.it,hdblog.it###banner3_300600
+! https://github.com/AdguardTeam/AdguardFilters/issues/184407
+youtg.net##.sppb-addon-module div.banneritem
+youtg.net##.bannergroupskinbanner
+youtg.net###sp-testata
+! https://github.com/AdguardTeam/AdguardFilters/issues/146334
+dopedgeeks.com##div[class*="-pubadban"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/13194
+sukkisukki.com#%#//scriptlet('abort-on-property-write', 'onload')
+! https://github.com/AdguardTeam/AdguardFilters/issues/12541
+yourlifeupdated.net##.adsbygoogle
+! https://github.com/AdguardTeam/AdguardFilters/issues/12542
+concorsipubblici.net##.cp-get-this-deal
+! https://github.com/AdguardTeam/AdguardFilters/issues/12394
+! https://github.com/AdguardTeam/AdguardFilters/issues/12264
+@@||cdn.mangaeden.com/js/ad/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/12154
+speedvideo.net##a[href*="/fhud/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/12153
+eurostreaming.video##a[href*="/ads?key="]
+speedvideo.net###playerstart
+speedvideo.net###preparevideo
+!! https://github.com/AdguardTeam/AdguardFilters/issues/11258
+shrink-service.it#%#AG_onLoad(function() { setTimeout(function() {var loc = document.querySelectorAll('[value]')[0]; if (loc.type="hidden" && loc.value!="") {document.location.href = loc.value;}; }, 300); });
+! https://github.com/AdguardTeam/AdguardFilters/issues/11000
+||static.androidiani.com/wp-content/themes/androidianiv*/js/fckblock.js
+androidiani.com###sidebar > ul > #text-5
+! https://github.com/AdguardTeam/AdguardFilters/issues/10027
+cb01.directory##a[href^="/4k/"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/43659
+! https://github.com/AdguardTeam/AdguardFilters/issues/10032
+vvvvid.it#%#//scriptlet("json-prune", "data.[].vast_url")
+vvvvid.it#%#//scriptlet("set-constant", "vvvvid.models.PlayerObj.prototype.play7Ads", "false")
+@@||v.fwmrm.net/ad/g/1?*DiscoveryIntl_BrightcoveJ*&csid=VVVVID_ITALY_*vast
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=vvvvid.it
+@@||ads.mperience.net/vast$domain=imasdk.googleapis.com
+||dni-adops-proxy-prod-adopsmediaconverter.mercury.dnitv.com/*.mp4$domain=vvvvid.it
+||flashondemand.top-ix.org/video-omg/channels/mlogo_0.mp4
+||flashondemand.top-ix.org/video-omg/vvvvid^
+! https://github.com/AdguardTeam/AdguardFilters/issues/10026
+swzz.xyz##div[class^="italianews"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/10022
+altadefinizione.pink##a[href^="http://altarisoluzione.online/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/9025
+calciomercato.it#$#.banner_RaccomandazioniArticolo { height: 1px!important; }
+calciomercato.it#?##sidebar > .widget__content:has(>.banner_Sidebar)
+! https://github.com/AdguardTeam/AdguardFilters/issues/8114
+dblegacy.forumcommunity.net##.popup_adb
+! https://github.com/AdguardTeam/AdguardFilters/issues/7591
+@@/ads/adv/*$script,domain=video.virgilio.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/7032
+@@||latin.it/banner.php
+! https://github.com/AdguardTeam/AdguardFilters/issues/6732
+! https://github.com/AdguardTeam/AdguardFilters/issues/6416
+gpro.net#?#.boxy:has(#blockblockA)
+! https://github.com/AdguardTeam/AdguardFilters/issues/6412
+mmorpgitalia.it#$#.adContainer { height: 1px!important; }
+mmorpgitalia.it###topskin_clicktag
+! https://github.com/AdguardTeam/AdguardFilters/issues/6244
+acquavivalive.it##[class^="mkt-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/5106
+||zeusnews.it/antiadb.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/4838
+@@||acea.it^$jsinject
+! https://github.com/AdguardTeam/AdguardFilters/issues/3689
+hackyouriphone.org##.sweet-overlay
+hackyouriphone.org##div.show-sweet-alert
+! https://forum.adguard.com/index.php?threads/16027/
+dbplanet.net###document_modal
+dbplanet.net###some_ad_block_key_popup
+! https://github.com/AdguardTeam/AdguardFilters/issues/3186
+||tradingmania.it/wp-content/uploads/*bdswiss$image
+||tradingmania.it/wp-content/uploads/2016/09/corso-trading-online.gif
+||tradingmania.it/wp-content/uploads/2016/06/Bonus-100-mania.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/3030
+@@||calciomercato.com/promodisplay
+!
+buonissimo.it##.adv
+leggo.it###outbrain
+ilfattoquotidiano.it##.rullo-item.special
+ridble.com##.adisclaimer
+fibs.it##a[href="http://www.aisla.it"] > img
+hwupgrade.it##.amz-prodotto
+tg24.sky.it###advBoxTop
+tg24.sky.it###advBoxBottom
+ansa.it##.adv
+ansa.it##.sponsor-menu
+androidiani.com##ol#posts > li.postbitlegacy#post_
+||lffl.org/wp-content/uploads/*/techrepair.jpg
+||lffl.org/wp-content/uploads/*/Scopri-il-GM6.png
+||lffl.org/wp-content/uploads/*/mrdeals-banner.jpg
+||lffl.org/wp-content/uploads/*/techbannerino320x100.jpg
+hwupgrade.it##.bannerMobile
+hwupgrade.it###top300x250-container
+hwupgrade.it###top300x250-background
+hwupgrade.it##.page-content > div[style="width:300px; height:250px; "]:not([class]):not([id])
+hwupgrade.it###col-dx-inner > div[style="width:300px; height:250px; "]:not([class]):not([id])
+altadefinizione.pink##.sm_header > a[rel="nofollow"] > img
+filmstreaminghd.biz##a[href="http://www.filmstreaminghd.biz/player/check.html"]
+filmstreaminghd.biz##.wp-content[itemprop="description"] > div[style="float:none;margin:10px 0 10px 0;text-align:center;"]
+||filmstreaminghd.biz/player/play.php
+||filmstreaminghd.biz/player/banner.png
+ilmessaggero.it###outbrain
+hdmotori.it,hdblog.it##.ads
+tiscali.it##.container_b_1
+tiscali.it##.adv300x100vd
+tiscali.it##.banner320x250
+tiscali.it##.c1c6
+mediaset.it##div[class$="stickyadv"]
+retenews24.it##a[href$="http://www.larivistaweb.it/le_monde_en_un_clic/"]
+||ilsussidiario.net/images/banner_*.
+||artimondo.it/promo^$third-party
+||ilsussidiario.net/images/banner-*.
+corriere.it###youreporter
+corriere.it###ddayBox
+corriere.it##a[href^="https://it.chili.tv"]
+libero.it###sixpack
+libero.it###partners
+libero.it###bantwo
+tiscali.it###meetic_quad
+tiscali.it##.oroscopo_n
+virgilio.it##div[class*="box-adv"]
+virgilio.it##div[id$="advbreak"]
+virgilio.it###localadvstuff
+virgilio.it##div[id^="banner"] > div[id^="ad"]
+virgilio.it##div[id^="sponsy"]
+beppegrillo.it##div[id^="spazio_google_ads"]
+beppegrillo.it##div[id^="google3"]
+||beppegrillo.it/js/cadetect.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/2550
+@@||aranzulla.it^*ads$domain=aranzulla.it
+!---------------------------------------------------------------------
+!------------------------------ Khmer --------------------------------
+!---------------------------------------------------------------------
+! NOTE: Khmer
+!
+tech-cambodia.com###type_above-article
+tech-cambodia.com###above-thumbnail
+tech-cambodia.com###body_ads_0_0_3
+tech-cambodia.com###popup
+/img/b/*$domain=khboxhd.com
+khboxhd.com##div[id$="-ad"]
+khboxhd.com#%#//scriptlet('set-constant', 'themeSettings.adsSettings', 'emptyObj')
+dap-news.com##.ads
+!---------------------------------------------------------------------
+!------------------------------ Korean -------------------------------
+!---------------------------------------------------------------------
+! NOTE: Korean
+!
+!
+!---------------------------------------------------------------------
+!------------------------------ Latvian ------------------------------
+!---------------------------------------------------------------------
+! NOTE: Latvian
+!
+spoki.lv##.params > div.cnt_btn
+la.lv##.toolsofthesaeson
+||vesti.lv/www/imgget/imgjs.php?
+mixnews.lv##.advert
+mixnews.lv##.banner-space
+mixnews.lv##img[src="/images/baltkom_player_tez.jpg"]
+vesti.lv###subscribe-banner
+vesti.lv##.banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/181477
+||antik-war.lv^$cookie=AntikWarUsersGood
+antik-war.lv##center > a[onclick^="countAdClick"]
+antik-war.lv##a[data-src$="=DisableAdv"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/180696
+||irliepaja.lv/mda/img/banner/$image
+! https://github.com/AdguardTeam/AdguardFilters/issues/177634
+||back.jauns.lv/api/*/ad-zones/
+jauns.lv##.ph-1000x200
+jauns.lv##.ph-300x300
+jauns.lv##.ph-300x200
+jauns.lv##.ph-300x250
+! https://github.com/AdguardTeam/AdguardFilters/issues/164962
+latviesi.com##.container > div > div[class^="sc-"] > div.divider + h5
+latviesi.com##.container > div > div[class^="sc-"] > a[href="https://ekiosks.lv/"][target="_blank"]
+latviesi.com##.container > div > div[class^="sc-"] > a[href="https://ekiosks.lv/"][target="_blank"] + div.divider
+! https://github.com/AdguardTeam/AdguardFilters/issues/157288
+@@||play.tv3.lv^$generichide
+play.tv3.lv#%#//scriptlet('set-constant', 'Object.prototype.isNoAds', 'trueFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/155360
+la.lv##.app > div[style="min-height:400px"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/125513
+tvnet.lv,apollo.lv#%#//scriptlet("prevent-setTimeout", "adblockNotif")
+tvnet.lv,apollo.lv#$#body > div[id] > div[style^="height: 1px; width: 1px; background-color: transparent;"] { display: block !important; }
+tvnet.lv,apollo.lv#@#.ad01
+tvnet.lv,apollo.lv#@#.dfp_ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/118650
+||jauns.lv/js/ad-zone.js
+||jauns.lv/js/ad.js
+jauns.lv##iframe[id$="_DFP"]
+jauns.lv##.ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/109960
+inbox.lv##div[class^="AdContainer-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/92122
+vipi.tv###top-banner
+@@||vipi.tv/ads.js
+vipi.tv#%#//scriptlet("abort-on-property-read", "checkBlock")
+vipi.tv#%#//scriptlet("set-constant", "banUrl", "undefined")
+! https://github.com/AdguardTeam/AdguardFilters/issues/88277
+||kursors.lv/wp-content/uploads/*/*baneris$image
+kursors.lv##.wpb_wrapper small > span[style="color:gray"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/86880
+tv3play.skaties.lv###ad_banner_skin
+! https://github.com/AdguardTeam/AdguardFilters/issues/83438
+nra.lv##.bl-cont-ad
+@@||tv3play.skaties.lv/static/scripts/ima3.js
+||mssl.fwmrm.net/libs/adm/*/LinkTag2.js$script,redirect=noopjs,domain=tv3play.skaties.lv
+! https://github.com/AdguardTeam/AdguardFilters/issues/70785
+salidzini.lv###AM_giga
+! https://github.com/AdguardTeam/AdguardFilters/issues/30887
+balticlivecam.com##.vjs-poster
+! delfi.lv
+@@||ads.delfi.lv^$elemhide
+@@||delfi.lv/celojumi^$elemhide
+delfi.lv###adblock-popup
+delfi.lv##.adblock_content
+delfi.lv##.zave_m
+delfi.lv##.zave_r
+delfi.lv##a.ads-blocks-link
+delfi.lv##a[href*="delfi.lv/shop/click.php?shop_id="]
+delfi.lv##a[href*="delfi.lv/trav/click.php?shop_id="]
+delfi.lv##div[class^="adsAdmin-"]
+delfi.lv##div[class^="city24"]
+delfi.lv##div[data-ad-placement]
+delfi.lv##div[id^="zave_"]
+delfi.lv#%#//scriptlet("set-constant", "Adform", "emptyObj")
+delfi.lv#?#section > div[style]:has(> span:contains(/^Реклама$|^Reklāma$/))
+!---------------------------------------------------------------------
+!------------------------------ Lithuanian ---------------------------
+!---------------------------------------------------------------------
+! NOTE: Lithuanian
+! https://github.com/AdguardTeam/AdguardFilters/issues/153109
+play.tv3.lt#%#//scriptlet('set-constant', 'Object.prototype.isNoAds', 'trueFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/151120
+lrytas.lt##.LGalleryLightbox__ads
+lrytas.lt##.LGalleryMain__popup
+lrytas.lt##.LGalleryLightbox__popup
+! https://github.com/AdguardTeam/AdguardFilters/issues/149212
+play.tv3.lt#@##AdHeader
+play.tv3.lt#@##AD_Top
+play.tv3.lt#@##homead
+play.tv3.lt#@##ad-lead
+! https://github.com/AdguardTeam/AdguardFilters/issues/136100
+||lrvalstybe.lt/storage^*200x200$image
+||lrvalstybe.lt/storage^*790x100$image
+||lrvalstybe.lt/storage^*125x125$image
+||lrvalstybe.lt/storage^*1200x100$image
+||lrvalstybe.lt/storage/*/Arvikta_baneris.gif
+lrvalstybe.lt##.bnr
+!
+||alio.lt/infoblock.html
+! https://github.com/AdguardTeam/AdguardFilters/issues/151119
+||diena.lt/sites/default/files/Vilniausdiena/Vartotoju%20zona/Eisvinas/kd_prenumerata_optimize.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/151219
+tv3.lt##img[height="200px"][width="980px"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/151100
+madeinvilnius.lt###custom_html-9
+madeinvilnius.lt##.content-inner > div[style^="text-align: center;"][style*="min-height:"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/148301
+||dmnews.lt/euroleague/output.php
+! https://github.com/AdguardTeam/AdguardFilters/issues/142144
+madeinvilnius.lt##div[style$="margin: 15px 0; min-height: 250px;"]
+madeinvilnius.lt###madeinvilnius_lt_300x250_below_article
+! https://github.com/AdguardTeam/AdguardFilters/issues/128092
+diena.lt##body #komentaru-top-left
+! https://github.com/AdguardTeam/AdguardFilters/issues/81585
+play.tv3.lt###ad_banner_skin
+play.tv3.lt##.c-details__leaderboard-ad
+play.tv3.lt##.c-track-bar__ad-cue-point
+play.tv3.lt##.c-player__wrapper > #freewheel
+@@||play.tv3.lt/static/scripts/ima3.js
+@@||mssl.fwmrm.net/libs/adm/*/LinkTag2.js$domain=play.tv3.lt
+! https://github.com/AdguardTeam/AdguardFilters/issues/41493
+tv3.lt#?##sidebar > div.custom-div:contains(REKLAMA)
+||v.fwmrm.net/ad/g/1?$domain=tvplay.tv3.lt,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/40491
+filmux.org#@#.myTestAd
+!+ NOT_PLATFORM(ext_edge, ios, ext_android_cb, ext_safari)
+||googleads.g.doubleclick.net/$redirect=nooptext,important,xmlhttprequest,other,domain=filmux.org
+! https://forum.adguard.com/index.php?threads/missed-ads-on-www-delfi-lt.33213/
+vaistai.lt###billboardwrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/33999
+lrt.lt##.banner-block
+! https://github.com/AdguardTeam/AdguardFilters/issues/31220
+15min.lt##.widget-ad
+15min.lt#?#.item:has(> a[href*="//bit.ly"][target="_blank"] > img)
+! https://github.com/AdguardTeam/AdguardFilters/issues/27498
+skelbiu.lt#@#DIV.content
+! https://github.com/AdguardTeam/AdguardFilters/issues/27038
+filmux.org##div[id*="ScriptRoot"]
+@@||ufonaut.000webhostapp.com/advertisement.js$domain=filmux.org
+filmux.org#$##blockblockA { display: none!important; }
+filmux.org#$##blockblockB { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/21166
+||serveris.lnk.lt/*/ad.js?
+||serveris.lnk.lt/*ad.xml?
+||serveris.lnk.lt/files/x/*/*.mp4$media,domain=lnk.lt
+||p.jwpcdn.com/*/vast.js$domain=lnk.lt,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/20953
+skelbiu.lt###top-item-zone
+@@||skelbiu-static.dgn.lt/static/js/inside_ad.js
+@@||skelbiu-static.dgn.lt/static/css/inside_ad.css
+! https://github.com/AdguardTeam/AdguardFilters/issues/19084
+topzone.lt##div[id^="edit"] > .tborder:not([id^="post"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/41789
+! https://github.com/AdguardTeam/AdguardFilters/issues/16150
+filmux.org#?##box-main > .box-rekbar:has(> noindex > div[id*="ScriptRoot"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/7902
+||static.vz.lt/files/antsrauto/countsJS.php^
+! delfi.lt
+delfi.lt##.C-banner
+delfi.lt##.nuxt-wrapper > [style*="width: 100%"]
+delfi.lt###ads-bottom-bar-container
+delfi.lt###al-580x150
+delfi.lt###al-infoblock
+delfi.lt##.ads-rudelfi-friends
+delfi.lt##.right img[width="300"][height="600"]
+delfi.lt##body > div[style^="position:fixed;"][style*="z-index:9999999"]:not([class]):not([id])
+delfi.lt##iframe[src*="//track.adform.net/"]
+delfi.lt##iframe[src*="//www.alio.lt/"]
+delfi.lt##iframe[src^="https://www.delfi.lt/apps/banners/"]
+delfi.lt##img[alt="topsport"]
+||delfi.lt/b?region=
+||alio.lt^$domain=delfi.lt
+! Anti-adblock
+@@||s1.adform.net/banners/scripts/adx.js$domain=delfi.lt
+delfi.lt#%#//scriptlet('set-constant', '_dlf.adfree', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/159415
+! 15min.lt#%#//scriptlet('abort-current-inline-script', '$', '/(performance|googletag|offsetHeight)[\s\S]*?googlesyndication/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/34539
+autogidas.lt##.header-ann
+cloudycdn.services#%#//scriptlet("json-prune", "source.ads")
+!
+m.basketnews.lt##div[style^="text-align: center; width: 300px; height: 250px;"]
+m.basketnews.lt##.main_title > div[style="text-align: center;"] > a > img
+15min.lt##.ads
+@@/banners*swf$domain=vma.esec.vu.lt
+!
+!---------------------------------------------------------------------
+!--------------------------- Luxembourgish ---------------------------
+!---------------------------------------------------------------------
+! NOTE: Luxembourgish
+!
+! spellchecker.lu ad
+||reklammen.spellchecker.lu^
+!---------------------------------------------------------------------
+!------------------------------ Macedonian ---------------------------
+!---------------------------------------------------------------------
+! NOTE: Macedonian
+!
+!---------------------------------------------------------------------
+!------------------------------ Malaysian ----------------------------
+!---------------------------------------------------------------------
+! NOTE: Malaysian
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/164743
+malaysiakini.com##.min-h-\[90px\]
+malaysiakini.com##.h-\[250px\]
+malaysiakini.com##.w-300px.print\:hidden
+malaysiakini.com##.bc-feed
+malaysiakini.com#?#.flex:has(> div.flex > div.relative > div.adunitContainer)
+! https://github.com/AdguardTeam/AdguardFilters/issues/102647
+mingguanwanita.my##.adplaceholder-leaderboard
+mingguanwanita.my##.adplaceholder-mrec
+!
+!---------------------------------------------------------------------
+!------------------------------ Moldovian ----------------------------
+!---------------------------------------------------------------------
+! NOTE: Moldovian
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/41096
+tv8.md#@#.ad-container
+!
+jurnaltv.md###banSMP2
+point.md##.business-widget
+point.md##.informer-widget
+jurnaltv.md##div[id^="dqBnnRight"]
+!
+!---------------------------------------------------------------------
+!------------------------------ Mongolian ----------------------------
+!---------------------------------------------------------------------
+! NOTE: Mongolian
+!
+.mn/images/banner/
+.mn/banner/embed/
+.mn/bn/
+! https://github.com/AdguardTeam/AdguardFilters/issues/147886
+||cdn.itoim.mn/banner/
+itoim.mn##.banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/147888
+||sodonsolution.org/*/Banner/
+unuudur.mn##.banner-top
+!
+24tsag.mn##.main-banner
+shuud.mn##.home-banner
+shuud.mn##.main-banner-b
+news.zindaa.mn,24tsag.mn,zaluucom.mn##.banner
+eguur.mn##.stream-item-widget
+eguur.mn##.stream-item-top-wrapper
+||isee.mn/uploads/banner
+isee.mn##.tp-ad
+||ikon.mn/ad/
+||content.ikon.mn/raw/*-banner-
+ikon.mn##.iframe-responsive
+||bn.gogo.mn^
+gogo.mn##.gg_ban_div
+||eagle.mn/uploads/banner_/
+eagle.mn##a[href="https://sodon-callcenter.mn/"]
+eagle.mn#?##content> section.block-html:has(> div.container div[style^="margin: auto;"])
+!
+!---------------------------------------------------------------------
+!------------------------------ Montenegrin --------------------------
+!---------------------------------------------------------------------
+! NOTE: Montenegrin
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/97253
+vijesti.me##.ads
+!---------------------------------------------------------------------
+!------------------------------ Nepali -------------------------------
+!---------------------------------------------------------------------
+! NOTE: Nepali
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/83323
+nepalpress.com##.gam-each-ad
+nepalpress.com##.gam-ad-position-wrap
+nepalpress.com##.is-full-widescreen-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/79257
+purbelinews.com##div[class$="-ads"]
+purbelinews.com##aside#secondary
+! https://github.com/AdguardTeam/AdguardFilters/issues/60367
+ekantipur.com##.static-sponsor
+ekantipur.com###roadblock-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/46911
+onlinekhabar.com##.advName
+onlinekhabar.com##.okam-each-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/33858
+setopati.com###modalbox-banner
+setopati.com##.top-main-ads > .mast-head
+||img.setopati.org/uploads/bigyapan/$domain=setopati.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/26343
+annapurnapost.com##.advertisement
+annapurnapost.com##.sticky-footer
+!---------------------------------------------------------------------
+!------------------------------ Norwegian ----------------------------
+!---------------------------------------------------------------------
+! NOTE: Norwegian
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/188809
+dagens.no##.column > div[data-type="generic-widget"]:has(> div.group > div.code-element > a[href^="https://www.partner-ads.com/"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/175518
+gamer.no#%#//scriptlet('set-constant', 'ads', 'emptyObj')
+gamer.no##.container > div[class]:has(> [data-size-mapping="toppbanner"])
+gamer.no##header ~ * > [class]:has(> [data-name="gamer_toppbanner"])
+gamer.no##.fullscreen-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/173953
+kundeavisogtilbud.no##div[class^="ad_"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/156691
+||vgc.no/cdn/js/libs/homad-config.json$xmlhttprequest,redirect=noopjson
+! https://github.com/AdguardTeam/AdguardFilters/issues/102119
+vgtv.no#%#//scriptlet("json-prune", "enabled", "testhide")
+! https://github.com/AdguardTeam/AdguardFilters/issues/85973
+! https://forum.adguard.com/index.php?threads/tv2-no.22252/
+! https://github.com/AdguardTeam/AdguardFilters/issues/75489
+@@||googletagservices.com/tag/js/gpt.js$domain=vegetarbloggen.no
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=vegetarbloggen.no
+||googletagservices.com/tag/js/gpt.js$script,redirect=googletagservices-gpt,domain=vegetarbloggen.no,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/71525
+nytid.no#@#.td-a-rec
+! https://github.com/AdguardTeam/AdguardFilters/issues/68502
+||widget.tippebannere.no^$third-party
+klikk.no##iframe[src^="//widget.tippebannere.no/"]
+||widgets.sprinklecontent.com^$domain=klikk.no
+!+ NOT_OPTIMIZED
+klikk.no##.affiliate-content
+! https://github.com/AdguardTeam/AdguardFilters/issues/67986
+bt.no##.proaktiv-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/46682
+inky.no#@#iframe[width="200"][height="240"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/43587
+gulindex.no###cintmodal
+! https://github.com/AdguardTeam/AdguardFilters/issues/38395
+! https://github.com/AdguardTeam/AdguardFilters/issues/45205
+@@||cdn.flowplayer.com/releases/native/stable/plugins/ads.min.js$domain=nettavisen.no
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=nettavisen.no
+nettavisen.no###article-body > .rel-article
+nettavisen.no##.background-na-commercial
+nettavisen.no##a > .background-na-commercial ~ *
+nettavisen.no#?#amedia-frontpage > .optimus-complex-front:has(> header > h2:contains(/Reklame|REKLAME/))
+nettavisen.no##.am-bazaar-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/37562
+dt.no##.am-bazaar-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/34686
+||deiligejenter.com/testfile23.js
+nakenprat.com#?##sidebar > li > .block:has(> .blocksubhead > span:contains(Noen sponsorer))
+! https://github.com/AdguardTeam/AdguardFilters/issues/34439
+@@||nettavisen.no/templates/v*/resources/admanager/templates/topover/topover.jsp
+! https://github.com/AdguardTeam/AdguardFilters/issues/35943
+@@||google-analytics.com/analytics.js$domain=jula.no
+! https://github.com/AdguardTeam/AdguardFilters/issues/27371
+digi.no##.tujobs-ad
+digi.no##.poster-placeholder
+digi.no##.tu-frontpage > .frontpage-top-poster-wrap
+digi.no##div[class^="sticky-col-"] > .sticky-content
+! https://github.com/AdguardTeam/AdguardFilters/issues/25483
+langrenn.com##body > .bannerlocation > div > a[href^="/bannerclick.php/"]
+langrenn.com#$#body.haslocation12 { padding-top: 10px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/29678
+! https://github.com/AdguardTeam/AdguardFilters/issues/23015
+tu.no##.commercial
+tu.no##.tujobs-ad
+tu.no##.poster-placeholder
+tu.no##article[data-pinned].annonse
+tu.no##body > .surround > .top-poster-wrap.align-center
+tu.no##.tu-frontpage > .frontpage-top-poster-wrap
+tu.no##div[class^="sticky-col-"] > .sticky-content
+tu.no##.col-full-width > .products-carousel.daily-offers
+! https://github.com/AdguardTeam/AdguardFilters/issues/21961
+||nakenprat.com/adfirst*.js
+||nakenprat.com/adlast*.php^
+! https://github.com/AdguardTeam/AdguardFilters/issues/20808
+itavisen.no##.banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/16687
+finn.no##iframe#easyad
+finn.no##iframe#smallEasyAd
+finn.no##.banner-skyscraper-container
+finn.no##div.banners[style^="height: 150px"]
+finn.no##.banners[data-banner-pos="topbanner"]
+finn.no##div.external-banner-board.adsbox[data-controller]
+finn.no##.banners.adsbox
+! https://github.com/AdguardTeam/AdguardFilters/issues/11958
+@@||advert.vg.no/1v*.js?v=$domain=e24.no
+@@||advertisement.vg.no/1v*.js?v=$domain=e24.no
+e24.no#%#//scriptlet("set-constant", "__AB__", "noopFunc")
+e24.no##.ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/10383
+@@||advert.vg.no/1v*.js?v=$~third-party
+@@||advertisement.vg.no/1v*.js?v=$~third-party
+vg.no##.ad
+vg.no##.inline-ad-text
+vg.no##.advert
+vg.no##.finn-placeholder
+! https://github.com/AdguardTeam/AdguardFilters/issues/7960
+tv2.no#%#//scriptlet("json-prune", "enabled", "testhide")
+tv2.no##.tv2-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/6064
+vgtv.no###player.pulse-isPauseAdVisible > .jw-overlays
+!
+itavisen.no##div[id^="ad-"]
+vg.no###ad-topboard
+!---------------------------------------------------------------------
+!------------------------------ Persian ------------------------------
+!---------------------------------------------------------------------
+! NOTE: Persian
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/186949
+||tajrobe.wiki/images/ads/
+tajrobe.wiki##.ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/172968
+real-madrid.ir##.adv
+!---------------------------------------------------------------------
+!------------------------------ Philippines --------------------------
+!---------------------------------------------------------------------
+! NOTE: Philippines
+!
+joujizz.com##.video-top-wrap > .sb
+!---------------------------------------------------------------------
+!------------------------------ Polish -------------------------------
+!---------------------------------------------------------------------
+! NOTE: Polish
+!
+! FuckAdBlock Polish
+skmedix.pl,interia.pl,trojmiasto.pl,js.iplsc.com,pomponik.pl,posty.pl,zalajkowane.pl,kulinarnapolska.org,wroclawskiejedzenie.pl,innpoland.pl,mywrestling.com.pl,andek.com.pl,smartage.pl,joemonster.org,tajemnice-swiata.pl,naszraciborz.pl,natemat.pl,stadionowioprawcy.net,fortnitepolska.pl,sadistic.pl,napisy24.pl,mamadu.pl,towideo.pl,forsal.pl,kresy.pl,mambiznes.pl,prnews.pl,weszlo.com,dziwneobrazki.pl#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links { display: block !important; }
+!
+! adquesto / questpass.pl
+motohigh.pl,gosc.pl,posty.pl,zalajkowane.pl,kulinarnapolska.org,wypracowania.pl,wroclawskiejedzenie.pl,innpoland.pl,smartage.pl,joemonster.org,natemat.pl,mamadu.pl,forsal.pl,kresy.pl,mambiznes.pl,prnews.pl,weszlo.com#%#//scriptlet("abort-current-inline-script", "parseInt", "/adBlock/")
+tvn.pl,sadeczanin.info#%#//scriptlet("abort-current-inline-script", "document.addEventListener", "adblock")
+innpoland.pl,mamadu.pl,dadhero.pl,natemat.pl#%#//scriptlet("prevent-eval-if", "isAdblockActive")
+gostynska.pl,ddbelchatow.pl,jarocinska.pl,klodzko24.eu,nowaruda24.pl,portalplock.pl,korsosanockie.pl,korsokolbuszowskie.pl,korso.pl,korso24.pl,forsal.pl,zwielkopolski24.pl,se.pl,dziennik.pl,rawicz24.pl,tko.pl,tvn.pl,roweroweporady.pl,tulodz.pl,weszlo.com#%#//scriptlet("abort-on-property-write", "adquestoConfig")
+glospowiatusredzkiego.pl,wgospodarce.pl,gostynska.pl,ddbelchatow.pl,jarocinska.pl,klodzko24.eu,nowaruda24.pl,portalplock.pl,korsosanockie.pl,korsokolbuszowskie.pl,korso.pl,korso24.pl,forsal.pl,zwielkopolski24.pl,se.pl,dziennik.pl,rawicz24.pl,tko.pl,tvn.pl,roweroweporady.pl,tulodz.pl,weszlo.com#%#//scriptlet('set-constant', 'questpassGuard', 'noopFunc')
+roweroweporady.pl#@#.ad_container
+@@||video.onnetwork.tv/adblock_notify.js
+||glospowiatusredzkiego.pl/pl/js/qp.js
+||cdn.questvert.pl/publishers/*/qpscript.js
+||cdn.files.smcloud.net/t/adquesto_beszamel_se_pl.js
+||weszlo.com/wp-content/themes/weszlo/questpass.js
+||lib.wtg-ads.com/prebid/prebid_*.js$xmlhttprequest,redirect=nooptext
+!
+!
+well.pl##.noads
+widzewtomy.net##.banner-height
+tko.pl##article[class^="post-"] > div[id^="tdi_"] > div.tdc_zone > div.tdc-row > div.vc_row > style + div.vc_column > div.wpb_wrapper > div.vc_row_inner:not(:has(div.td_block_wrap))
+tko.pl##div[id^="nol24-"]
+||niestatystyczny.pl/wp-content/cache/autoptimize/js/autoptimize_single_2343f262534a03ee11866211f8a8792f.js
+niestatystyczny.pl#$#body { background-image: none !important; }
+jastrzebieonline.pl##div[class^="ad_"]
+bieganie.pl#?#.biega-nb-paris > DIV[style^="text-align:"]:contains(Reklama)
+gospodarkamorska.pl##.Home_categories_box > div.polecamy-slider > div[class*="poster-dnone-"]
+instalki.pl##center > a.gofollow > img
+onet.pl##a[href^="https://milionymonet.onet.pl/"]
+pograne.eu###custom_html-8
+! https://github.com/AdguardTeam/AdguardFilters/issues/189576
+ikorektor.pl##.adx1
+! https://github.com/AdguardTeam/AdguardFilters/issues/189462
+nowiny.pl##.ad_async_placeholder
+! https://github.com/AdguardTeam/AdguardFilters/issues/188407
+po-bandzie.com.pl##.elementor-widget-container > a:not([href*="po-bandzie.com.pl"], [href^="/"]) > img:is([alt=""], [alt*="_290x300"])
+po-bandzie.com.pl##.elementor-widget-container > aside > a:not([href*="po-bandzie.com.pl"], [href^="/"]) > img:is([alt=""], [alt*="_290x300"])
+po-bandzie.com.pl#?#div[data-widget_type="theme-post-content.default"] > .elementor-widget-container > p > strong:contains(/^REKLAMA/)
+po-bandzie.com.pl#?#div[data-widget_type="theme-post-content.default"] > .elementor-widget-container > p:has(> strong:contains(/^REKLAMA/)) + p:last-child > a
+po-bandzie.com.pl#?#div[data-widget_type="theme-post-content.default"] > .elementor-widget-container > p:has(> strong:contains(/^REKLAMA/)) + p > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/188400
+conowego.pl##a.gofollow[data-track]
+! https://github.com/AdguardTeam/AdguardFilters/issues/188405
+dnarynkow.pl##section[class^="banner"][class*="-spacer-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/188399
+pulshr.pl##.sad
+pulshr.pl##.sad-container
+pulshr.pl#@#[class$="-ads"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/188404
+globenergia.pl##a[data-bid][rel*="sponsored"]
+globenergia.pl#?#p.has-text-align-center:contains(/^Reklamy$/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/188398
+40ton.net##a[href^="https://servedby.flashtalking.com/click/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/188394
+filarybiznesu.pl##span > div[style*="min-height:"][style*="overflow: hidden;"]:has(> div[id*="_slot_"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/188213
+webhostingtalk.pl##a[href*="&utm_medium=banner"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/188123
+rmf24.pl##.reklamaPage
+||rmf24.pl/j/videojs/ad-setup.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/187895
+5mindlazdrowia.pl###sticky-anchor
+5mindlazdrowia.pl##div[id^="mediapop-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/187858
+estradaistudio.pl##.tritable-970x250
+estradaistudio.pl##.right > .d-block[style*="max-width: 300px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/187857
+zielonyogrodek.pl##.zo-recommended
+zielonyogrodek.pl##.zo-recommended-top
+! https://github.com/AdguardTeam/AdguardFilters/issues/187856
+budujemydom.pl##body .wide-bg
+! https://github.com/AdguardTeam/AdguardFilters/issues/187860
+audio.com.pl##body > .hp-wide-top
+audio.com.pl##body > .subpages-top
+! https://github.com/AdguardTeam/FiltersReports/issues/10
+ebok.pgnig.pl##.slick-track > .slick-slide:has(> div > .news-lists-ad)
+! https://github.com/AdguardTeam/AdguardFilters/issues/187699
+opoka.org.pl##.webpart-wrap-raw_html:has(> a[name="reklama"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/187669
+otodom.pl#$##__next > div[class^="css-"] > div[class^="css-"]:has(> div[class*="css-"] > a[href="/"][aria-label]) { padding-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/187207
+pogonsportnet.pl##aside > .widget > a > img[src*="://i.postimg.cc/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/186966
+plusliga.pl##.baner-box
+plusliga.pl##.section-baner
+! https://github.com/AdguardTeam/AdguardFilters/issues/186889
+warszawawpigulce.pl##.optadvideo
+warszawawpigulce.pl##.optad_atf
+! https://github.com/AdguardTeam/AdguardFilters/issues/186843
+vider.pl###adsblocker_detected
+vider.pl#%#//scriptlet('set-constant', 'ads_unblocked', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/186743
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=halorzeszow.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/186289
+boop.pl##aside > div.sticky:has(> div[id]:only-child > .adTitle)
+! https://github.com/AdguardTeam/AdguardFilters/issues/185967
+standardy.pl##div[class^="banner-"]:not(.banner-swiper-cls)
+! https://github.com/AdguardTeam/AdguardFilters/issues/185789
+fashionbiznes.pl##.cmpgn_adslot.slot_art_half > *
+fashionbiznes.pl##.cmpgn_adslot:not(.slot_art_half)
+fashionbiznes.pl#$#.cmpgn_adslot.slot_art_half { height: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/185791
+infosecurity24.pl##.page-builder > section.block:has(> .ad-banner)
+infosecurity24.pl##div[siteservice]:has(> a[target="_blank"] > span > figure > div > div > img[alt="Reklama"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/185454
+mojagazetka.com##div[data-testid="AdsWrapper"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/185127
+wroclaw.se.pl##div[class^="zpr_box"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/185007
+zmiedzi.pl##.aunit-center
+zmiedzi.pl##div[id^="zmied-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/184663
+||tcz.pl/*/reklama*.php
+! https://github.com/AdguardTeam/AdguardFilters/issues/184877
+! https://github.com/AdguardTeam/AdguardFilters/issues/181666
+!+ NOT_OPTIMIZED
+transfery.info##.advertisement
+! https://github.com/AdguardTeam/AdguardFilters/issues/184220
+poszkole.pl#%#//scriptlet('google-ima3')
+poszkole.pl#%#//scriptlet('prevent-element-src-loading', 'script', 'imasdk.googleapis.com/js/sdkloader/ima3.js')
+poszkole.pl#%#//scriptlet('prevent-xhr', 'redefine.hit.stat24.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/184088
+fxmag.pl##div[class^="AdBlockDetect_container"]
+fxmag.pl#%#//scriptlet('prevent-xhr', 'pagead2.googlesyndication.com')
+fxmag.pl#%#//scriptlet('prevent-element-src-loading', 'script', 'pagead2.googlesyndication.com')
+fxmag.pl##div[class*="Container_header_ad_"] > div[style="min-height:90px;min-width:1px"]
+fxmag.pl#?#div[class^="Box_Box__container_"] > div[class^="EducationWidget_container_"]:has(> p[class^="EducationWidget_disclaimer_"]:contains(Sekcja sponsorowana))
+! https://github.com/AdguardTeam/AdguardFilters/issues/183998
+naekranie.pl##body #screening-mobile-container
+naekranie.pl##body .prawa-szpalta2
+! https://github.com/AdguardTeam/AdguardFilters/issues/183421
+rozrywka.radiozet.pl###onnetwork--html:empty
+! https://github.com/AdguardTeam/AdguardFilters/issues/183198
+ogladajanime.pl##html > div[style^="position: fixed;"]
+ogladajanime.pl#%#//scriptlet('json-prune', 'ad')
+! https://github.com/AdguardTeam/AdguardFilters/issues/182845
+tvs.pl#@#img[width="728"][height="90"]
+tvs.pl##.stream-item:has(> :is(.adsbygoogle, div[id^="div-gpt-"]))
+tvs.pl##.main-content > div[id^="tie-block_"].stream-item:has(> .container-wrapper > .adsbygoogle)
+tvs.pl#?#.theiaStickySidebar .stream-item-widget:has(> .stream-item-widget-content > .stream-title:contains(/^reklama$/))
+tvs.pl##.theiaStickySidebar .stream-item-widget:has(> .stream-item-widget-content > div:is([id^="div-gpt-"],[id^="w2g-slot"]))
+tvs.pl##.main-content > div[id^="tie-block_"].mag-box > .container-wrapper > .mag-box-container:has(> .entry > p > .adsbygoogle)
+! https://github.com/AdguardTeam/AdguardFilters/issues/182841
+biztime.pl,geekblog.pl,wrc.net.pl##.wrc-slot
+! https://github.com/AdguardTeam/AdguardFilters/issues/182266
+polskieradio24.pl##div[class^="Article_googleAd_"]
+polskieradio24.pl##section[class^="WtgWrapper_container"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/181787
+infoprzasnysz.com##.mcnv
+infoprzasnysz.com#%#//scriptlet('set-constant', 'mcnv.init', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/181453
+juvepoland.com##.wp-block-image a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/181002
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=zloteprzeboje.pl|radiopogoda.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/180618
+@@||miastko24.pl/pl/js/trustmeimadolphin
+! https://github.com/AdguardTeam/AdguardFilters/issues/180544
+bithub.pl##.oa360_sf_d_container
+! https://github.com/AdguardTeam/AdguardFilters/issues/180520
+kb.pl##.sticky2
+kb.pl##body .kba
+kb.pl##.kboferwidget
+||oferteo.pl/widget/$domain=kb.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/180519
+! .big-placeholder cannot just be hidden because the website will freeze, so it's necessary to remove it
+gratka.pl###empty-placeholder
+gratka.pl##.mobile-placeholder
+gratka.pl##.desktop-main-page-placeholder
+gratka.pl##div[id^="placeholder-slot-"]
+gratka.pl##.td-post-content > div[style*="height:"][style*="width:"][style*="margin-bottom:"]:has(> div[id^="slot-left"])
+gratka.pl#$?#.big-placeholder { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/180271
+tygodnikpowszechny.pl#@#.block-simpleads
+tygodnikpowszechny.pl#$#.block-simpleads { display: block !important; position: absolute !important; left: -3000px !important; }
+tygodnikpowszechny.pl#%#//scriptlet('prevent-addEventListener', 'DOMContentLoaded', '.offsetHeight')
+! https://github.com/AdguardTeam/AdguardFilters/issues/180043
+waszaturystyka.pl##.adds
+! https://github.com/AdguardTeam/AdguardFilters/issues/179974
+cozadzien.pl##a.imd-radio
+cozadzien.pl##.imd-ad-wrapper
+cozadzien.pl##.imd-section--ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/179961
+||d-pa.ppstatic.pl/frames/$image,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/179707
+gazetaolsztynska.pl#%#//scriptlet('set-constant', 'playerConfig.abWarning', '0')
+gazetaolsztynska.pl#%#//scriptlet('set-constant', 'playerState.ads.adsBlocked', '0')
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=gazetaolsztynska.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/179469
+@@||mediateka.pl/media/desktop/zpr_footer/js/adblock_detector.js
+mediateka.pl#%#//scriptlet('set-constant', 'adblockBait', '')
+! https://github.com/AdguardTeam/AdguardFilters/issues/179346
+znaki.edu.pl#@##adbox
+znaki.edu.pl#@#.adsbygoogle-noablate
+znaki.edu.pl#@#ins.adsbygoogle[data-ad-slot]
+znaki.edu.pl#@##ad_close
+! https://github.com/AdguardTeam/AdguardFilters/issues/179251
+legia.net##.advertisement
+legia.net###wtg-taboola
+legia.net##.news-page div[class="module"] > .header:has(+ .module-content > #wtg-taboola)
+! https://github.com/AdguardTeam/AdguardFilters/issues/179250
+legionisci.com##.mgid
+legionisci.com##.reklama
+legionisci.com##div[class^="ad-rectangle"]
+legionisci.com##div[class^="ad-billboard"]
+legionisci.com##div[class^="ad-billboard"] + .extras
+! https://github.com/AdguardTeam/AdguardFilters/issues/179253
+90minut.pl##iframe[src^="https://servedby.flashtalking.com/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/178898
+dts24.pl##.jet-popup
+dts24.pl##a.gofollow[data-track]
+dts24.pl#?#:is(.elementor-size-small, .elementor-size-default):contains(/^Reklama$/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/178721
+mistrzowie.org###skyRightWrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/178692
+dobrzemieszkaj.pl##.abc
+dobrzemieszkaj.pl##.ad-wrap-2
+dobrzemieszkaj.pl##body .ad:not(#style_important)
+! https://github.com/AdguardTeam/AdguardFilters/issues/178693
+! https://github.com/AdguardTeam/AdguardFilters/issues/178691
+pulshr.pl,wnp.pl##.abc-wrap
+wnp.pl###target-5d
+! https://github.com/AdguardTeam/AdguardFilters/issues/178658
+ekstraklasa.org##app-article a[target="_blank"][href*="utm_campaign"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/178651
+motohigh.pl##.superauto
+motohigh.pl###custom_html-3
+motohigh.pl###zox-lead-top-wrap
+motohigh.pl##center > a > img[src*="/banner"]
+||motohigh.pl/wp-content/uploads/2023/02/banner-probuk.png
+||motohigh.pl/wp-content/uploads/2023/03/baner_oponeo_lato.mp4
+||superauto.pl/iframe/configurator$subdocument,domain=motohigh.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/178480
+itbiznes.pl###main > div.code-block > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/178315
+||obejrzyj-to.pl/detector.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/178206
+olsztynnews.com.pl##.a-wrap
+! https://github.com/AdguardTeam/AdguardFilters/issues/178160
+radiojura.pl##.sec-promo
+! https://github.com/AdguardTeam/AdguardFilters/issues/178162
+well.pl##.sda-container
+well.pl##.partners-box
+! https://github.com/AdguardTeam/AdguardFilters/issues/178095
+hejto.pl##a[href^="https://clk.tradedoubler.com/click?"]
+! Fixes incorrect blocking on https://www.hejto.pl/wiadomosci
+hejto.pl#@#[class$="-ads"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/177568
+ceneo.pl###body > section.store-zones
+ceneo.pl##.highlighted-offers
+! https://github.com/AdguardTeam/AdguardFilters/issues/177191
+transinfo.pl#$#html { overflow: auto !important; }
+transinfo.pl#$#.adblock { display: none !important; }
+transinfo.pl#%#//scriptlet('prevent-setTimeout', '/adblockFunc|hasChildNodes\(\)/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/177111
+download.net.pl##.sidebar-container a[href^="https://amzn.to/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/176904
+edukacjakrytyczna.pl##a[href^="/przekierowanie/"] > img[alt="banner"]
+edukacjakrytyczna.pl#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+||edukacjakrytyczna.pl/detector.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/176677
+zawszepomorze.pl##.widget-advert_placement
+zawszepomorze.pl##.d-inline-block-not-important[data-ciid]
+! https://github.com/AdguardTeam/AdguardFilters/issues/176162
+motofocus.pl###placeholder-billboard
+! https://github.com/AdguardTeam/AdguardFilters/issues/176158
+stockwatch.pl##div[class*="-"] > span[data-adsourl]:first-child + img:last-child
+stockwatch.pl##div[class*="-"]:has(> span[data-adsourl]:first-child + img:last-child)
+! https://github.com/AdguardTeam/AdguardFilters/issues/176153
+inzynieria.com##.karta-art-qs
+! https://github.com/AdguardTeam/AdguardFilters/issues/175916
+handelextra.pl##.Ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/175918
+strefainwestorow.pl##.pb-4 > .block-block-content:has(> .content > div[id^="div-gpt-"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/175919
+evklub.pl##div[class^="Map_map"] ~ .MuiContainer-root > div[class^="Overlay_overlayContainer"]:has(> a[rel="dofollow"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/175911
+aniagotuje.pl##.ad1
+aniagotuje.pl##.ad2
+! https://github.com/AdguardTeam/AdguardFilters/issues/175417
+pless.pl##.wybory-reklama-modul
+! https://github.com/AdguardTeam/AdguardFilters/issues/175316
+moja-ostroleka.pl#%#//scriptlet('adjust-setTimeout', 'adBanner', '*', '0.001')
+moja-ostroleka.pl#%#//scriptlet('abort-current-inline-script', 'EventTarget.prototype.addEventListener', 'adBanner')
+! https://github.com/AdguardTeam/AdguardFilters/issues/175262
+olsztyn.com.pl###boxB
+! https://github.com/AdguardTeam/AdguardFilters/issues/174802
+lubimyczytac.pl#$?##top-sponsorship-banner { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/174590
+||kmp*.etransport.pl/run.$subdocument
+! https://github.com/AdguardTeam/AdguardFilters/issues/174213
+naukowiec.org##.spolecznoscinet
+naukowiec.org##div[style="text-align:center; margin: 15px 0;width: 100%;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/174061
+mypolacy.de##.wnr
+! https://github.com/AdguardTeam/AdguardFilters/issues/174039
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=swiatgwiazd.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/173865
+topnewsy.pl##.art div:not([class]) > .lazyload-wrapper:has(button.close + div[class] > a[href="/twoja-prywatnosc"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/173533
+podrozezantena.pl###m_top_1_mainpage
+podrozezantena.pl###banner_750x100_r
+podrozezantena.pl###SATKurierNews_top_750x100_r
+podrozezantena.pl###idmnet_horizontal_top_750x100
+||podrozezantena.pl/getRandomBanner
+! https://github.com/AdguardTeam/AdguardFilters/issues/173535
+4funkids.pl##.addsContainerLabel
+4funkids.pl###ad-view-gora_srodek
+4funkids.pl#?#.fixedVideoBox__label:contains(/^REKLAMA$/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/173534
+4fun.tv##.slot-center
+4fun.tv##.slot-middle
+4fun.tv##.screening-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/173630
+fxmag.pl##text[class^="Ad_"]
+fxmag.pl##div[class^="Ad_bottom_"]
+fxmag.pl#%#//scriptlet('trusted-click-element', 'div[class^="Ad_skip_button"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/173548
+franczyzawhandlu.pl##.top
+franczyzawhandlu.pl##div[class^="position_"][class$="top"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/173621
+meczyki.pl##.grid-news-slider > div.news-item:has(> a[href^="https://www.meczyki.pl/link/bukmacher/"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/173549
+traktorpool.pl#?#main div[class]:has(> div[id^="div-gpt-ad"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/173553
+drewno.pl#?##centerr .nm_box_out > .nm_box > .nm_section:contains(/^REKLAMA$/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/173390
+analizy.pl##.vdaText
+analizy.pl##.postAdd
+analizy.pl##.promotionAd
+analizy.pl##.randomBilboardAd
+analizy.pl##.articleStandardSidebarLongAd
+! https://github.com/AdguardTeam/AdguardFilters/issues/171503
+nauka.rocks###sticky-anchor
+! https://github.com/AdguardTeam/AdguardFilters/issues/171353
+rp.pl##.headerTopBarAdvert
+rp.pl#%#//scriptlet('remove-class', '-top-bar-advert|-top-bar-advert-mobile|-top-bar-advert-desktop')
+! https://github.com/AdguardTeam/AdguardFilters/issues/170745
+odmiana.net,dowcip.net,antonim.net,krzyzowka.net,synonim.net,zagadkidladzieci.net##img[src^="/adr/"][onclick]
+/adr/*/*.webp$~third-party,image,domain=odmiana.net|dowcip.net|antonim.net|krzyzowka.net|synonim.net|zagadkidladzieci.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/170058
+codziennypoznan.pl#@#img[width="600"][height="90"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/170059
+! https://github.com/AdguardTeam/AdguardFilters/issues/170127
+! https://github.com/AdguardTeam/AdguardFilters/issues/170128
+ecopoznan.pl,codziennypoznan.pl,motopoznan.com,lifestylepoznan.pl##._ning_zone_inner
+ecopoznan.pl,codziennypoznan.pl,motopoznan.com,lifestylepoznan.pl##._ning_cont[data-bid]
+! https://github.com/AdguardTeam/AdguardFilters/issues/169628
+trojka.polskieradio.pl##div[class^="Banner_container_"]
+trojka.polskieradio.pl##.span-2 > a[href^="http://reklama.polskieradio.pl/"]
+jedynka.polskieradio.pl##div[style="min-height: 0px;"] > section > div[class^="Box-"] > div[style^="box-sizing: border-box; position: relative; margin-left: auto; margin-right: auto; padding-left: 15px; padding-right: 15px; max-width:"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/169007
+gsmmaniak.pl###posts > div[style^="margin:0px"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/169008
+gloswielkopolski.pl##.componentsPromotionsPromoted__list
+! https://github.com/AdguardTeam/AdguardFilters/issues/168942
+epoznan.pl##a[href^="adsysClick?id="]
+! https://github.com/AdguardTeam/AdguardFilters/issues/168944
+!+ NOT_PLATFORM(ios, ext_android_cb, ext_safari)
+@@||onet.pl^$generichide,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/168695
+lublin112.pl##.boxa
+! https://github.com/AdguardTeam/AdguardFilters/issues/168694
+tysol.pl###ads-art-bill
+! https://github.com/AdguardTeam/AdguardFilters/issues/168780
+audiostereo.pl#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/168726
+dziennikwschodni.pl##.l-content > div[style="display: flex; justify-content: center; margin-top: 15px; margin-bottom: 15px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/168607
+cowkrakowie.pl##.google--component
+! https://github.com/AdguardTeam/AdguardFilters/issues/168592
+||bookoflists.pl/detector.js
+bookoflists.pl#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/168457
+tabletowo.pl##div[style^="min-height: 130px;text-align: center;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/168299
+radioyanosik.pl##.entry-content > p[class="has-text-align-center"]
+radioyanosik.pl##a[href^="https://clk.tradedoubler.com/click?p="]
+! https://github.com/AdguardTeam/AdguardFilters/issues/168284
+smakosze.pl#?#main > div > div > div:has(> button[aria-label="closeAnchor"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/168062
+kino.coigdzie.pl##.mh310
+kino.coigdzie.pl##a[href*="&utm_campaign="][target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/167295
+moje-gniezno.pl##.fdAdsGroup
+moje-gniezno.pl##.additional-advert-special
+moje-gniezno.pl#?#.elementor-widget-smartmag-codes > .elementor-widget-container > .a-wrap > .label:contains(/^Reklama$/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/167254
+lovekrakow.pl##.lk-ad-place
+! https://github.com/AdguardTeam/AdguardFilters/issues/171183
+! https://github.com/AdguardTeam/AdguardFilters/issues/167102
+strims.*##a[href*="&ad="] > img
+strims.*##a[href*="&utm_source="] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/166609
+jelonka.com##.kontener-reklam
+! poral.eu - antiadblock
+poral.eu###adblock-message
+poral.eu#%#//scriptlet('abort-current-inline-script', 'setTimeout', 'adsbygoogle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/166347
+radio.bialystok.pl#?#.show-for-medium:has(> .text-left > span:contains(/^REKLAMA$/))
+! https://github.com/AdguardTeam/AdguardFilters/issues/166054
+3d-info.pl##div[id^="think-"]
+3d-info.pl##.hide-mobile > .row > .col-12 > .auto-unit
+! https://github.com/AdguardTeam/AdguardFilters/issues/165174
+tyna.info.pl##.baner
+||tyna.info.pl/pl/_ajax/getBanners.php
+! https://github.com/uBlockOrigin/uAssets/issues/20320
+uwaga.tvn.pl##.ad-ph
+uwaga.tvn.pl#%#//scriptlet('set-constant', 'Berry.waitFor', 'noopPromiseResolve')
+tvn.pl#%#//scriptlet('set-constant', 'Berry.waitForScripts', 'noopPromiseResolve')
+! https://github.com/AdguardTeam/AdguardFilters/issues/164441
+rentola.pl#?#.relative:has(> div[data-ezoic--main-target="placeholder"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/164468
+gorzowianin.com###topmsg
+gorzowianin.com##.rotator-file
+gorzowianin.com##div[class="container"][style^="margin-top: 160px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/164168
+wlkp24.info##.banner-carousel
+! https://github.com/AdguardTeam/AdguardFilters/issues/164141
+halorzeszow.pl##.tipad_tag
+halorzeszow.pl##div[id^="widgetBody-placement"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/164140
+||dnarynkow.pl/wp-content/uploads/*/*banner
+||dnarynkow.pl/wp-content/uploads/*/1080x1920-18.png
+! https://github.com/AdguardTeam/AdguardFilters/issues/182411
+! https://github.com/AdguardTeam/AdguardFilters/issues/164136
+rmf.fm###RMF_FM_sg_bill
+rmf.fm###RMF_FM_sg_top_bill
+rmf.fm##div[id^="RMF_FM_podstrony_"]
+rmf.fm##body > div[style^="height:300px"]
+rmf.fm##.article-whole > div[style^="min-height:300px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/163658
+ciekawostkihistoryczne.pl#$#.page-container { padding-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/163534
+muratordom.pl##div[class^="zpr"][class*="inside"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/162705
+winnicalidla.pl#$#html.async-hide { opacity: 1 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/162657
+infoprzasnysz.com##.ngemydow
+! https://github.com/AdguardTeam/AdguardFilters/issues/162115
+esportway.pl##img[alt*="Reklama"]
+esportway.pl##a[href*="_adserwer.php"]
+esportway.pl#?#.sidebar > div[id^="custom_html-"]:has(> .widget-title:contains(Reklama))
+esportway.pl#?#.sidebar > div[id^="custom_html-"]:has(> .widget-title:contains(Reklama)) + div[id^="block-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/186722
+! Probably related to original issue - https://github.com/AdguardTeam/AdguardBrowserExtension/issues/2890
+! TODO: check if these rules are still needed when version 4.4 will be released
+@@||r.linksprf.com/v1/redirect?type=url$domain=pepper.pl
+@@||track.webgains.com/click.html?$domain=pepper.pl
+@@||clk.tradedoubler.com/click?$domain=pepper.pl
+@@||ad.doubleclick.net/ddm/clk/$domain=pepper.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/173600
+! https://github.com/AdguardTeam/AdguardFilters/issues/164394
+! https://github.com/AdguardTeam/AdguardFilters/issues/162001
+@@||track.adform.net/*cpdir=$popup,domain=pepper.*
+@@||stvkr.com/v*/click-$popup,domain=pepper.*
+@@||track.webgains.com/click.html?$popup,domain=pepper.*
+@@||t.adcell.com/p/click?$popup,domain=pepper.*
+@@||t.adcell.com/forward?$popup,domain=pepper.*
+@@||t.adcell.com/forward?*pepper.$popup
+@@||t.adcell.com/p/click?*pepper.$popup
+! https://github.com/AdguardTeam/AdguardFilters/issues/161797
+futurebeat.pl##.cld-ban2-c
+futurebeat.pl###baner-outer
+! https://github.com/AdguardTeam/AdguardFilters/issues/161933
+||cdn.onnetwork.tv/js/player$script,domain=ddtorun.pl
+ddtorun.pl###shops-products-widget
+! https://github.com/AdguardTeam/AdguardFilters/issues/161746
+supernowosci24.pl###r-hero
+supernowosci24.pl###mobile-ad
+supernowosci24.pl###r-front-page
+supernowosci24.pl###r-right-column
+supernowosci24.pl###r-mid-page-wrapper
+supernowosci24.pl###r-above-menu-wrapper
+supernowosci24.pl#?#.pcfb-wrapper .penci-ercol-25:has(#r-footer)
+! https://github.com/AdguardTeam/AdguardFilters/issues/161267
+energetyka24.com##.ad-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/175803
+! https://github.com/AdguardTeam/AdguardFilters/issues/167886
+! https://github.com/AdguardTeam/AdguardFilters/issues/161329
+kk24.pl,gorzowskie.pl,olesnica24.com##.text-center > div[class^="d-inline-block"][data-ciid]
+! https://github.com/AdguardTeam/AdguardFilters/issues/161744
+! https://github.com/AdguardTeam/AdguardFilters/issues/161331
+weranda.pl,werandacountry.pl###sg_slot
+weranda.pl,werandacountry.pl##.banner_flex
+! https://github.com/AdguardTeam/AdguardFilters/issues/161330
+limanowa.in##.ardContainer
+limanowa.in##.barnerContainer
+! https://github.com/AdguardTeam/AdguardFilters/issues/161319
+jakaoferta.pl##a[href*="&utm_term=baner"][target="_blank"] > img
+jakaoferta.pl#?#.wp-block-group__inner-container > p:contains(/^Reklama$/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/161270
+pananimacja.pl##.backstretch
+pananimacja.pl#$#body.td-background-link { cursor: auto !important; }
+pananimacja.pl#%#//scriptlet('set-constant', 'td_ad_background_click_link', '')
+! https://github.com/AdguardTeam/AdguardFilters/issues/159952
+glospowiatusredzkiego.pl##.banner--placeholder
+||glospowiatusredzkiego.pl/pl/_ajax/getBanners.php
+! https://github.com/AdguardTeam/AdguardFilters/issues/159917
+megane.com.pl#%#//scriptlet('prevent-fetch', 'adsbygoogle')
+@@||megane.com.pl^$generichide,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/159778
+nieznany-numer.pl##.content div[style="height:280px"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/174032
+! https://github.com/AdguardTeam/AdguardFilters/issues/174033
+! https://github.com/AdguardTeam/AdguardFilters/issues/169786
+! https://github.com/AdguardTeam/AdguardFilters/issues/168285
+! https://github.com/AdguardTeam/AdguardFilters/issues/168272
+! Speed up loading video player
+pacjenci.pl,rolnikinfo.pl,turysci.pl,portalparentingowy.pl,biznesinfo.pl,lelum.pl,goniec.pl#%#//scriptlet('adjust-setTimeout', '/moviesetdelayed|0x|waitingForUserConsent/', '*', '0.001')
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=goniec.pl|lelum.pl|biznesinfo.pl|portalparentingowy.pl|pacjenci.pl|rolnikinfo.pl|turysci.pl
+pacjenci.pl,rolnikinfo.pl,turysci.pl,portalparentingowy.pl,biznesinfo.pl,lelum.pl,goniec.pl#?#div:is(.w-full, .col-span-3) > .items-center[style*="min-height:"]:has(> .ad-placeholder)
+portalparentingowy.pl###anchor
+! https://github.com/AdguardTeam/AdguardFilters/issues/159703
+goniec.pl#?#.col-span-3 > .justify-center:has(> .ad-placeholder:only-child)
+! https://github.com/AdguardTeam/AdguardFilters/issues/159250
+angielskieespresso.pl##a[href^="https://ad.doubleclick.net/"]
+angielskieespresso.pl#?#.fusion-column-content > .naglowek:has(> strong:contains(/^REKLAMY$/))
+! https://github.com/AdguardTeam/AdguardFilters/issues/158194
+g.pl##.banEntry
+g.pl##div[class^="ban00"][class*="wrap"]
+g.pl##div[id^="banC"]
+g.pl###banP99_DFP
+g.pl###c2c_embed
+g.pl###adsMidboardDivId_1
+||c2c24.pl^$third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/157934
+! https://github.com/AdguardTeam/AdguardFilters/issues/157935
+! https://github.com/AdguardTeam/AdguardFilters/issues/157936
+wiadomoscihandlowe.pl#@#[class$="-ads"]
+wiadomoscihandlowe.pl##.container-topads
+wiadomoscihandlowe.pl,wiadomoscikosmetyczne.pl,halowies.pl,tygodnik-rolniczy.pl##div[class^="position_break_"][class$="_top"]
+wiadomoscihandlowe.pl,wiadomoscikosmetyczne.pl,halowies.pl,tygodnik-rolniczy.pl##div[class^="position_right_"][class$="_top"]
+wiadomoscihandlowe.pl,wiadomoscikosmetyczne.pl,halowies.pl,tygodnik-rolniczy.pl##div[class^="position_item_right_"][class$="_top"]
+/templates/site/js/ads.js$domain=halowies.pl|tygodnik-rolniczy.pl|wiadomoscikosmetyczne.pl|wiadomoscihandlowe.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/157962
+! https://github.com/AdguardTeam/AdguardFilters/issues/189917
+! https://github.com/AdguardTeam/AdguardFilters/issues/174954
+! https://github.com/AdguardTeam/AdguardFilters/issues/173530
+! https://github.com/AdguardTeam/AdguardFilters/issues/171504
+! https://github.com/AdguardTeam/AdguardFilters/issues/171860
+! https://github.com/AdguardTeam/AdguardFilters/issues/164486
+! https://github.com/AdguardTeam/AdguardFilters/issues/156438
+wdi24.pl##.custom-html-box p > a[href="https://pansim.edu.pl/"] > img
+wdi24.pl##a[href^="https://wdi24.pl/static/files/gallery"][href*="-reklama-"]
+zambrow.org##div[id^="bills_in_rotation_"] > a > img
+zambrow.org##.custom-html-box center > a[target="_blank"] > img
+wdi24.pl,tulegnica.pl,tygodnikregionalna.pl,regionalna24.pl,lowicz24.eu,skarzyski.eu,zambrow.org,24jgora.pl,karkonoszego.pl,24wroclaw.pl,zyciekalisza.pl,nswiecie.pl,debica24.eu##.sticky_anchor
+wdi24.pl,tulegnica.pl,tygodnikregionalna.pl,regionalna24.pl,lowicz24.eu,skarzyski.eu,zambrow.org,24jgora.pl,karkonoszego.pl,24wroclaw.pl,zyciekalisza.pl,nswiecie.pl,debica24.eu##.grid__ad
+wdi24.pl,tulegnica.pl,tygodnikregionalna.pl,regionalna24.pl,lowicz24.eu,skarzyski.eu,zambrow.org,24jgora.pl,karkonoszego.pl,24wroclaw.pl,zyciekalisza.pl,nswiecie.pl,debica24.eu##.adv
+wdi24.pl,tulegnica.pl,tygodnikregionalna.pl,regionalna24.pl,lowicz24.eu,skarzyski.eu,zambrow.org,24jgora.pl,karkonoszego.pl,24wroclaw.pl,zyciekalisza.pl,nswiecie.pl,debica24.eu##div[style="min-height: 362px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/155184
+silesia24.pl##.vertical__ad
+silesia24.pl##.horizontal__ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/155342
+dorzeczy.pl##.ad-aside
+! https://github.com/AdguardTeam/AdguardFilters/issues/155231
+krosno112.pl#?#.itemBody > span[style="font-size: x-small"] > center:contains(/^ R E K L A M A $/)
+krosno112.pl#?#.container > .t3-spotlight > .col-lg-12:has(> .module > .module-inner > .module-ct > .bannergroup)
+! https://github.com/AdguardTeam/AdguardFilters/issues/154761
+twojstyl.pl#$#.body--ad--sticky .main--header { top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/154136
+muratorplus.pl##div[id^="inside_"]
+! filmomaniak.pl - ads
+filmomaniak.pl##.cld-ban3-c
+! https://github.com/AdguardTeam/AdguardFilters/issues/153583
+emecze.pl##a[target="_blank"] > img
+emecze.pl#?#.list > li[class]:not([data-recommended]):has(> a[target="_blank"]:only-child)
+! https://github.com/AdguardTeam/AdguardFilters/issues/153582
+oddslivesport.com##a[target="_blank"] > img
+oddslivesport.com#?#.tab-content div[class] > center > fieldset:has(> a[target="_blank"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/153722
+poradnikprzedsiebiorcy.pl##.header-content > .container-slider
+! https://github.com/AdguardTeam/AdguardFilters/issues/153579
+forumginekologiczne.pl#?#.mx-auto[style]:has(> span.text-xs:first-child:contains(/^REKLAMA:$/) + div[class]:last-child)
+forumginekologiczne.pl#?#.grid > div[class] > div[style*="max-width:"]:has(> span.text-xs:first-child:contains(/^REKLAMA:$/) + div[class]:last-child)
+! https://github.com/AdguardTeam/AdguardFilters/issues/153560
+polityka.pl##.cg_ad_outer
+! https://github.com/AdguardTeam/AdguardFilters/issues/151484
+extradom.pl##.corner-box
+extradom.pl#$#.corner-box { position: absolute !important; left: -3000px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/150996
+@@||pl-play.adtonos.com^$domain=tokfm.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/150766
+mecze24.pl##center > a[target="_blank"] > img[style^="width: 100%"]
+mecze24.pl##div[style^="text-align: left; width: 100%; padding:"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/150769
+comparic.pl#%#//scriptlet('set-constant', 'AdvAdsAdBlockCounterGA', 'noopFunc')
+comparic.pl##a[href="https://reach4.biz/meetup/"][data-wpel-link="external"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/150664
+glivice.pl,slazag.pl,bytomski.pl,piekary.info,twojknurow.pl,nowinytyskie.pl,ngs24.pl,24kato.pl,rudzianin.pl,zabrzenews.pl,chorzowski.pl,tarnowskiegory.info,24zaglebie.pl##.banner_top
+glivice.pl,slazag.pl,bytomski.pl,piekary.info,twojknurow.pl,nowinytyskie.pl,ngs24.pl,24kato.pl,rudzianin.pl,zabrzenews.pl,chorzowski.pl,tarnowskiegory.info,24zaglebie.pl#?#.similar__articles > div.similar__articles__single:has(> div[id^="render-campaign-"])
+tarnowskiegory.info,piekary.info##.campaign-label
+! poki.pl - ad leftovers
+poki.pl#?#div[class*=" "] > div[class] > div[style^="height:"] + div[class]:contains(/^Reklama/):upward(2)
+! https://github.com/AdguardTeam/AdguardFilters/issues/150554
+prywatnie.eu##.wp-block-image > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/149764
+otomoto.pl##article[data-testid="carsmile-listing-ad"]
+otomoto.pl##main[data-testid="search-results"] > p
+! https://github.com/AdguardTeam/AdguardFilters/issues/149508
+weszlo.com##.fuksiarz-logo
+! https://github.com/AdguardTeam/AdguardFilters/issues/148732
+jastrzabpost.pl##div[id^="jastrzabpost-"]
+jastrzabpost.pl##.jastrzabpost-widget
+! https://github.com/AdguardTeam/AdguardFilters/issues/148735
+dywanik.pl##.min-h-\[65px\].sm\:min-h-\[72px\].lg\:min-h-\[96px\].xl\:min-h-\[93px\]
+! https://github.com/AdguardTeam/AdguardFilters/issues/149269
+elektromobilni.pl##div[id^="elekt-"] > a[target="_blank"] > img
+elektromobilni.pl##main .elementor-widget-container > a[target="_blank"] > img
+elektromobilni.pl#?#.elementor-widget-container > div.elementor-heading-title:contains(/^REKLAMA$/)
+evklub.pl##div[class^="Newsfeed_containerAd_"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/149217
+okazjum.pl##.cv-ad
+okazjum.pl##.post-item--sponsored
+! https://github.com/AdguardTeam/AdguardFilters/issues/149218
+naszemma.pl##img[style^="width: 100%; max-width: 970px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/148740
+! https://github.com/AdguardTeam/AdguardFilters/issues/178468
+gsmservice.pl###tdi_79
+! https://github.com/AdguardTeam/AdguardFilters/issues/148742
+dlahandlu.pl##.page-top
+! https://github.com/AdguardTeam/AdguardFilters/issues/148758
+zlotowskie.pl##.adv
+zlotowskie.pl##.grid__ad
+zlotowskie.pl##.news > div[style^="min-height:"]
+zlotowskie.pl##.news__content > div[style="min-height: 500px;"]
+zlotowskie.pl#?#.grid__container div.custom-html-box:has(.bannerSlider)
+! https://github.com/AdguardTeam/AdguardFilters/issues/147343
+||mmarocks.pl/sbt/720x180.png
+mmarocks.pl##.p-body-pageContent > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/146876
+forsal.pl##.infor-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/146878
+goal.pl###header-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/146880
+niezalezna.pl##div[style="min-height: 300px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/146735
+miastodzieci.pl##.centrujbanernapodstronach
+miastodzieci.pl##.widget_custom_html > .custom-html-widget > .sw_slider
+miastodzieci.pl#$#body { background-image: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/146731
+rynek-rolny.pl###fixedElement2
+rynek-rolny.pl#%#//scriptlet('abort-current-inline-script', 'document.write', 'unescape')
+! https://github.com/AdguardTeam/AdguardFilters/issues/146732
+stacja7.pl##.st7-shop
+stacja7.pl##.st7-products
+stacja7.pl##.st7-ad-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/146353
+disco-polo.eu#?#.elementor-widget-container > div[style*="width"]:has(> center > ins.adsbygoogle)
+! https://github.com/AdguardTeam/AdguardFilters/issues/146065
+press.pl##.banner_holder
+press.pl#?#.posts_day_container:has(> .wide_big_post > .post_slider > .post_slide > div[style^="position: absolute;"]:contains(/^REKLAMA$/))
+! https://github.com/AdguardTeam/AdguardFilters/issues/145357
+e-pity.pl##.AdvertBanner
+! https://github.com/AdguardTeam/AdguardFilters/issues/145525
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=slowopodlasia.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/145159
+radio-internetowe.com##div[class^="ad_mobil"]
+@@||pl-play.adtonos.com^$domain=radio-internetowe.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/144515
+niebezpiecznik.pl###main > div.post ~ p[style="color:gray"]
+niebezpiecznik.pl###main > div.post ~ p[style="color:gray"] + a[target="_blank"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/144236
+mambiznes.pl##.container.header-billboard-area
+! https://github.com/AdguardTeam/AdguardFilters/issues/144225
+ithardware.pl##div[style="width:100%;margin-top:10px;margin-bottom:10px;height:100px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/144208
+||videoexchanger.com^$domain=ortograf.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/144206
+topagrar.pl##.ad-container-0
+! https://github.com/AdguardTeam/AdguardFilters/issues/144207
+traktorpool.pl,baupool.com.pl##.billboard
+! https://github.com/AdguardTeam/AdguardFilters/issues/144112
+!+ NOT_OPTIMIZED
+gramwzielone.pl##div.a
+! https://github.com/AdguardTeam/AdguardFilters/issues/144101
+eglos.pl#@#.ads-list
+! https://github.com/AdguardTeam/AdguardFilters/issues/144117
+bielskiedrogi.pl##.blok-r
+||pless-intermedia.pl/public/slajdy/html/*.html$subdocument,domain=bielskiedrogi.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/144118
+leba24.info##.code-block
+leba24.info##.advertizing-slots
+! https://github.com/AdguardTeam/AdguardFilters/issues/144121
+otowejherowo.pl##.ai_widget
+otowejherowo.pl##.code-block
+! https://github.com/AdguardTeam/AdguardFilters/issues/144122
+sprzedawacz.pl##.ga-cnt
+! https://github.com/AdguardTeam/AdguardFilters/issues/144124
+iotwock.info##.grid__ad
+iotwock.info##.adv
+iotwock.info##.grid__container div.custom-html-box
+iotwock.info##.news__content > div[style="min-height: 500px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/144123
+halogorlice.info##div[class*="widget-advert"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/144119
+powiatowa.info#?#.jm-title-wrap > .jm-title:contains(/^REKLAMA$/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/144115
+glogow-info.pl###outer-800 > div > div[style="font-size:8px; color: grey; text-align: left;"]
+glogow-info.pl###outer-800 > div > div[style="background:none;margin:0;width:515px;height:300px;"]
+glogow-info.pl#$#body { background-image: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/144111
+skokinarciarskie.pl##body > div[style^="width: 750px; height: 200px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/144125
+||motomaszyny.pl/web/images/bannery/
+! https://github.com/AdguardTeam/AdguardFilters/issues/144126
+igrit.pl###pyToMove
+igrit.pl##.imgs[data-py]
+igrit.pl##.section-inside-py
+igrit.pl##.mobile_top_banner
+igrit.pl##.sticky-top a[target="_blank"][data-id] > img
+igrit.pl#%#//scriptlet('prevent-setTimeout', 'top_banner_')
+||igrit.pl/api/py/$xmlhttprequest
+! https://github.com/AdguardTeam/AdguardFilters/issues/144116
+archiwumalle.pl#@#.adplacement
+archiwumalle.pl#%#//scriptlet('abort-current-inline-script', 'jQuery', 'adblock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/143915
+pogonsportnet.pl##.fluid-banner
+pogonsportnet.pl#$#.kode-header-absolute { top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/143484
+grajteraz.pl##.banner
+grajteraz.pl##.banner-medium-rectangle
+||grajteraz.pl/bfb/*.php
+! https://github.com/AdguardTeam/AdguardFilters/issues/142537
+pl.europa.jobs##.post_content > .aligncenter > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/142891
+rmfon.pl###ad-gora-bill
+! https://github.com/AdguardTeam/AdguardFilters/issues/142871
+serialowa.pl##.vertical__adv
+serialowa.pl##.horizontal__adv
+! https://github.com/AdguardTeam/AdguardFilters/issues/142355
+sprzedajemy.pl##.desktopLayTopPremiumWrp
+! https://github.com/AdguardTeam/AdguardFilters/issues/142314
+speedtest.com.pl##.adv2
+! https://github.com/AdguardTeam/AdguardFilters/issues/142280
+estadion.pl##.side > .box-tv
+estadion.pl##.side > .topcodes
+estadion.pl##.tabco > button.tablinks + span
+soccerlive24.pl,estadion.pl##a[href="/go/wp-pilot"] > img
+estadion.pl##*:not(.info2, .bonusx) > a[href="/go/sts"]
+estadion.pl##*:not(.info2, .bonusx) > a[href="/go/betclic-tv"]
+||estadion.pl/_next/image?url=https%3A%2F%2Fapi.estadion.pl%2Fimg%2Fads%2F
+! https://github.com/AdguardTeam/AdguardFilters/issues/142275
+kreskowki.tv#%#//scriptlet('prevent-setTimeout', 'ad.offsetHeight === 0')
+kreskowki.tv#$#.adsbox.textads.banner-ads { display: block !important; }
+kreskowki.tv#?#.right-side-bar > .panel > .panel-body:has(> .fancybox-box > div > div[id^="spolecznosci-"])
+||kreskowki.tv/assetcdn/get.php?
+||kreskowki.tv/assetcdn/top.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/142208
+! https://github.com/AdguardTeam/AdguardFilters/issues/142207
+! https://github.com/AdguardTeam/AdguardFilters/issues/142205
+analizafinansowa.pl,transport-expert.pl,portalzp.pl##div[id^="baner-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/142204
+portalochronysrodowiska.pl##.baner-box
+portalochronysrodowiska.pl##.baner-long
+portalochronysrodowiska.pl##.banner-elerneo
+portalochronysrodowiska.pl##.baner-horizontal
+portalochronysrodowiska.pl##.widget-baner
+portalochronysrodowiska.pl#?#.container-content > .nf-box[class*="layout"]:has(> div[style="height: 375px;"]:only-child:empty)
+! https://github.com/AdguardTeam/AdguardFilters/issues/159617
+forum.benchmark.pl##div[id][style*="min-height:"]:has(> img[src="https://std.wpcdn.pl/images/adv/placeholder_wp.svg"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/141564
+benchmark.pl##.hidden-lg-up
+benchmark.pl##.hidden-tb-up
+benchmark.pl##.hidden-tb-down
+benchmark.pl##.hidden-md-down
+benchmark.pl##.container > .col-xs-12 > div[class*="hidden"]:has(> style:first-child + div[class]:last-child > img[src="https://i.wpimg.pl/O/56x45/i.wp.pl/a/i/stg/pkf/bg.png"])
+benchmark.pl##.container > .col-xs-12 > div[class]:only-child:has(> style:first-child + div[class]:last-child > img[src="https://i.wpimg.pl/O/56x45/i.wp.pl/a/i/stg/pkf/bg.png"])
+!+ NOT_OPTIMIZED
+benchmark.pl###content > div:has(> style + div)
+! https://github.com/AdguardTeam/AdguardFilters/issues/141366
+comparic.pl##.artyuio-single
+! https://github.com/AdguardTeam/AdguardFilters/issues/141478
+portalbhp.pl,portalprzedszkolny.pl,portaloswiatowy.pl##div[id^="baner-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/141180
+gowork.pl##.sidebar-banners
+! https://github.com/AdguardTeam/AdguardFilters/issues/141181
+krs-online.com.pl##.adsensem
+krs-online.com.pl###main > div[style="margin:25px auto;text-align:center"] > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/143285
+mp.pl###bazalekow-top-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/141178
+mp.pl##.row > #top-board:has(> :is(#ad-top-banner, #bazalekow-top-banner))
+! https://github.com/AdguardTeam/AdguardFilters/issues/141030
+popkulturowykociolek.pl###media_image-5
+||popkulturowykociolek.pl/wp-content/uploads/*/*/*-reklama-baner.png
+||popkulturowykociolek.pl/wp-content/uploads/*/*/*-Baner-Reklama.webp
+! https://github.com/AdguardTeam/AdguardFilters/issues/141022
+streamgoals.com##.vjs-overlay > a[target="_blank"]
+streamgoals.com#?##video .vjs-overlay:has(> a[target="_blank"])
+streamgoals.com#%#//scriptlet('set-constant', 'inventoryAd', 'emptyObj')
+! https://github.com/AdguardTeam/AdguardFilters/issues/140919
+jaw.pl#?#aside.widget_block:has(> h2:contains(Reklama))
+jaw.pl#?#aside.widget_block:has(> pre a[href^="https://bit.ly/"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/140814
+sportrelacje.pl##a[href^="https://online.efortuna.pl/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/140813
+lajfy.com##*:not(#footer) > div[class^="banner-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/140097
+przegladsportowy.onet.pl##aside[style="padding-top: 350px;"]
+przegladsportowy.onet.pl##aside[class^="Rectangle_placeholderRectangle"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/140101
+smak.pl##.placeholder
+smak.pl##div[style="height:775px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/140053
+podhale24.pl##.castorama
+podhale24.pl##.post > .a.bg
+podhale24.pl##.allmedica.footer > span
+! https://github.com/AdguardTeam/AdguardFilters/issues/139829
+mecze24.pl#?##p-left > div[class="module"]:has(> div.toptipsTab)
+mecze24.pl###overlay_m24 + .list
+mecze24.pl##.text > div[style^="text-align: left; width: 100%; padding: 10px 15px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/139828
+! https://github.com/AdguardTeam/AdguardFilters/issues/139834
+hdmecze.com##[class^="cool-stuff"]
+/lvbet-tv.jpg
+/1betsson.png
+/kasynos_online.png
+/1unibet.png
+! https://github.com/AdguardTeam/AdguardFilters/issues/139580
+zaufanatrzeciastrona.pl##.content-wrap > center > a[href][target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/139676
+technostrefa.com##.entry-content > div.wp-block-buttons
+! https://github.com/AdguardTeam/AdguardFilters/issues/139372
+bezprzeplacania.pl##img[width="160"][height="600"]
+bezprzeplacania.pl##div[style="text-align: center; margin: 0; padding: 0;"] > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/139136
+polskiprzemysl.com.pl##.banner-full
+polskiprzemysl.com.pl##.baner-and-partners
+! https://github.com/AdguardTeam/AdguardFilters/issues/139129
+fotopolis.pl##.cyfrowepl
+fotopolis.pl##.fotoforma
+! https://github.com/AdguardTeam/AdguardFilters/issues/138312
+haloursynow.pl##.spons
+haloursynow.pl##.baner
+! https://github.com/AdguardTeam/AdguardFilters/issues/138431
+whitemad.pl##a[href^="http://bit.ly/"] > img
+whitemad.pl##a[href^="https://oakywood.shop/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/138313
+gramwzielone.pl##a[href^="https://pl.goodwe.com/"]
+gramwzielone.pl#?#div.right-column > section.gwz-box:has(> div > a > div:contains(Reklama))
+! https://github.com/AdguardTeam/AdguardFilters/issues/138309
+cashless.pl#?#.container > div.text-xs:contains(/^Reklama/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/138337
+moviesroom.pl##.popup-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/138100
+se.pl,poradnikzdrowie.pl###hook_box_topboard
+! https://github.com/AdguardTeam/AdguardFilters/issues/137685
+naszemma.pl###block-16
+naszemma.pl##a[href^="https://naszemma.pl/go/betclic"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/137687
+ortograf.pl##.sky-rectangle
+ortograf.pl##.spolecznoscinet
+! https://github.com/AdguardTeam/AdguardFilters/issues/137682
+lowking.pl###text-32
+lowking.pl###stream-item-widget-2
+lowking.pl##a[href^="https://online.efortuna.pl/"] > img
+lowking.pl#?#.main-content > div[id^="tie-block_"].stream-item:has(> .container-wrapper > .adsbygoogle)
+! https://github.com/AdguardTeam/AdguardFilters/issues/137670
+niezalezna.pl##.wtg
+! https://github.com/AdguardTeam/AdguardFilters/issues/137672
+polskieradio.pl##a[class^="banner-item"]
+polskieradio.pl##div[id*="_ContentPlaceHolder"] > div[style^="display: block; font-size:"]
+||polskieradio.pl/_images/baner/
+! https://github.com/AdguardTeam/AdguardFilters/issues/137661
+@@||senda.pl/ads/*.js$~third-party
+||googletagmanager.com/gtag/js?id=$script,redirect=noopjs,domain=senda.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/137568
+dobreprogramy.pl##div.Rap[class*=" "]
+dobreprogramy.pl#?#div[role="list"] > div[role="listitem"]:has(> div > div > div > span:contains(REKLAMA))
+! https://github.com/AdguardTeam/AdguardFilters/issues/137379
+promoklocki.pl#?#header > div.mb-2:has(> a[href] > img.banner-top)
+! https://github.com/AdguardTeam/AdguardFilters/issues/137299
+moviesroom.pl##a[href^="https://bit.ly/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/137185
+propertynews.pl##.sad
+propertynews.pl##.sad-billboard
+! https://github.com/AdguardTeam/AdguardFilters/issues/137187
+infodent24.pl##.advB
+infodent24.pl##.topBelka > .left
+! https://github.com/AdguardTeam/AdguardFilters/issues/137188
+sadnowoczesny.pl,warzywaiowoce.pl,elita-magazyn.pl,profitechnika.pl##.grid--ad
+sadnowoczesny.pl,warzywaiowoce.pl,elita-magazyn.pl,profitechnika.pl##.container--break
+sadnowoczesny.pl,warzywaiowoce.pl,elita-magazyn.pl,profitechnika.pl##.position_right_01_top
+sadnowoczesny.pl,warzywaiowoce.pl,elita-magazyn.pl,profitechnika.pl##.position_item_right_01_top
+/templates/site/js/ads.js$domain=profitechnika.pl|elita-magazyn.pl|warzywaiowoce.pl|sadnowoczesny.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/136963
+ciekawostkihistoryczne.pl##.wallpaper__link[target="_blank"]
+ciekawostkihistoryczne.pl#$#.page-container[style^="background-image: url"] { background-image: none !important; padding-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/137004
+||ssp.wp.pl/bidder/
+! https://github.com/AdguardTeam/AdguardFilters/issues/136974
+bestflix.pl##.promo
+bestflix.pl###top-area-promo
+bestflix.pl##.sticky-widget
+! https://github.com/AdguardTeam/AdguardFilters/issues/136957
+meteoprog.pl##.promo
+! https://github.com/AdguardTeam/AdguardFilters/issues/136922
+weatheronline.pl##.banner_oben
+! ewybory.eu - incorrect blocking
+ewybory.eu#@#.advertisment
+! https://github.com/AdguardTeam/AdguardFilters/issues/136777
+pudelek.pl#?##page_content > div[class^="sc-"]:has(> div[class^="sc-"] > div:contains(Oferty dla))
+! https://github.com/AdguardTeam/AdguardFilters/issues/136775
+dziennik.pl##.infor-ad
+||ocdn.eu/workshopinforocdn/infor/misc/taboola-assets/taboola_v*.js
+||ocdn.eu/dziennik/infor/adquestoConfig/adquestoConfig_v*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/136454
+newsweek.pl##.pwPlistNin
+! https://github.com/AdguardTeam/AdguardFilters/issues/136683
+tarnowska.tv##.tipad_tag
+tarnowska.tv##.d-inline-block[data-ciid]
+tarnowska.tv#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=tarnowska.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/136455
+rp.pl###contentVideoAdvert
+rp.pl##.articleInnerAdvertContainer
+! https://github.com/AdguardTeam/AdguardFilters/issues/136292
+ladnepodatki.pl##.rainbow-border.q-carousel
+! https://github.com/AdguardTeam/AdguardFilters/issues/136076
+comparic.pl##a[href^="https://j2t.com/"]
+comparic.pl##.grtyuio
+comparic.pl#?#.tdc-content-wrap > div[id^="tdi_"] > div.vc_row div.wpb_wrapper div[class*="artyuio"]:upward(div.wpb_wrapper)
+comparic.pl#?#.tdc-content-wrap > div[id^="tdi_"] > div.vc_row > div.vc_column > div.wpb_wrapper > div.wpb_text_column > div.wpb_wrapper > div[class] > center > a[href="https://j2t.com/pl/"]:upward(div[id^="tdi_"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/135708
+itreseller.com.pl##.header-adver
+itreseller.com.pl##a.gofollow[data-track]
+! https://github.com/AdguardTeam/AdguardFilters/issues/135134
+fanipogody.pl###oa_placeholder
+fanipogody.pl##div[id^="oa-360-"][data-dest="placeholder"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/135063
+tuwroclaw.com##.w2g-wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/134468
+autofakty.pl#@#.widget_text.widget, .entry
+autofakty.pl##.post_baner_top
+! https://github.com/AdguardTeam/AdguardFilters/issues/134539
+wroclawskiportal.pl##.bdaia-e3-container > a[target="_blank"] > img
+wroclawskiportal.pl##.bdaia-ad-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/134124
+moviesroom.pl###hook_after_title
+moviesroom.pl##a[href^="https://gde-default.hit.gemius.pl/"] > img
+moviesroom.pl#?#.sidebar > div:not([class], [id]):has(> .basic-slider)
+! https://github.com/AdguardTeam/AdguardFilters/issues/134406
+fm.tuba.pl##div[class*="bg-[url(/assets/tuba-logo-ads.png)]"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/134110
+parenting.pl##a[rel="sponsored noopener noreferrer"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/134267
+files4you.org###posts div[id^="post_message_"] div[align="center"] > div[style^="height:"][style*="width:"][style*="position:"][style*="background:"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/156652
+! https://github.com/AdguardTeam/AdguardFilters/issues/133914
+pb.pl##.n2pb-ad-container
+pb.pl##div[class^="npb-"][class$="-adv"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/133846
+24kurier.pl#$#.box_reklama_txt { visibility: hidden !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/133439
+cybersport.pl##.banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/133414
+laziska.com.pl,m-ce.pl,mojbytom.pl,mojchorzow.pl,mojegliwice.pl,mojekatowice.pl,mojetychy.pl,mojmikolow.pl,orzesze.com.pl,piekaryslaskie.com.pl,pyskowice.com.pl,rudaslaska.com.pl,rybnicki.com,siemianowice.net.pl,sosnowiecki.pl,swiony.pl,wodzislaw.com.pl,zabrze.com.pl,zory.com.pl##.m-ads-revive__zone
+! https://github.com/AdguardTeam/AdguardFilters/issues/133412
+portalkomunalny.pl##.td-header-sp-recs
+portalkomunalny.pl##body .wppaszone
+! https://github.com/AdguardTeam/AdguardFilters/issues/133356
+bryk.pl##.omnibusBannerContainer
+! https://github.com/AdguardTeam/AdguardFilters/issues/132811
+jugomobile.com#@#.adbanner
+jugomobile.com#%#//scriptlet("prevent-setTimeout", "siteAccessPopup()")
+! https://github.com/AdguardTeam/AdguardFilters/issues/132737
+hokej.net##aside.Ad
+hokej.net#$##AdB { display: none !important; }
+hokej.net#$#.blur > [class]{ filter: none !important;}
+! https://github.com/AdguardTeam/AdguardFilters/issues/132572
+biletomat.pl#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/132329
+ding.pl##span[aria-label="ad-box"]
+ding.pl#@#a[href^="https://ad.doubleclick.net/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/132065
+motormania.com.pl##div[class*="block-add"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/131656
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=kanalsportowy.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/131514
+ekstraklasatrolls.pl##.apPluginContainer
+! https://github.com/AdguardTeam/AdguardFilters/issues/131515
+swiatkoni.pl##.klikaczset
+swiatkoni.pl##.blockaa-title
+swiatkoni.pl##div[id^="klikacz"]
+||swiatkoni.pl/file/Banner_
+! https://github.com/AdguardTeam/AdguardFilters/issues/131187
+comparic.pl###text-181
+comparic.pl###text-190
+comparic.pl###text-132
+comparic.pl###text-126
+comparic.pl###text-180
+comparic.pl##.reklamaBok
+comparic.pl#?#.td-post-content > p:has(a[href^="https://www.purple-trading.com/"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/131167
+forum.info-ogrzewanie.pl###elPostFeed div[style^="background: #fff; margin-top: -19px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/131325
+przewodnik.tv#@#.adbanner
+przewodnik.tv#%#//scriptlet("prevent-setTimeout", "siteAccessPopup()")
+! https://github.com/AdguardTeam/AdguardFilters/issues/131277
+infoprzasnysz.com##.rimy
+! https://github.com/AdguardTeam/AdguardFilters/issues/131077
+dziennikprawny.pl##article > div:not([class]) > a[target="_blank"][rel="noopener"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/131705
+! https://github.com/AdguardTeam/AdguardFilters/issues/134017
+! https://github.com/AdguardTeam/AdguardFilters/issues/131054
+!+ NOT_OPTIMIZED
+ithardware.pl##div[id^="art-"][id*="Baner"]
+!+ NOT_OPTIMIZED
+ithardware.pl##div[style^="min-height:"][style*="overflow:hidden;"]
+!+ NOT_OPTIMIZED
+ithardware.pl##div[style^="min-height:"][style*="overflow: hidden;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/130726
+||vulcanm.home.pl/_uonetads/$domain=vulcan.net.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/130527
+tanuki.pl##a[id^="bannerhref"]
+tanuki.pl###sidebar > div#buttons
+! https://github.com/AdguardTeam/AdguardFilters/issues/130621
+epoznan.pl##div[style^="clear: both; display: block; margin: 0 auto 10px auto;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/130678
+silesion.pl##.theiaStickySidebar > aside > .widget_block > figure.wp-block-image > a[href^="https://silesion.pl/"] > img[srcset]
+silesion.pl#?#.theiaStickySidebar > aside > .widget_block:has(> figure.wp-block-image > a[href^="https://silesion.pl/"] > img[srcset])
+! https://github.com/AdguardTeam/AdguardFilters/issues/130512
+rdc.pl##.advertisement_holder_box
+! https://github.com/AdguardTeam/AdguardFilters/issues/130565
+! https://github.com/AdguardTeam/AdguardFilters/issues/139582
+histmag.org,inzynieria.com##.w2g-rodzic
+! https://github.com/AdguardTeam/AdguardFilters/issues/189542
+planetagracza.pl##.ad__in
+! https://github.com/AdguardTeam/AdguardFilters/issues/130337
+planetagracza.pl##.discounts-block
+planetagracza.pl##.discounts--partner
+! https://github.com/AdguardTeam/AdguardFilters/issues/130245
+auto-swiat.pl###googleAdsCont
+! https://github.com/AdguardTeam/AdguardFilters/issues/129995
+||pecetowicz.pl/uploads/monthly_2022_08/hostido.webp
+pecetowicz.pl###ipsLayout_mainArea .ipsList_inline > .ipsResponsive_inlineBlock > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/130160
+||milanos.pl/assetcdn/img.php
+milanos.pl##div[align="center"]
+milanos.pl#?#aside > div.row:has(> div.widget > div.row > div[align="center"])
+milanos.pl#?#.post > div.row:has(> div[align="center"] > ins.adsbygoogle)
+! https://github.com/AdguardTeam/AdguardFilters/issues/129606
+kanonierzy.com##div[style^="float: left;"][style*="text-align: center;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/177354
+! https://github.com/AdguardTeam/AdguardFilters/issues/167785
+||optad360.io/*/*.min.js$script,redirect=noopjs,domain=realmadryt.pl
+realmadryt.pl#%#//scriptlet('prevent-fetch', '/optad360\.io|pagead2\.googlesyndication\.com/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/146241
+! https://github.com/AdguardTeam/AdguardFilters/issues/137044
+! https://github.com/AdguardTeam/AdguardFilters/issues/129607
+realmadryt.pl##div[class^="rmpl-adsense-"]
+realmadryt.pl##.rmpl-comment-ad
+realmadryt.pl##.gamebar-section-sponsors
+realmadryt.pl##.cmb-sponsor-container
+||realmadryt.pl/img/banners/
+! https://github.com/AdguardTeam/AdguardFilters/issues/129608
+fcbarca.com##.adverts-box
+primeradivision.pl,fcbarca.com##.banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/129612
+fintek.pl##.banner-top
+! https://github.com/AdguardTeam/AdguardFilters/issues/129257
+waluty360.pl##.baner
+||waluty360.pl/images/walutomat_*.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/129154
+infofordon.pl#?#.motoslider_wrapper:has(div[ms-slide-repeater] > a[href^="https://servi.pl/"])
+infofordon.pl#?#.motoslider_wrapper:has(div[ms-slide-repeater] > a[href="https://infofordon.pl/reklamy/"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/128653
+||cdn.gallery^$third-party
+zambrow.org##.c-content > div[style="min-height: 500px;"]
+zambrow.org##[target="_new"] > img[width="250"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/128944
+filmozercy.com##.c-panel-fs
+filmozercy.com##.o-sidebar > div > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/128454
+!+ NOT_OPTIMIZED
+lublin112.pl##div[style="min-height: 325px"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/128455
+radioostrowiec.pl##.rl-image-widget > .widgettitle-reklama:not(:empty)
+radioostrowiec.pl##.rl-image-widget > .widgettitle-reklama:not(:empty) + .rl-image-widget-link
+radioostrowiec.pl##.rl-image-widget > .widgettitle-reklama:not(:empty) + .rl-image-widget-image
+! https://github.com/AdguardTeam/AdguardFilters/issues/128654
+||mylomza.pl/static/files/inline_images/*/inline__
+mylomza.pl##div[style="min-height: 634px;"]
+mylomza.pl##div[style="min-height: 500px;"]
+mylomza.pl##div[style="min-height: 362px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/128614
+radomszczanska.pl##.c-content__adv
+radomszczanska.pl##.l-container--rwd > .l-row > .l-box > * > div[id^="bills_in_rotation_"] > img
+radomszczanska.pl##.l-container--rwd > .l-row > .l-box > p > a:not([href*="radomszczanska.pl"]) > img
+radomszczanska.pl##.l-container--rwd > .l-row > .l-box > p > img[src^="/static/files/inline_images/"]
+radomszczanska.pl#?#.l-col--side > .l-col__item[style]:has(.adsbygoogle)
+! https://github.com/AdguardTeam/AdguardFilters/issues/128613
+rapnews.pl##.sgpb-popup-overlay
+rapnews.pl###sgpb-popup-dialog-main-div-wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/128602
+||isbnews.pl/img/advert/
+! https://github.com/AdguardTeam/AdguardFilters/issues/128366
+rmfmaxx.pl,rmfmaxxx.pl##.ph-ad-zone
+rmfmaxxx.pl#$##yt-player-container { display: block !important; }
+rmfmaxxx.pl#$##videojs-player-container { display: none !important; }
+@@||googleads.github.io/videojs-ima/node_modules/video.js/dist/video-js.min.css$domain=rmfmaxxx.pl
+@@||googleads.github.io/videojs-ima/node_modules/video.js/dist/video.min.js$domain=rmfmaxxx.pl
+@@||googleads.github.io/videojs-ima/dist/videojs.ima.js$domain=rmfmaxxx.pl
+@@||googleads.github.io/videojs-ima/node_modules/videojs-contrib-ads/dist/videojs.ads.min.js$domain=rmfmaxxx.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/128293
+eurobuildcee.com##.banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/147525
+! https://github.com/AdguardTeam/AdguardFilters/issues/128292
+menworld.pl##.custom_html-2
+menworld.pl##.block-da
+menworld.pl##.zeen-da-wrap
+menworld.pl##a[href^="https://c.trackmytarget.com?"] > img
+||menworld.pl/wp-content/uploads/*/*/veganstyle-banner-scaled.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/128076
+comparic.pl#$#body .td-header-wrap { height: auto !important; }
+comparic.pl##iframe[src^="https://capital.com/widgets/"]
+comparic.pl##a[href^="https://lp.tms.pl/"] > img
+comparic.pl###tdi_55
+comparic.pl##.cp_topBanner
+comparic.pl#?#.wpb_wrapper > div.wpb_content_element:has(> div.wpb_wrapper > p > ins.adsbygoogle)
+! https://github.com/AdguardTeam/AdguardFilters/issues/128000
+bitnova.info#@#.AdBar
+bitnova.info#@#.AdCenter
+bitnova.info#@#.ADwidget
+bitnova.info#$#body > .AdBar { display: block !important; }
+bitnova.info#%#//scriptlet('prevent-setTimeout', '.offsetHeight')
+bitnova.info##body > div[style^="position: fixed;"][style*="display: block; box-sizing: border-box; padding:"][style*="font-weight: bold; font-size:"][style*="text-align: center;"][style*="z-index:"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/127688
+tustolica.pl##.slot
+tustolica.pl##.s-label
+tustolica.pl##.sep-huge
+tustolica.pl#?#.colB > div.s-link-img > a[target="_blank"] > img:upward(2)
+! https://github.com/AdguardTeam/AdguardFilters/issues/127590
+moviesroom.pl#$#body { overflow: auto !important; }
+moviesroom.pl##a[href^="https://kloti.pl"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/127609
+esanok.pl##.sidebar-blok.reklama
+esanok.pl##.con-post > .row > .post-entry > .row > .col-md-6 > div[style^="width: 300px; height: 260px; background-color:"]
+esanok.pl#?#.sidebar-blok.patronat:has(> .adsbygoogle)
+! https://github.com/AdguardTeam/AdguardFilters/issues/127589
+mojagazetka.com##div[data-cy="AdsWrapper"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/127383
+sadeczanin.info###topContainer
+! https://github.com/AdguardTeam/AdguardFilters/issues/127042
+tuolawa.pl##.widget-advert_placement
+tuolawa.pl##.d-inline-block[data-ciid]
+! https://github.com/AdguardTeam/AdguardFilters/issues/127043
+portal-polski.pl##.entry-content > figure[id^="attachment_"][style^="width:"]
+portal-polski.pl#?##secondary > aside[id^="block-"]:has(> a[href^="https://webep1.com/"] > img)
+! https://github.com/AdguardTeam/AdguardFilters/issues/127354
+miejscawewroclawiu.pl##rs-module-wrap
+! https://github.com/AdguardTeam/AdguardFilters/issues/127347
+trans.info#?#.container > div.text-center:has(> ins[class^="staticpubads"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/146650
+meczyki.pl##.page-wrapper > .container > .box > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/127359
+meczyki.org##.list > .promo
+meczyki.org##[class^="cool-stuff"]
+meczyki.org##a[href^="https://meczyki.net.pl/bukmacher/"] > img
+||betonline.net.pl/media/images/$domain=meczyki.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/127358
+elivescore.pl##.fortuna-border
+elivescore.pl##[class^="cool-stuff"]
+elivescore.pl##a[href^="https://elivescore.pl/bukmacher/"] > img
+elivescore.pl##body .wff_text_advertisement:not(#style_important)
+elivescore.pl##body div[id^="wff_banner_holder_"]:not(#style_important)
+||betonline.net.pl/media/images/$domain=elivescore.pl
+! centrum-dramy.pl - ads
+centrum-dramy.pl###overplay
+! https://github.com/AdguardTeam/AdguardFilters/issues/158030
+! https://github.com/AdguardTeam/AdguardFilters/issues/127034
+!+ NOT_OPTIMIZED
+onetech.pl##a[target="_blank"][rel="sponsored"] > img
+||onetech.pl/wp-content/uploads/*/*/banner1-1.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/181172
+! https://github.com/AdguardTeam/AdguardFilters/issues/154029
+! https://github.com/AdguardTeam/AdguardFilters/issues/129583
+zeriun.cc##.ad
+||zeriun.cc/assets/js/pk.js
+||zeriun.cc/assets/js/pcm.js
+zeriun.cc#%#//scriptlet("abort-on-property-write", "p$00a")
+zeriun.cc#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/127041
+!+ NOT_OPTIMIZED
+olawa24.pl##.place-items-center > div > a[href^="https://olawa24.pl/redirect?token="][rel]
+!+ NOT_OPTIMIZED
+||olawa24.pl/media/campaigns/files/$image
+! https://github.com/AdguardTeam/AdguardFilters/issues/127265
+archeologia.com.pl#?#p:contains(/^Reklama$/)
+archeologia.com.pl##a[href^="https://wydajenamsie.pl/"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/126736
+! https://github.com/AdguardTeam/AdguardFilters/issues/130555
+jastrzabpost.pl##.adc
+jastrzabpost.pl###sticky-anchor
+! https://github.com/AdguardTeam/AdguardFilters/issues/126661
+lodzkisport.pl##div[class^="zajawka-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/126330
+tubachorzowa.pl#%#//scriptlet("abort-current-inline-script", "$", "adshowed")
+tubachorzowa.pl#?#.main .stackable.center > p > small:contains(/^REKLAMA$/):upward(2)
+tubachorzowa.pl#?#div[id] > .stackable.center[style] > small:contains(/^REKLAMA$/):upward(1)
+||dummyimage.com^$domain=tubachorzowa.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/126666
+goal.pl##.banner
+goal.pl#?#.widget-area > aside[id^="block"]:matches-css(after, content: /^reklama$/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/126477
+portalsamorzadowy.pl##.sad
+! sprawdzwegiel.pl - antiadblock
+sprawdzwegiel.pl#%#//scriptlet('prevent-element-src-loading', 'script', 'static.hotjar.com/c/hotjar-')
+! https://github.com/AdguardTeam/AdguardFilters/issues/174690
+koty.pl,psy.pl#?#main > section[class^="sc-"] > div:not([class]):has(> h2 ~ div[class^="sc-"] > pre:contains(/^Reklama$/))
+koty.pl,psy.pl##.portal-top-banner
+koty.pl,psy.pl##.portal-header + hr:empty
+koty.pl,psy.pl##section[class*="portal-homepage-placeholder-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/125696
+radio.pl#?#div[class^="sc-"] > div[class^="sc-"] > div[id^="RAD_"]:upward(2)
+radio.pl#%#//scriptlet("abort-on-property-read", "Object.prototype.autoRecov")
+! https://github.com/AdguardTeam/AdguardFilters/issues/125594
+||konflikty.pl/wp-content/uploads/*/*/reklama-*.jpg
+konflikty.pl##.post-content > p[style*="text-align: center;"] + p > a[target="_blank"] > img
+konflikty.pl#?#.post-content > p[style*="text-align: center;"]:contains(/^—REKLAMA—$/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/125341
+praktyczna-ortopedia.pl##.auto-pr-block
+praktyczna-ortopedia.pl##.sidenote-promotion
+praktyczna-ortopedia.pl##.article-content > div:not([class], [id]) > .sep-txt
+praktyczna-ortopedia.pl##.article-content > div:not([class], [id]) > div[id^="smb_"]
+praktyczna-ortopedia.pl##.article-content > div:not([class], [id]) > p[style*="text-align: center;"] ~ p[style] > a[target="_blank"] > img
+praktyczna-ortopedia.pl#?#.article-content > div:not([class], [id]) > p[style*="text-align: center;"]:contains(/^R e k l a m a$/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/125340
+probasket.pl##.widget_text
+! https://github.com/AdguardTeam/AdguardFilters/issues/144114
+! https://github.com/AdguardTeam/AdguardFilters/issues/125226
+mma.pl##.w2g
+mma.pl###mma_post1_ad
+mma.pl##div[id^="mma_hdh"]
+mma.pl##div[id^="empty_id"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/124257
+||e-kg.pl/static/files/inline_images/*/inline__*.gif
+e-kg.pl##a[href="https://www.mazowieckapark.pl/"]
+e-kg.pl##.l-col__item[style="min-height: 634px;"]
+e-kg.pl##.l-col__item > div[style="max-width: 300px;"]
+e-kg.pl##.l-box__more
+e-kg.pl#?#.l-col > p:has(> a[href="https://starowka.kolobrzeg.pl//"])
+e-kg.pl#?#.l-box--25:not(:has(> div.l-box__box-hot-news))
+! https://github.com/AdguardTeam/AdguardFilters/issues/124097
+zbiam.pl##.ct-shortcode
+zbiam.pl##a[target="_blank"] > img[alt^="reklama"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/124094
+techmaniak.pl,activemaniak.pl,gizmaniak.pl,agdmaniak.pl,rtvmaniak.pl,fotomaniak.pl,tabletmaniak.pl##.alead
+techmaniak.pl,activemaniak.pl,gizmaniak.pl,agdmaniak.pl,rtvmaniak.pl,fotomaniak.pl,tabletmaniak.pl###topMenu-wrapper[style*="min-height:"]
+techmaniak.pl,activemaniak.pl,gizmaniak.pl,agdmaniak.pl,rtvmaniak.pl,fotomaniak.pl,tabletmaniak.pl##.rsidebar > div[style^="margin:0 auto"][style*="px auto; text-align:center;"]
+techmaniak.pl,activemaniak.pl,gizmaniak.pl,agdmaniak.pl,rtvmaniak.pl,fotomaniak.pl,tabletmaniak.pl###post div[style^="margin:10px auto; text-align:center; text-align:center;"]
+techmaniak.pl,activemaniak.pl,gizmaniak.pl,agdmaniak.pl,rtvmaniak.pl,fotomaniak.pl,tabletmaniak.pl###posts > div[style="margin:0px auto 30px auto;"] > div[align][style^="color:#CCCCCC; font-size:10px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/124027
+cenyrolnicze.pl##p > a[target="_blank"] > img[width="100%"][height="NaN"]
+cenyrolnicze.pl##p > a[rel="nofollow"] > img[width="100%"][height="NaN"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/123926
+||api.perspektywy.pl/v*/banners/
+||i.perspektywy.net/pages/*/banners/$image
+! https://github.com/AdguardTeam/AdguardFilters/issues/123917
+mypolitics.pl##img[alt="AD PLACEHOLDER"]
+mypolitics.pl#?#div[class^="sc-"] > div[style^="width:"]:only-child > .adsbygoogle:upward(2)
+! https://github.com/AdguardTeam/AdguardFilters/issues/123918
+||zdrowastrona.pl/images/banners/wez750x100.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/123886
+gazetaprawna.pl##.infor-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/123904
+pobieramy24.xyz#@##ad-slot
+pobieramy24.xyz#$#body #ad-slot { display: block !important; }
+pobieramy24.xyz#%#//scriptlet('prevent-setTimeout', '.offsetHeight')
+pobieramy24.xyz##body > div[style^="display: block; box-sizing: border-box; padding:"][style*="font-weight: bold; font-size:"][style*="text-align: center; position: fixed;"][style*="z-index:"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/123732
+barlinek24.pl#?#.item-page > div:not([class]) > table[align="center"]:has(> tbody > tr > td > p:contains(/^REKLAMA$/))
+! https://github.com/AdguardTeam/AdguardFilters/issues/123731
+||statix.stockwatch.pl/content/*/js/adso.init.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/123647
+terenyinwestycyjne.info##.advert-block-wide
+terenyinwestycyjne.info#?#.news-list > .news-item:has(> .advert-block-wide)
+! https://github.com/AdguardTeam/AdguardFilters/issues/172926
+! https://github.com/AdguardTeam/AdguardFilters/issues/124098
+investmap.pl#%#//scriptlet('prevent-fetch', '/serve/ajs.php')
+investmap.pl##div[height="300px"]:has(> div[class^="sc-"]:only-child > script[async]:not([src]):only-child)
+investmap.pl#?#div:is([height="300px"], [height="250px"]):has(> span[class^="sc-"]:only-child > span[class]:contains(/^REKLAMA$/))
+investmap.pl##article > div[height="250px"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/123490
+respawn.pl##a[href*=".adsrv.eacdn.com/"]
+respawn.pl##a[href^="https://ewinner.pl/"] > img
+respawn.pl##a[href="https://pl.genesis-zone.com/"][target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/123491
+esportnow.pl##aside a[href^="https://bit.ly/"] > img
+esportnow.pl#?#aside > .widget:has(> .textwidget > a[href^="https://bit.ly/"] > img)
+! https://github.com/AdguardTeam/AdguardFilters/issues/123482
+totylkoteoria.pl##.home__sidebar a[href^="https://bit.ly/"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/123539
+granice.pl##.web_widebanner
+granice.pl##div[style^="width:100%;float:left;margin;border-top:"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/123372
+zzapolowy.com###text-12
+zzapolowy.com##.floatBox-bottom
+zzapolowy.com##.sidebar_content > .ranking
+||zzapolowy.com/wp-content/uploads/*/lv-bet-300x600-pakiet-powitalny.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/123373
+pulsgdanska.pl##.c-content__adv
+pulsgdanska.pl##.l-news__content+ div[style="min-height: 362px;"]
+pulsgdanska.pl##.c-content__report + div[style="min-height: 500px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/123460
+stooq.com##table[width="98%"][height="250"][align="center"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/122963
+fajnegotowanie.pl##.banner-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/122926
+topagrar.pl##.article__ad
+topagrar.pl#?#div[data-id="container"]:has(> div[width] > div[id^="adocean"])
+topagrar.pl#?#div[data-id="container"]:has(> div[width] > div[class^="sc-"] > div[data-autoscale-warpper] > div[id^="adocean"])
+topagrar.pl#?#section[class^="sc-"]:has(> div[class^="sc-"] > div[data-id="container"] > div[width] > div[class^="sc-"] > div[data-autoscale-warpper] > div[id^="adocean"])
+topagrar.pl#?#section[class^="sc-"]:has(> div[class^="sc-"] > div[class^="sc-"] > div[data-id="container"] > div[width] > div[class^="sc-"] > div[data-autoscale-warpper] > div[id^="adocean"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/122526
+polscylektorzy.pl#?#section.pane-style--border > .pane-content > p.text-right > small:contains(/^reklama$/):upward(3)
+! https://github.com/AdguardTeam/AdguardFilters/issues/122377
+trek.zone##.tzadvslot
+||tzassets.b-cdn.net/static/js/promo.js
+trek.zone#%#//scriptlet("set-constant", "hasAdBlocker", "falseFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/122158
+agrarlex.pl##div[class^="Ado__"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/122155
+warzywaiowoce.pl##div[id^="gao.res.inside_"]
+warzywaiowoce.pl##a[href^="https://adocean-pl.hit.gemius.pl/"]
+||zniwiarz.topagrar.pl/*/ad.js
+||topagrar.pl/files/js/ado.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/122220
+wielkahistoria.pl##.johannes-sidebar
+! https://github.com/AdguardTeam/AdguardFilters/issues/122221
+historykon.pl##.adv_content
+! https://github.com/AdguardTeam/AdguardFilters/issues/121974
+||tradingshenzhen.com/img/ets_affiliatemarketing/default_banner.jpg
+miuipolska.pl###custom_html-22
+! https://github.com/AdguardTeam/AdguardFilters/issues/141658
+! https://github.com/AdguardTeam/AdguardFilters/issues/121499
+parcfer.me##.sidebar > a[target="_blank"] > .img
+! https://github.com/AdguardTeam/AdguardFilters/issues/121342
+pilkarskiswiat.com##iframe[data-src^="https://bets.pl/"]
+||bets.pl/headerps
+||bets.pl/rectangleps
+||bets.pl^$subdocument,third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/121185
+sadyogrody.pl##.advB
+! https://github.com/AdguardTeam/AdguardFilters/issues/121198
+housemarket.pl##.advB
+! https://github.com/AdguardTeam/AdguardFilters/issues/120825
+footbar.info##a[href^="/go/"][target="_blank"]:not([href="/go/facebook"]) > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/121038
+raportkolejowy.pl##.footbottombar
+! https://github.com/AdguardTeam/AdguardFilters/issues/120015
+farmer.pl##.section-gr
+! https://github.com/AdguardTeam/AdguardFilters/issues/120587
+doba.pl##.ads_row
+doba.pl##.ads_row + .link
+doba.pl##.special__box
+doba.pl##[id^="liliaA"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/120012
+miejscawewroclawiu.pl##.miejs-widget
+! https://github.com/AdguardTeam/AdguardFilters/issues/174583
+xgp.pl##div[class*="-reklama-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/169763
+xgp.pl#%#//scriptlet('set-constant', 'popManager.pops.push', 'noopFunc')
+xgp.pl#%#//scriptlet('set-local-storage-item', 'pop_impressions', '5')
+xgp.pl#%#//scriptlet('trusted-set-local-storage-item', 'pop_impressions_start', '$now$')
+! https://github.com/AdguardTeam/AdguardFilters/issues/159126
+! https://github.com/AdguardTeam/AdguardFilters/issues/144032
+! https://github.com/AdguardTeam/AdguardFilters/issues/127780
+! https://github.com/AdguardTeam/AdguardFilters/issues/119851
+||xgp.pl/wp-content/uploads/*/*/hdrbnr-$image
+xgp.pl###hdrbnr
+xgp.pl##div[id^="xgppl-"] > a[target="_blank"] > img
+xgp.pl##div[class^="adslot_"]
+xgp.pl##.entry-content > div[class$="-target"][style^="margin-left: auto; margin-right: auto; text-align: center;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/119676
+well.pl##.sda-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/119489
+donald.pl##ins[class^="staticpubads"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/119486
+player.polskieradio.pl##div[class$="__advertisement"]
+player.polskieradio.pl##.app > .antena ~ div[style^="position: absolute; width: 100vw; height: 100vh;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/118220
+ceneo.pl##.js_promotedItems
+! https://github.com/AdguardTeam/AdguardFilters/issues/126820
+! https://github.com/AdguardTeam/AdguardFilters/issues/117645
+glivice.pl,slazag.pl,bytomski.pl,piekary.info,twojknurow.pl,nowinytyskie.pl,ngs24.pl,24kato.pl,rudzianin.pl,zabrzenews.pl,chorzowski.pl,tarnowskiegory.info,24zaglebie.pl##.rotatorTop
+glivice.pl,slazag.pl,bytomski.pl,piekary.info,twojknurow.pl,nowinytyskie.pl,ngs24.pl,24kato.pl,rudzianin.pl,zabrzenews.pl,chorzowski.pl,tarnowskiegory.info,24zaglebie.pl#?#.similar__articles__single:has(> div[id^="render-ad-"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/117117
+yachtsmen.eu###page-container > p > a[target="_blank"] > img
+yachtsmen.eu#?#.et_pb_extra_column_sidebar > .yacht-widget:has(> .widgettitle:contains(Reklama))
+! https://github.com/AdguardTeam/AdguardFilters/issues/117042
+ilewazy.pl##.ecomm-content-widget
+||burdaffi.burdamedia.pl/script/init.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/117041
+mamotoja.pl##.c-ad-placement
+mamotoja.pl##div[id^="ecomm-placement-"]
+||tools.mamotoja.pl/*/ad.js
+||tools.mamotoja.pl/files/js/ado.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/117130
+smaker.pl##.block--adv--padding
+smaker.pl##.advert--container
+smaker.pl##.adveet--container
+! https://github.com/AdguardTeam/AdguardFilters/pull/116900
+/\/js\/_[a-zA-Z]{17}\.js$/$domain=rynek-kolejowy.pl|rynek-lotniczy.pl|transport-publiczny.pl|rynekinfrastruktury.pl
+||portalcms.bm5.pl/Ajax/getReklamaRandom.aspx
+! https://github.com/AdguardTeam/AdguardFilters/issues/116656
+oferty.net##.a-d-sHeader
+oferty.net###bb-banner-top
+! https://github.com/AdguardTeam/AdguardFilters/issues/116652
+gratka.pl##.dfp
+! https://github.com/AdguardTeam/AdguardFilters/issues/116407
+disco-polo.info###ad-headernowe2
+! https://github.com/AdguardTeam/AdguardFilters/issues/116339
+mgprojekt.com.pl##.code-block .ai-attributes
+! https://github.com/AdguardTeam/AdguardFilters/issues/115708
+deon.pl##.rv
+deon.pl##.placeholder
+! https://github.com/AdguardTeam/AdguardFilters/issues/115406
+parkiet.com##.advertOuter
+parkiet.com##.addAdvertContainer
+parkiet.com###block-id-content-video-advert
+! https://github.com/AdguardTeam/AdguardFilters/issues/115394
+faktykaliskie.info##.widget-advert_placement
+! https://github.com/AdguardTeam/AdguardFilters/issues/114845
+!+ NOT_OPTIMIZED
+wroclaw.pl##.bigAdBox
+! https://github.com/AdguardTeam/AdguardFilters/issues/143775
+! https://github.com/AdguardTeam/AdguardFilters/issues/114634
+lubimyczytac.pl#$#body { padding-top: 0 !important; }
+lubimyczytac.pl#$##js-AdsTopCollContainer { display: none !important; }
+lubimyczytac.pl#$##js-AdsTopCollContainer ~ .header { top: 0 !important; }
+lubimyczytac.pl#$#.content > main { background-image: none !important; padding-top: 0 !important; }
+lubimyczytac.pl#$#@media (max-width: 768px) { body nav.main-menu { transform: translateY(0) !important; } }
+lubimyczytac.pl#%#//scriptlet('prevent-addEventListener', 'DOMContentLoaded', 'adsContainer')
+lubimyczytac.pl#%#//scriptlet("abort-current-inline-script", "setProp", "adsContainer")
+! https://github.com/AdguardTeam/AdguardFilters/issues/114625
+portalspozywczy.pl##.abc
+portalspozywczy.pl##body .ad:not(#style_important)
+portalspozywczy.pl#?#.left > .box-0:has(> .abc:only-child)
+portalspozywczy.pl#?#main > .one > .pageWidth:has(> .box-0 > .abc)
+portalspozywczy.pl#?#.post_ax > .one > .pageWidth:has(> .box-0 > .abc)
+! https://github.com/AdguardTeam/AdguardFilters/issues/114404
+rynekzdrowia.pl##.abc
+! https://github.com/AdguardTeam/AdguardFilters/issues/119800
+gieldarolna.pl##.sda-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/114319
+farmer.pl##.sad
+! https://github.com/AdguardTeam/AdguardFilters/issues/114118
+purepc.pl##.sidebar > div > a[href^="https://www.lenovo.com/"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/113986
+winterszus.pl##a[href="https://beesafe.pl/kalkulator-oc-ac/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/113253
+mitula.com.pl#@#.adsList
+mitula.com.pl###dfpRightLastContainer
+! https://github.com/AdguardTeam/AdguardFilters/issues/112986
+forexrev.pl##.reklama-footer
+forexrev.pl###sidebar > #text-3
+! https://github.com/AdguardTeam/AdguardFilters/issues/171885
+bitcoin.pl##.widget_media_image > a:not([href*="bitcoin.pl"]) > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/112586
+cryps.pl#?#.sidebar__inner > div[class="widget"]:has(> .widget__notify:contains(/^reklama$/))
+! https://github.com/AdguardTeam/AdguardFilters/issues/112587
+!+ NOT_OPTIMIZED
+thinkapple.pl###post-banner-ad
+thinkapple.pl##a[href^="https://www.salonydenon.pl/promo/"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/109993
+ddbelchatow.pl,portalplock.pl,kutno.net.pl,tulodz.pl,portalplock.pl##.flex-column > .h-100 > div a[target="_blank"] > img[src^="https://storage.googleapis.com/"]
+ddbelchatow.pl,portalplock.pl,kutno.net.pl,portalplock.pl#?#.flex-column > .h-100 > div > h6:contains(/^ Promocja $/)
+tulodz.pl#?#.flex-column > .h-100 > div > h3:contains(/^Promocja$/)
+tulodz.pl#?#.flex-column > .h-100 > div > div > p > span > span:contains(/^PROMOCJA$/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/111010
+gdziepolek.pl##div[class^="jss"][style^="margin-bottom:"][data-ga]
+gdziepolek.pl##div[class^="jss"][style^="margin-bottom:"] > a[target="_blank"] > span > img
+gdziepolek.pl#?#div[class^="jss"][style^="margin-bottom:"] > div.MuiTypography-root:contains(/^reklama$/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/109995
+moja-ostroleka.pl##div[style="width:730px;height:75px;display:block;margin:0 auto;"]
+moja-ostroleka.pl#?##prawa_kolumna > h1.header_kategorie:contains(/^Reklama$/)
+moja-ostroleka.pl#?##prawa_kolumna > h1.header_kategorie:contains(/^Reklama$/) ~ br
+||moja-ostroleka.pl/uploads/banery/
+||moja-ostroleka.pl//uploads/banery/
+! https://github.com/AdguardTeam/AdguardFilters/issues/109929
+wpoznaniu.pl##.g-dyn > a:not([href*="wpoznaniu.pl"]) > img
+wpoznaniu.pl##.g-single > a:not([href*="wpoznaniu.pl"]) > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/110274
+||wielkahistoria.pl/wp-content/uploads/*/*/banner_okupowana.jpg
+wielkahistoria.pl##.johannes-custom-content > .wp-block-image > figure > a[href]:not([href*="wielkahistoria.pl"]) > img
+wielkahistoria.pl#?#.johannes-wrapper > .johannes-section > .container > .section-head > h3:contains(Warto przeczytać)
+! https://github.com/AdguardTeam/AdguardFilters/issues/109184
+||mojakoja.pl/anchor.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/109994
+klodzko24.eu##.addWrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/113062
+ciekawostkihistoryczne.pl#@#.full-width-ad
+ciekawostkihistoryczne.pl##.page-container > a[href^="https://www.empik.com/"][target="_blank"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/107404
+ciekawostkihistoryczne.pl##.placeholderAds
+! https://github.com/AdguardTeam/AdguardFilters/issues/107998
+chojna24.pl###HTML5
+! https://github.com/AdguardTeam/AdguardFilters/issues/107623
+tubagliwic.pl#%#//scriptlet("abort-current-inline-script", "$", "adshowed")
+||dummyimage.com^$domain=tubagliwic.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/108368
+poradnikpracownika.pl##.banner-expandable a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/107619
+biznesradar.pl##.ac--billboard
+! https://github.com/AdguardTeam/AdguardFilters/issues/107381
+pcworld.pl##.ad-mpu2-intertext
+pcworld.pl##.adsense-lazyload-mpu-intertext
+! https://github.com/AdguardTeam/AdguardFilters/issues/176046
+! https://github.com/AdguardTeam/AdguardFilters/issues/107223
+bithub.pl##div[class^="clickout-native_"]
+bithub.pl##div[data-adid] > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/106545
+enowiny.pl##body .hidden-ad-s
+! https://github.com/AdguardTeam/AdguardFilters/issues/107002
+zmiksowani.pl##.gad
+zmiksowani.pl#@#.gadContainer
+zmiksowani.pl#%#//scriptlet("set-constant", "isAdFucker", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/106920
+archeologia.com.pl###custom_html-21
+archeologia.com.pl##.reklamy-kolumna > p[style="font-size:10px"]
+archeologia.com.pl##div[style="”min-height:280px;height:280px;width:100%;text-align:center;”"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/105986
+menmania.pl###text-2
+menmania.pl##.widget_times_ad_widget
+! https://github.com/AdguardTeam/AdguardFilters/issues/105838
+protipster.pl##.upper-banner
+protipster.pl##.display--skin-background
+protipster.pl##.display--bottom-right-popup
+! https://github.com/AdguardTeam/AdguardFilters/issues/105836
+mecze.com##.cool-stuff
+! https://github.com/AdguardTeam/AdguardFilters/issues/105835
+bets.pl##center > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/128457
+histmag.org##div[style="max-width:760px;margin:0 auto"]
+histmag.org##div[style="max-width: 760px; margin: 0px auto;"]
+histmag.org##.p-0[style^="text-align:center;background:"]
+histmag.org##.p-0[style^="text-align: center; background:"]
+histmag.org###content > div[style="display:flex;font-size:14px;margin-top:30px;margin-bottom:5px"]
+histmag.org###content > div[style="display:flex;font-size:14px;margin-top:30px;margin-bottom:5px"] + .py-8
+histmag.org###content > div[style="display:flex;font-size:14px;margin-top:30px;margin-bottom:5px"] + .py-8 + div[style="display:flex;font-size:14px;margin-top:10px;margin-bottom:30px"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/106921
+histmag.org#?##article > div.css-nil:has(> div:contains(REKLAMA))
+histmag.org#?##content > div > p:has(> div.css-nil > div:contains(REKLAMA))
+! https://github.com/AdguardTeam/AdguardFilters/issues/130866
+||onnetwork.tv^$domain=ppe.pl
+ppe.pl##.onnetwork
+ppe.pl#?#.article-list-grid > a[target="_blank"].card:has(> .card > .card__body > .card-body__text > .article-created-at:contains(/^((\n|\t)+)?Reklama((\n|\t)+)?$/))
+! https://github.com/AdguardTeam/AdguardFilters/issues/107056
+ppe.pl##div[class^="banner-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/168060
+! https://github.com/AdguardTeam/AdguardFilters/issues/107049
+joemonster.org###bigSkyAd
+joemonster.org###main_glowna > video[id^="vjs-rcp"]:empty
+joemonster.org###main_billboard
+joemonster.org##.sky-wrapper
+joemonster.org##div[id*="Rect"]
+||joemonster.org/build/js/prebid_*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/106541
+footballdatabase.eu##.akcelo-placeholder
+! discfree.pl - ads
+||discfree.pl/crypto.html
+! https://github.com/AdguardTeam/AdguardFilters/issues/104992
+wiocha.pl###tnewsm
+wiocha.pl###bnews
+wiocha.pl###bnewsm
+wiocha.pl##div[id^="mrectinfo"]
+wiocha.pl##iframe[src^="https://www.wiocha.pl/subpages/"][src*=".php"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/104601
+zoonews.pl##.bsaProItem
+zoonews.pl#?#.elementor-text-editor > span:contains(/^Reklama$/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/104475
+! https://github.com/AdguardTeam/AdguardFilters/issues/104474
+! https://github.com/AdguardTeam/AdguardFilters/issues/104472
+beskidslaski24.pl,slaskaopinia.pl##div[class$="-adlabel"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/106396
+pasazer.com##.adv_body
+pasazer.com##article .adv_in_art
+pasazer.com#%#//scriptlet("prevent-setTimeout", "_checker()")
+!+ NOT_OPTIMIZED
+||pasazer.com/_assets/js/ad-connect.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/106182
+zamkomania.pl#@#.ad_box
+zamkomania.pl#%#//scriptlet("prevent-setTimeout", "advert")
+! https://github.com/AdguardTeam/AdguardFilters/issues/151164
+eurosport.tvn24.pl##.AdContainer
+! https://github.com/AdguardTeam/AdguardFilters/issues/104742
+viva.pl##.placement
+! https://github.com/AdguardTeam/AdguardFilters/issues/104097
+roland-gazeta.pl#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/103605
+energetyka24.com,space24.pl,cyberdefence24.pl,defence24.pl,defence24.com##.partners-module
+energetyka24.com,space24.pl,cyberdefence24.pl,defence24.pl,defence24.com#?#.layout__middle .page-builder-main > section.block:has(> .ad-banner)
+energetyka24.com,space24.pl,cyberdefence24.pl,defence24.pl,defence24.com#?#.layout__middle .page-builder-main > section.block:has(> .partners-module)
+! https://github.com/AdguardTeam/AdguardFilters/issues/103562
+tenpoznan.pl##.code-block
+! https://github.com/AdguardTeam/AdguardFilters/issues/103810
+! https://github.com/AdguardTeam/AdguardFilters/issues/111240
+! https://github.com/AdguardTeam/AdguardFilters/issues/103278
+obserwatorgospodarczy.pl###tie-wrapper > div[style="text-align: center;"] > a:not([href*="obserwatorgospodarczy.pl"]) > img
+obserwatorgospodarczy.pl###tie-wrapper > .stream-item-above-header > a[target="_blank"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/103148
+manutd.pl##a[href*="/aff_c?offer_id="] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/102807
+tonaszregion.pl##aside[id^="smartslider"] div[data-n2click="n2ss.openUrl(event);"]
+tonaszregion.pl#?#aside[id^="smartslider"]:has(div[data-n2click="n2ss.openUrl(event);"])
+tonaszregion.pl#?#.widget_media_image:matches-css(before, content: /^REKLAMA$/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/103100
+rynekzdrowia.pl#?#div[class^="box-"]:has(> div[class] > div[id^="ad"])
+rynekzdrowia.pl#?#.right > div[class^="box-"]:has(> small:contains(PARTNER))
+! https://github.com/AdguardTeam/AdguardFilters/issues/102648
+wroclawskisport.pl##a[href="https://superbet.pl/supergame"] > img
+wroclawskisport.pl##a[href="https://superbet.pl/supergame"] + figcaption
+wroclawskisport.pl#?#.theiaStickySidebar > aside > .widget:has(> h2 > span:contains(/^Partner$/))
+! https://github.com/AdguardTeam/AdguardFilters/issues/102654
+pl.ign.com##a[href^="https://bit.ly/"][target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/102602
+@@||img.dladealera.pl/ads/$domain=budmatauto.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/102329
+mojaolesnica.pl#?#body > div[style*="min-width: 100%;"][style*="float:"]:has(> div[style] > div[style] > div[style]:contains(reklama))
+! https://github.com/AdguardTeam/AdguardFilters/issues/103023
+filmomaniak.pl##.baner-inner2
+! https://github.com/AdguardTeam/AdguardFilters/issues/106209
+sportowebeskidy.pl##a[href^="https://www.betters.pl/"] > img
+||sportowebeskidy.pl/static/upload/store/*_Betters.png
+! https://github.com/AdguardTeam/AdguardFilters/issues/102708
+||sportowebeskidy.pl/static/thumbnail/bananer/
+! https://github.com/AdguardTeam/AdguardFilters/issues/145584
+wpolityce.pl##div[class^="adunit-constant-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/106924
+wpolityce.pl#@#.adunit
+wpolityce.pl##.adunit:not(#widget_playlist)
+! https://github.com/AdguardTeam/AdguardFilters/issues/102534
+wpolityce.pl##div[class*="tile--ad"]
+wpolityce.pl##[class^="publication_"][class*="ad-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/101732
+kryptonotowania.pl##.losowanko
+kryptonotowania.pl#%#//scriptlet("abort-current-inline-script", "baner")
+! https://github.com/AdguardTeam/AdguardFilters/issues/101818
+czasdzieci.pl##div[data-slot="allAds"]
+||czasdzieci.pl/js/a-d-sync.js
+||czasdzieci.pl/js/a-d-manager.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/101731
+browsehappy.pl##a[href^="https://brave.com/"][target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/101730
+kryptoporadnik.pl##.code-block
+kryptoporadnik.pl##a[href^="https://www.kryptoporadnik.pl/przejdz/"][target="_blank"] > img
+kryptoporadnik.pl##a[href^="https://www.kryptoporadnik.pl/przejdz/"][target="_blank"] > span > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/102710
+enowiny.pl##.mnmd-ad-spot
+enowiny.pl##div[data-label="Reklama"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/101874
+udostepnijto.pl#$#body > div.mfp-wrap { display: none !important; }
+udostepnijto.pl#$#body > div.mfp-bg { display: none !important; }
+udostepnijto.pl#$#html { overflow: auto !important; margin-right: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/101608
+||webmagazyn.pl/*/wp-content/uploads/*/300-250pammm-300x250.jpg
+webmagazyn.pl##a[href^="https://www.forexee.com/"][target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/101467
+lowcyburzpim.pl##.lb24-base-list-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/101523
+! https://github.com/AdguardTeam/AdguardFilters/issues/164144
+! https://github.com/AdguardTeam/AdguardFilters/issues/104479
+! https://github.com/AdguardTeam/AdguardFilters/issues/101645
+metro.tv,discoverychannel.pl,tlcpolska.pl,tvnstyle.pl,tvn7.pl,tvnturbo.pl,tvnfabula.pl,hgtv.pl,foodnetwork.pl,travelchanneltv.pl,ttv.pl,tvn24.pl,tvn.pl##.ado-placeholder
+! https://github.com/AdguardTeam/AdguardFilters/issues/101292
+juvepoland.com##a[href="http://www.torggler.pl/"] > img
+||juvepoland.com/wp-content/uploads/*/torggler.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/101291
+atleti.pl##.jl_ads_section
+atleti.pl##a[href="/go/fuksiarz"] > img
+atleti.pl##a[href="/go/fortuna-tv"] > img
+atleti.pl##header ~ div[style="margin: 20px auto; float: left; width: 100%;"]
+||atleti.pl/wp-content/uploads/*/*/fortuna*-laliga.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/101288
+psgonline.pl##.jl_ads_section
+psgonline.pl##a[href="/go/fortuna-tv"] > img
+psgonline.pl##iframe[data-src="https://bets.pl/rectanglepsg"]
+psgonline.pl##header ~ div[style="margin-top: 20px; float: left; width: 100%;"]
+||psgonline.pl/wp-content/uploads/*/*/fortuna*-ligue1*.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/101287
+fcinter.pl##.kompendium > a[href="https://www.iparts.pl"]
+fcinter.pl##a[href^="https://online.efortuna.pl/page?key="] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/101286
+chelseapoland.com##a[href="http://onelink.to/noinn"] > img
+chelseapoland.com##a[href^="https://www.vitasport.pl/"][href*="&utm_medium=banner"]
+||chelseapoland.com/images/noinn.png
+||chelseapoland.com/images/baner_vita_chelsea.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/101285
+devilpage.pl##.banner2
+devilpage.pl###menu_reklama
+devilpage.pl#?#.prawa > #menu_box > h2:contains(/^REKLAMA$/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/101180
+skipol.pl##.makler
+skipol.pl##div[id^="makler-"]
+skipol.pl#$#header { height: 10px !important; }
+skipol.pl#?##content > aside > h2:contains(/^Reklama$/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/101181
+winterszus.pl###text-8
+winterszus.pl##.sidebar-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/164460
+weszlo.com##.re-box-wrap
+! https://github.com/AdguardTeam/AdguardFilters/issues/155370
+weszlo.com##p > a[href^="https://l.facebook.com/l.php?u=https%3A%2F%2Fcan.al%2F"]
+weszlo.com##.ad-placeholder-bg + p[style="text-align: center;"] > a[href^="https://record.fuksiarzaffiliates.pl/"]
+weszlo.com##img[src*="://static.weszlo.com/cdn-cgi/image/quality="][src*=",format=auto/"][src*="/canalpluswidzew.jpg"]
+weszlo.com##img[src*="://static.weszlo.com/cdn-cgi/image/quality="][src*=",format=auto/wp-content/uploads/"][src*="/cashback"]
+||weszlo.com/cdn-cgi/image/quality=*,format=auto/*/canalpluswidzew.jpg
+||weszlo.com/cdn-cgi/image/quality=*,format=auto/wp-content/uploads/*/cashback*.png
+! https://github.com/AdguardTeam/AdguardFilters/issues/140721
+! https://github.com/AdguardTeam/AdguardFilters/issues/137036
+! https://github.com/AdguardTeam/AdguardFilters/issues/102397
+! https://github.com/AdguardTeam/AdguardFilters/issues/101076
+weszlo.com##.post-content-wrap a[href^="https://bit.ly/"] > img
+weszlo.com##.post-content-wrap a[href*="fuksiarz.pl"][href*="utm_"] > img
+weszlo.com##.ad-placeholder-bg
+weszlo.com##body .ad-box
+weszlo.com##a[href*="https://fuksiarz.pl/"][href*="&utm_"]
+weszlo.com##img[src^="https://weszlo.com/wp-content/uploads/"][src*="/prawdziwycashback_"]
+||weszlo.com/wp-content/uploads/*/*/prawdziwycashback_*.png
+! https://github.com/AdguardTeam/AdguardFilters/issues/122845
+! https://github.com/AdguardTeam/AdguardFilters/issues/100572
+@@||hb.improvedigital.com/pbw/headerlift.min.js$domain=gry.pl
+gry.pl##body .advert.mpu
+gry.pl#%#AG_onLoad(function(){const a=()=>{const a=document.querySelector("#wdg_game iframe");a||"function"!=typeof displayGame||displayGame()};a();let b=document.location.href;const c=new MutationObserver(function(c){c.forEach(function(){b!=document.location.href&&(b=document.location.href,setTimeout(a,2e3))})});c.observe(document,{childList:!0,subtree:!0})});
+! https://github.com/AdguardTeam/AdguardFilters/issues/100803
+@@||adocean.pl/ad.xml$domain=imasdk.googleapis.com,badfilter
+@@||adocean.pl/*ad.xml$domain=imasdk.googleapis.com,badfilter
+video.onnetwork.tv#%#//scriptlet("json-prune", "data.adData")
+! https://github.com/AdguardTeam/AdguardFilters/issues/110527
+! https://github.com/AdguardTeam/AdguardFilters/issues/100860
+chili.com#%#//scriptlet('prevent-xhr', '/ad-manager/avod/metadata')
+@@||chili.com/api/v*/ad-manager/avod/metadata?*videoAssetId=
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=chili.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/99560
+@@||olx.org/ads/offer-eligibility$domain=olx.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/160779
+tabletowo.pl##div[id^="oa-360-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/135222
+tabletowo.pl##.cbad
+! https://github.com/AdguardTeam/AdguardFilters/issues/122186
+! https://github.com/AdguardTeam/AdguardFilters/issues/99687
+!+ NOT_OPTIMIZED
+tabletowo.pl##.tabad
+! https://github.com/AdguardTeam/AdguardFilters/issues/100262
+pulsembed.eu#@#iframe[width="600"][height="90"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/99193
+miastodzieci.pl##.md_ad
+miastodzieci.pl##body .r_ov
+miastodzieci.pl##.widget_shwd .weleda
+miastodzieci.pl##.text-center > a[href^="https://bit.ly/"] > img
+||miastodzieci.pl/wp-content/uploads/*/*/screening-*.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/98892
+@@||virpe.cc/includes/js/adver.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/100687
+||skijumping.pl/content/images/banner/
+! https://github.com/AdguardTeam/AdguardFilters/issues/98796
+||beskidlive.pl/images/banners/
+beskidlive.pl#?#.jm-module-in > .jm-module-content > .custom:has(> p[style="text-align: center;"]:contains(/^REKLAMA$/))
+! https://github.com/AdguardTeam/AdguardFilters/issues/173532
+satkurier.pl##div[id^="blok_"][id$="_box_300x250"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/168011
+satkurier.pl##body div[id^="banner_"]
+satkurier.pl##body div[id^="idmnet_horizontal"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/140222
+satkurier.pl##div[id^="m_top_"]
+satkurier.pl##div[id^="m_inside_"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/98413
+satkurier.pl##div[style="width:300px;margin-left:auto;margin-right:auto;margin-bottom:26px"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/28059
+satkurier.pl#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/122428
+! https://github.com/AdguardTeam/AdguardFilters/issues/97571
+dyktanda.pl##a[href^="https://bit.ly/"].highlight
+dyktanda.pl##div[style="width: 100%; display: flex; justify-content: center;"]
+!+ NOT_OPTIMIZED
+dyktanda.pl##footer + aside[class="modal-container modal-container-loaded"]#modal
+! https://github.com/AdguardTeam/AdguardFilters/issues/96623
+zielona-energia.cire.pl##a[href^="https://sklep.semicon.com.pl/"][target="_blank"] img
+zielona-energia.cire.pl##a[href^="https://www.are.waw.pl/"][target="_blank"] img
+zielona-energia.cire.pl#?#div[class^="sc-"]:has(> h3:contains(/^PARTNER SERWISU$/))
+! https://github.com/AdguardTeam/AdguardFilters/issues/98650
+tabletowo.pl##.oiot-inline
+tabletowo.pl##.table-reklama_po_komentarzach
+! https://github.com/AdguardTeam/AdguardFilters/issues/99336
+isokolka.eu,bialostockie.eu,bielsk.eu#?#div[class]:has(> p > span:contains(REKLAMA))
+! https://github.com/AdguardTeam/AdguardFilters/issues/99404
+! https://github.com/AdguardTeam/AdguardFilters/issues/100683
+! https://github.com/AdguardTeam/AdguardFilters/issues/142594
+zarabiajprzez24.pl,nakolei.pl,swiatoze.pl##.code-block
+! https://github.com/AdguardTeam/AdguardFilters/issues/101185
+fly4free.pl#?#div[class^="col-"]:has(> div.placement)
+! https://github.com/AdguardTeam/AdguardFilters/issues/96629
+!+ NOT_OPTIMIZED
+tabletowo.pl##.grad
+tabletowo.pl##.sticky--wrap .sidebar-wrap > .sidebar
+tabletowo.pl##.entry-content > div[style="min-height: 300px;text-align: center;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/117272
+party.pl##.c-ecomm-widget
+||tools.party.pl/files/js/ado.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/117271
+wizaz.pl##.c-ecomm-widget
+! https://github.com/AdguardTeam/AdguardFilters/issues/96537
+wizaz.pl##.c-ad-placement
+wizaz.pl###main #content .page div[id^="ecomm-placement-ssr-wrapper-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/100823
+silesion.pl###block-15
+! https://github.com/AdguardTeam/AdguardFilters/issues/96455
+kinomoc.com##.rkads
+kinomoc.com#$##rk-content { display: none !important; }
+kinomoc.com#$##cn-content { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/122927
+! https://github.com/AdguardTeam/AdguardFilters/issues/97367
+comparic.pl##.akliuiy-single
+comparic.pl##.gkliuiy-single
+comparic.pl##.td-banner-wrap-full
+comparic.pl##.container13
+comparic.pl##.container14
+comparic.pl##.container15
+comparic.pl##.container16
+comparic.pl##.container20
+comparic.pl##.container21
+comparic.pl##.containerRectangle
+comparic.pl##.container2xRectangle
+comparic.pl##a[rel="sponsored"] > img
+comparic.pl#?#.wpb_wrapper > .wpb_text_column > .wpb_wrapper > .containerMainBox:has(> center a[href^="https://lp.tms.pl/lp,daytrading-poradnik?utm_source="] > img)
+comparic.pl#$#.containerBottom { height: 100px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/95956
+cire.pl##img[src^="/files/portal/"][src*="/campaign/"]
+cire.pl#?#h3:only-child:contains(/^REKLAMA$/):upward(1)
+cire.pl#?#div[class^="sc-"]:has(> div:first-child:contains(/^(SPONSORZY PORTALU|PARTNERZY PORTALU)$/) + div:last-child > a[href][target="_blank"] > img)
+||cire.pl/files/portal/*/campaign/$image
+! https://github.com/AdguardTeam/AdguardFilters/issues/164467
+! https://github.com/AdguardTeam/AdguardFilters/issues/95958
+kronikidziejow.pl,spokojnieociazy.pl,fajnegotowanie.pl,aniaradzi.pl,fajnyzwierzak.pl,fajnyogrod.pl,kb.pl##.banner-container
+kronikidziejow.pl,spokojnieociazy.pl,fajnegotowanie.pl,aniaradzi.pl,fajnyzwierzak.pl,fajnyogrod.pl,kb.pl##.entry-content-brief-super
+kronikidziejow.pl,spokojnieociazy.pl,fajnegotowanie.pl,aniaradzi.pl,fajnyzwierzak.pl,fajnyogrod.pl,kb.pl##div[data-banner="onTop"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/95799
+ppe.pl##body .advjs:not(#style_important)
+! https://github.com/AdguardTeam/AdguardFilters/issues/174431
+! https://github.com/AdguardTeam/AdguardFilters/issues/148386
+! https://github.com/AdguardTeam/AdguardFilters/issues/147692
+!+ NOT_OPTIMIZED
+||static.wgospodarce.pl/images/top_banners
+!+ NOT_OPTIMIZED
+wgospodarce.pl##.top-banner
+!+ NOT_OPTIMIZED
+wgospodarce.pl##.ad-taboola
+!+ NOT_OPTIMIZED
+wgospodarce.pl###veedmo_player
+!+ NOT_OPTIMIZED
+wgospodarce.pl##.double-rectangles
+! https://github.com/AdguardTeam/AdguardFilters/issues/126937
+! https://github.com/AdguardTeam/AdguardFilters/issues/95796
+!+ NOT_OPTIMIZED
+wgospodarce.pl##.ad__billboard
+! https://github.com/AdguardTeam/AdguardFilters/issues/97981
+citybuzz.pl##.cbz-widget
+citybuzz.pl##div[class^="cbz-content"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/95378
+silesion.pl##.banner-promotions-wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/95548
+login.wyborcza.pl#@#.ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/94999
+yafud.pl#$#body > .adsbygoogle { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/95343
+exsites.pl#@##ad-slot
+exsites.pl#$#.adsbox#ad-slot { display: block !important; }
+exsites.pl#%#//scriptlet('prevent-setTimeout', '.offsetHeight')
+exsites.pl##body > div[style^="display: block; box-sizing: border-box; padding:"][style*="font-weight: bold; font-size:"][style*="text-align: center; position: fixed;"][style*="z-index:"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/159043
+android.com.pl#@#[class$="-ads"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/128896
+! https://github.com/AdguardTeam/AdguardFilters/issues/115415
+! https://github.com/AdguardTeam/AdguardFilters/issues/96624
+! https://github.com/AdguardTeam/AdguardFilters/issues/95377
+android.com.pl##.banner
+android.com.pl##div[class^="welcome-screen" i]
+forum.android.com.pl##.Anchor-ad
+forum.android.com.pl##.Ad-container
+forum.android.com.pl##.Ad--has-placeholder
+||android.com.pl/wp-json/acpl/v1/campaigns/client
+||static.android.com.pl/plugins/acpl-campaigns/build/client.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/94676
+investmap.pl###app > div[class^="sc-"] > div[class^="sc-"][height="300px"]
+investmap.pl###app > div[class^="sc-"] > div[class^="sc-"][height="300px"] + div[class^="sc-"] > div[class^="sc-"] > div[class^="sc-"][height="250px"]
+investmap.pl#?##app > div[class^="sc-"] > div[class^="sc-"][height="300px"] ~ div[class^="sc-"] > div[class^="sc-"] > span[class^="sc-"]:has(> svg + span)
+! https://github.com/AdguardTeam/AdguardFilters/issues/133072
+focus.pl##.cbad
+! https://github.com/AdguardTeam/AdguardFilters/issues/169788
+! https://github.com/AdguardTeam/AdguardFilters/issues/169787
+! https://github.com/AdguardTeam/AdguardFilters/issues/169790
+mamotoja.pl,polki.pl,viva.pl,national-geographic.pl,kobieta.pl,mojegotowanie.pl,przyslijprzepis.pl,mojpieknyogrod.pl,glamour.pl,elle.pl,wizaz.pl##.ecomm-wide
+mamotoja.pl,polki.pl,viva.pl,national-geographic.pl,kobieta.pl,mojegotowanie.pl,przyslijprzepis.pl,mojpieknyogrod.pl,glamour.pl,elle.pl,wizaz.pl##div[id*="-ssr-wrapper-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/166354
+! https://github.com/AdguardTeam/AdguardFilters/issues/166352
+! https://github.com/AdguardTeam/AdguardFilters/issues/166351
+||cdn.12341234.pl/editag/*/prod/editag.min.js
+mamotoja.pl,polki.pl,viva.pl,national-geographic.pl,kobieta.pl,mojegotowanie.pl,przyslijprzepis.pl,mojpieknyogrod.pl,glamour.pl,elle.pl##.ecomm-boxd
+mamotoja.pl,polki.pl,viva.pl,national-geographic.pl,kobieta.pl,mojegotowanie.pl,przyslijprzepis.pl,mojpieknyogrod.pl,glamour.pl,elle.pl##.ecomm-ucnkaees
+mamotoja.pl,polki.pl,viva.pl,national-geographic.pl,kobieta.pl,mojegotowanie.pl,przyslijprzepis.pl,mojpieknyogrod.pl,glamour.pl,elle.pl##.ecomm-narrow
+mamotoja.pl,polki.pl,viva.pl,national-geographic.pl,kobieta.pl,mojegotowanie.pl,przyslijprzepis.pl,mojpieknyogrod.pl,glamour.pl,elle.pl##.c-ecomm-widget
+! https://github.com/AdguardTeam/AdguardFilters/issues/124185
+! https://github.com/AdguardTeam/AdguardFilters/issues/101658
+! https://github.com/AdguardTeam/AdguardFilters/issues/94659
+burda.pl,mojegotowanie.pl,przyslijprzepis.pl,glamour.pl,elle.pl,national-geographic.pl,mojpieknyogrod.pl,kobieta.pl,polki.pl##.pending-ad
+mojegotowanie.pl##p[style^="font-size: 11px; margin-bottom: 0; text-align: center;"]
+mojpieknyogrod.pl,polki.pl,elle.pl,kobieta.pl,przyslijprzepis.pl,glamour.pl,mojegotowanie.pl##div[id^="ecomm-placement-"]
+mojpieknyogrod.pl,claudia.pl,elle.pl,focus.pl,mojegotowanie.pl,przyslijprzepis.pl,glamour.pl##.advertising-box-wrapper
+mojpieknyogrod.pl,claudia.pl,elle.pl,focus.pl,kobieta.pl,przyslijprzepis.pl,glamour.pl##.menu-container ~ p[style^="font-size: 11px; margin-bottom: 0; text-align: center;"]
+mojpieknyogrod.pl,claudia.pl,elle.pl,focus.pl,kobieta.pl,mojegotowanie.pl,przyslijprzepis.pl,glamour.pl##.advertising-billboard
+claudia.pl,elle.pl,focus.pl,kobieta.pl,mojegotowanie.pl,przyslijprzepis.pl,glamour.pl##.plista_container
+claudia.pl,elle.pl,focus.pl,kobieta.pl,mojegotowanie.pl,przyslijprzepis.pl,glamour.pl##div[id$="-po-calosci-container"]
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=noopjs,important,domain=claudia.pl|elle.pl|focus.pl|kobieta.pl|mojegotowanie.pl|przyslijprzepis.pl|glamour.pl
+kobieta.pl##.advertising-box
+przyslijprzepis.pl,mojegotowanie.pl##.rc
+przyslijprzepis.pl#?#.recipe-index > .row > .box-item > div[data-widget="plista_widget_infeed"]:upward(1)
+! https://github.com/AdguardTeam/AdguardFilters/issues/100893
+temi.pl##.gtmi
+! https://github.com/AdguardTeam/AdguardFilters/issues/94537
+skrotymeczow.pl##.snippet > .table
+skrotymeczow.pl##[class^="cool-stuff"]
+skrotymeczow.pl##.cnt > p > a[href^="https://skrotymeczow.pl/bukmacher/r/"] > img
+skrotymeczow.pl##.cnt > p > a[href^="https://skrotymeczow.pl/bukmacher/r/"] > div.main-image
+! https://github.com/AdguardTeam/AdguardFilters/issues/123674
+! https://github.com/AdguardTeam/AdguardFilters/issues/94663
+national-geographic.pl##.advertising-box-wrapper
+national-geographic.pl##div[id^="ecomm-placement-"]
+national-geographic.pl##.plista_container
+national-geographic.pl###kultowy-1-container
+national-geographic.pl###kopia-kultowy-ng-container
+national-geographic.pl##.advertising-billboard
+national-geographic.pl##.menu-container ~ p[style^="font-size: 11px; margin-bottom: 0; text-align: center;"]
+national-geographic.pl#?#.content-content > h2.ng-header:contains(/^(SKLEP KULTOWY|To również cię zainteresuje)$/)
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=noopjs,important,domain=national-geographic.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/94749
+drhtv.com.pl##.banner1 > b ~ center > img
+drhtv.com.pl#?#.banner1 > b > font[color="red"]:contains(/^!REKLAMA!/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/94657
+! https://github.com/AdguardTeam/AdguardFilters/issues/94523
+rp.pl##.advertOuter
+rp.pl##.addAdvertContainer
+rp.pl###block-id-content-video-advert
+energia.rp.pl##div[class*="advert"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/103573
+whitemad.pl#?#.cb-site-padding > div.cb-grid-block:not([class*="cb-s-"]):has(> div.cb-single-link > div.cb-grid-feature a[href^="https://www.asus.com/"])
+||whitemad.pl/wp-content/uploads/*/OLED_WHITEMAD.jpg
+||whitemad.pl/wp-content/uploads/*/baner-internorm-
+||whitemad.pl/wp-content/uploads/*/*-750x300-
+whitemad.pl##a[href^="https://www.axor-design.com/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/94191
+motohigh.pl##.code-block > video[id="vjs-rcp1"]:empty
+! https://github.com/AdguardTeam/AdguardFilters/issues/103890
+! https://github.com/AdguardTeam/AdguardFilters/issues/95818
+! https://github.com/AdguardTeam/AdguardFilters/issues/94121
+!+ NOT_OPTIMIZED
+chip.pl##.sticky-sb-on.sidebar-wrap > .sidebar
+!+ NOT_OPTIMIZED
+chip.pl##.cbad
+!+ NOT_OPTIMIZED
+chip.pl##.fc-sidebar > .fc-widget
+! https://github.com/AdguardTeam/AdguardFilters/issues/93806
+futbolnews.pl##.floatBox-bottom
+futbolnews.pl##.box-banner img
+futbolnews.pl##.box-articles .box-banner
+futbolnews.pl##.box-sidebar > .box-banner + .container-ranking
+! https://github.com/AdguardTeam/AdguardFilters/issues/93809
+transfery.info##.advert
+transfery.info#?#.article-links > .article-link > time.text-muted:contains(/^Reklama$/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/93807
+pilkarskiswiat.com###secondary > #custom_html-37
+pilkarskiswiat.com##center > a[href*="/go/"][target="_blank"] > img
+pilkarskiswiat.com##iframe[data-src="https://typuje.pl/rectangle"]
+||typuje.pl/rectangle
+! https://github.com/AdguardTeam/AdguardFilters/issues/93357
+niebezpiecznik.pl###main > div > .promobox > a[href^="https://niebezpiecznik.pl/"][href*=".php"][target="_blank"] > img
+niebezpiecznik.pl###main > div > .promobox + div[style] > a[href^="https://niebezpiecznik.pl/"][href*=".php"][target="_blank"] > img
+niebezpiecznik.pl###main > .container > .posts-section > .section-content > a[href^="https://niebezpiecznik.pl/"][href*=".php"][target="_blank"] > img
+niebezpiecznik.pl##footer > a[href^="https://niebezpiecznik.pl/"][href*=".php"][target="_blank"] > img
+niebezpiecznik.pl###main > .post + a[href^="https://niebezpiecznik.pl/"][href*=".php"][target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/180763
+meczyki.pl##.screening
+meczyki.pl#$#.has-screening { background-image: none !important; cursor: auto !important; }
+meczyki.pl#%#//scriptlet('prevent-window-open', 'bit.ly')
+! https://github.com/AdguardTeam/AdguardFilters/issues/139579
+meczyki.pl##.content > .grid-news-slider > :is(.large, .news-item):has(> a[rel] .ads-info)
+meczyki.pl##div[class^="col-md-"] > .row > div[class^="col"] > .widget-wrapper:has(> .widget-wrapper__header > h3[title="Bukmacherzy"])
+!+ NOT_OPTIMIZED
+meczyki.pl##.background-custom[style*="width:"][style*="height:"][style*="background-image:"]
+!+ NOT_OPTIMIZED
+meczyki.pl##.collapse-container > .row > .col-lg-4:has(> a[target="_blank"] > .news-item > .news-image > .ads-info)
+! https://github.com/AdguardTeam/AdguardFilters/issues/137668
+meczyki.pl##.container > .row > .col-md-4 > .widget-wrapper:has(> .widget-wrapper__header > h3[title="Bukmacherzy"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/127537
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=meczyki.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/167888
+! https://github.com/AdguardTeam/AdguardFilters/issues/133133
+! https://github.com/AdguardTeam/AdguardFilters/issues/122266
+! https://github.com/AdguardTeam/AdguardFilters/issues/102867
+! https://github.com/AdguardTeam/AdguardFilters/issues/101259
+! https://github.com/AdguardTeam/AdguardFilters/issues/94538
+! https://github.com/AdguardTeam/AdguardFilters/issues/93480
+meczyki.pl#$#:not(.onnetwork-banner) > .placeholder:not(.onnetwork-banner) { height: 0 !important; min-height: 0 !important; visibility: hidden !important; }
+meczyki.pl##.d-none > .sticky.margin > .box.margin[data-area-id]
+meczyki.pl##body .ejected-banner
+meczyki.pl##.news-banner
+meczyki.pl##body .banner
+meczyki.pl##.bookie-wrapper
+meczyki.pl##div[data-area-id] > a[href^="https://bit.ly/"]
+meczyki.pl##div[id^="screeningBackground"]
+!+ NOT_OPTIMIZED
+meczyki.pl##.zabka-overlay > .content-news-image + .box > img.jush-logo
+!+ NOT_OPTIMIZED
+meczyki.pl##.zabka-overlay > .content-news-image + .box > img.jush-logo + .content
+!+ NOT_OPTIMIZED
+meczyki.pl#$#.zabka-overlay { background: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/93573
+||ustawlige.com/assets/*/sponsors/
+! gg.pl - ad leftovers
+gg.pl###sr-advert-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/92399
+hellozdrowie.pl##.adf-cont
+! https://github.com/AdguardTeam/AdguardFilters/issues/91886
+energetyka24.com#?#.news-text > figure > a[target="_blank"] + figcaption > main:contains(/^Reklama$/):upward(1)
+! https://github.com/AdguardTeam/AdguardFilters/issues/103435
+! https://github.com/AdguardTeam/AdguardFilters/issues/94535
+! https://github.com/AdguardTeam/AdguardFilters/issues/90779
+!+ NOT_OPTIMIZED
+whatnext.pl,whatsnext.pl##.wnbad
+!+ NOT_OPTIMIZED
+whatnext.pl,whatsnext.pl##.widgets-skin-4
+!+ NOT_OPTIMIZED
+whatnext.pl,whatsnext.pl##div[style^="min-height:"][style*="background-color: #"][style*="margin-bottom:"]
+!+ NOT_OPTIMIZED
+whatnext.pl,whatsnext.pl#?#.sidebar-wrap > .sidebar > #text-29 > .textwidget > div[style^="min-height:"][style*="background-color: #"][style*="margin-bottom:"]:upward(3)
+! https://github.com/AdguardTeam/AdguardFilters/issues/90749
+itbiznes.pl##.code-block[data-ai] > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/90748
+francuskie.pl##.jeg_sidebar #custom_html-12
+! https://github.com/AdguardTeam/AdguardFilters/issues/90746
+salon24.pl##.idsl--bg
+! https://github.com/AdguardTeam/AdguardFilters/issues/90768
+||player.nadmorski24.pl/video_file/$media,redirect=noopmp3-0.1s
+! https://github.com/AdguardTeam/AdguardFilters/issues/90405
+zamosc.tv##.banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/90324
+viva.pl##div[id^="ecomm-placement-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/113007
+brief.pl##div[id^="brief-"] > a:not([href*="brief.pl"]) > img
+brief.pl##.sticked-sidebar > a:not([href*="brief.pl"]) > img
+brief.pl##.sidebar > .brief-widget > a:not([href*="brief.pl"]) > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/103797
+brief.pl#?#.vc_separator-has-text > h4:contains(/^Reklama$/)
+brief.pl#?#.primary-sidebar-widget > .section-heading > span:contains(/^Reklama$/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/89747
+||brief.pl/wp-content/uploads/*/*/*-Banner-*.gif
+brief.pl##.col-sm-4.sidebar-column > .sidebar > #better-social-counter-2 + .primary-sidebar-widget
+! https://github.com/AdguardTeam/AdguardFilters/issues/89900
+pornofan.pl###inplayerADS
+pornofan.pl##.PublicitaDestra
+! https://github.com/AdguardTeam/AdguardFilters/issues/89573
+pit.pl##.padded > div[id^="sas_"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/132544
+!+ NOT_OPTIMIZED
+antyweb.pl##.banner
+!+ NOT_OPTIMIZED
+antyweb.pl#?#.pb-12 > .relative > .post-content[style*="min-height:"]:has(> .mb-8 > .banner)
+! https://github.com/AdguardTeam/AdguardFilters/issues/131299
+!+ NOT_OPTIMIZED
+antyweb.pl##.container[style="min-height:300px;"]
+!+ NOT_OPTIMIZED
+antyweb.pl##.container[style="min-height: 300px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/116086
+! https://github.com/AdguardTeam/AdguardFilters/issues/90851
+!+ NOT_OPTIMIZED
+antyweb.pl##.section__banner
+!+ NOT_OPTIMIZED
+antyweb.pl##.banner--place
+! https://github.com/AdguardTeam/AdguardFilters/issues/149389
+obserwatorlogistyczny.pl#$#html { overflow: auto !important; }
+obserwatorlogistyczny.pl#$#.pum-overlay[data-popmake*="plako-systems"] { display: none !important; }
+obserwatorlogistyczny.pl#$#html.pum-open.pum-open-overlay.pum-open-scrollable body > :not([aria-modal=true]) { padding-right: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/121230
+! https://github.com/AdguardTeam/AdguardFilters/issues/88732
+obserwatorlogistyczny.pl###top-rek
+obserwatorlogistyczny.pl###tie-wrapper > .stream-item-above-header > a[target="_blank"]
+||obserwatorlogistyczny.pl/wp-content/uploads/*/Banner-1PT.png
+! medonet.pl - ad leftovers
+medonet.pl##.mainHolder > .slot-covid-meter
+! noizz.pl - ad leftovers
+noizz.pl##.onet-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/88267
+hij.com.pl#?##mvp-home-body > .clearfix + article > h1:contains(/^Reklama$/)
+hij.com.pl#?##mvp-home-body > .clearfix + article > h1:contains(/^Reklama$/) + .master-slider-parent
+! https://github.com/AdguardTeam/AdguardFilters/issues/88206
+socialpress.pl##article > .image-wraper + div[style^="width: 300px; height: auto;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/88224
+pzgolf.pl##.ban_static
+||pzgolf.pl/wp-content/ad/$subdocument
+! https://github.com/AdguardTeam/AdguardFilters/issues/87929
+brd24.pl###mvp-leader-wrap
+||brd24.pl/wp-content/uploads/*/reklama-alco-sense.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/87295
+ofeminin.pl##.marketPlaceWidget
+! https://github.com/AdguardTeam/AdguardFilters/issues/86626
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=videotarget.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/137934
+wiadomosci.onet.pl##div[data-slot-img-width="300"][data-slot-img-height="168"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/180083
+! https://github.com/AdguardTeam/AdguardFilters/issues/164464
+! https://github.com/AdguardTeam/AdguardFilters/issues/127266
+wyniki.onet.pl,przegladsportowy.onet.pl##aside[class^="FlatBoxLeft_flat-boxleft"]
+wyniki.onet.pl,przegladsportowy.onet.pl##aside[class^="Widget_placeholderWidget__"]
+wyniki.onet.pl,przegladsportowy.onet.pl##aside[class^="FlatPanel2_placeholderFlatPanel2__"]
+wyniki.onet.pl,przegladsportowy.onet.pl##aside[class^="FlatBoxRight_"]
+wyniki.onet.pl,przegladsportowy.onet.pl##aside[class^="Left_placeholderLeft_"]
+wyniki.onet.pl,przegladsportowy.onet.pl##aside[class^="Top_placeholderTop"]
+wyniki.onet.pl,przegladsportowy.onet.pl##aside[class^="Panel_placeholderPanel_"]
+wyniki.onet.pl,przegladsportowy.onet.pl#$#header ~ div[class^="Carousel_wrapper"] > #fixtures-carousel > div[class^="Carousel_carouselContainer__"] { margin-left: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/128992
+konto.onet.pl##div[data-testid="ad-slot-container"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/146730
+! https://github.com/AdguardTeam/AdguardFilters/issues/142781
+plejada.pl,onet.pl##.adsContainer
+! https://github.com/AdguardTeam/AdguardFilters/issues/109198
+onet.pl##.desktop-ad-placeholder
+onet.pl##div[class^="AdSlotPlaceholder_placeholder"]
+onet.pl#$#.onet-ad:not(#flat-ikona) { position: absolute!important; left: -3000px!important; top: -9999px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/87224
+onet.pl##div[class^="AdPlaceholder_"]
+onet.pl##aside[class^="CenterAd_container"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/86633
+meczdej.pl###zox-lead-bot
+meczdej.pl##.zox-post-ad-wrap
+! https://github.com/AdguardTeam/AdguardFilters/issues/86357
+dziennikzachodni.pl##.atomsCell
+dziennikzachodni.pl##div[id^="atomsAds"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/184687
+! https://github.com/AdguardTeam/AdguardFilters/issues/84782
+!+ NOT_OPTIMIZED
+forbes.pl##.placeholder
+! https://github.com/AdguardTeam/AdguardFilters/issues/84630
+meczyki.pl##.vi-ai-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/86474
+||e-hotelarz.pl/grafika/grafika.php
+e-hotelarz.pl##.pws-reklama
+e-hotelarz.pl###page > .pws-reklama+ br
+! https://github.com/AdguardTeam/AdguardFilters/issues/84684
+przegladsportowy.pl##.adPlaceholder
+! https://github.com/AdguardTeam/AdguardFilters/issues/122972
+! https://github.com/AdguardTeam/AdguardFilters/issues/84115
+@@||ocdn.eu/ucs/static/*Piano/*/build/amd/floatingAd.js$domain=newsweek.pl
+!+ NOT_OPTIMIZED
+newsweek.pl##.pwAds
+!+ NOT_OPTIMIZED
+newsweek.pl##.placeholder-flat-hpl
+!+ NOT_OPTIMIZED
+newsweek.pl##.placeholder[data-run-module*=".placeholders"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/84356
+polskieszlaki.pl#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/84262
+gifyagusi.pl#$##wrapfabtest { height: 1px !important; }
+gifyagusi.pl#%#//scriptlet("set-constant", "adsbygoogle.loaded", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/83763
+!+ NOT_OPTIMIZED
+gsmmaniak.pl###topMenu > #topMenu-wrapper[style^="width:"][style*="min-height:"]
+mobimaniak.pl,gsmmaniak.pl##.rsidebar > div[style="margin:0 auto 20px auto; text-align:center;"]
+mobimaniak.pl,gsmmaniak.pl##.rsidebar > div[style="margin:0 auto 10px auto; text-align:center; font-size:6px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/83653
+film.org.pl##.pubs
+! https://github.com/AdguardTeam/AdguardFilters/issues/83885
+@@||lpg-forum.pl/ad-blocker.js
+lpg-forum.pl#%#//scriptlet("prevent-setTimeout", "$('#overlay').fadeIn")
+! https://github.com/AdguardTeam/AdguardFilters/issues/83391
+niebezpiecznik.pl#?##sidebar > ul > li[id^="custom_html-"] > h2.widgettitle:contains(/^Reklama$/):upward(1)
+! https://github.com/AdguardTeam/AdguardFilters/issues/116651
+lamoda.pl###ad-top-holder
+@@||marketplace.ofeminin.pl/static/$domain=lamoda.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/83216
+lamoda.pl##.onet-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/82705
+mymma.pl##.show-lg > a[target="_blank"] > img
+mymma.pl##[class$="idebar"] #custom_html-3
+! https://github.com/AdguardTeam/AdguardFilters/issues/82787
+ellalanguage.com#?#div[id^="custom_html-"]:has(ins.adsbygoogle)
+ellalanguage.com##p > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/82270
+zaufanatrzeciastrona.pl###sidebar > a[target="_blank"]:not([href*="zaufanatrzeciastrona.pl"]) > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/82073
+techmaniachd.pl###sidebar-right-1 > #HTML1
+techmaniachd.pl###sidebar-right-1 > #HTML7
+techmaniachd.pl###sidebar-right-1 > #HTML8
+techmaniachd.pl###sidebar-right-1 > #HTML3
+techmaniachd.pl###sidebar-right-1 > #HTML10
+! https://github.com/AdguardTeam/AdguardFilters/issues/82040
+bajeczki.org##.site-content > .vjs-ex-mcn-video
+bajeczki.org##a[onclick*="https://www.greatdexchange.com/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/81656
+pulsgdanska.pl##.l-ad-top
+! https://github.com/AdguardTeam/AdguardFilters/issues/182412
+gry-online.pl##.cld-ban1-c
+! https://github.com/AdguardTeam/AdguardFilters/issues/135291
+events.gry-online.pl##.rulgol2020-ban
+events.gry-online.pl#$#body { background-image: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/113093
+gry-online.pl#@#.adspace
+gry-online.pl#%#//scriptlet("set-constant", "adbstatus", "false")
+gry-online.pl##.top-extra-tlo > #baner-outer ~ div[id] > a[style^="display:block;width:100%;max-width:"] > img[src^="/im/"]
+! Fixes video player, for example here - https://www.gry-online.pl/newsroom/w-maju-robi-sie-tak-tloczno-od-ciekawych-premier-ze-indika-uciekl/z528fad
+gry-online.pl#%#(function(){var a={cmd:[],public:{getVideoAdUrl:function(){},createNewPosition:function(){},refreshAds:function(){},setTargetingOnPosition:function(){},getDailymotionAdsParamsForScript:function(c,a){if("function"==typeof a)try{if(1===a.length){a({})}}catch(a){}}}};a.cmd.push=function(b){let a=function(){try{"function"==typeof b&&b()}catch(a){}};"complete"===document.readyState?a():window.addEventListener("load",()=>{a()})},window.jad=a})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/81088
+tvgry.pl,gry-online.pl###baner-outer
+! https://github.com/AdguardTeam/AdguardFilters/issues/80563
+24ur.com##.site-adcontent
+24ur.com##onl-eurojackpot-teaser
+24ur.com##onl-iframe-banner
+24ur.com##onl-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/79940
+mambiznes.pl##.a-zone
+! https://github.com/AdguardTeam/AdguardFilters/issues/87661
+skmedix.pl###__nuxt > div > .text-center[style^="position: fixed; bottom:"][style*="background-color"]
+skmedix.pl#@#[id^="aswift_"]
+skmedix.pl#@#ins.adsbygoogle[data-ad-slot]
+skmedix.pl#$#body .textads.adsbox { display: block !important; height: 2px !important; }
+skmedix.pl#%#AG_onLoad(function(){var a=document.querySelector("body");document.location.hostname.includes("skmedix.pl")&&a&&a.insertAdjacentHTML("beforeend",'')});
+skmedix.pl#%#//scriptlet('set-constant', 'skl', 'true')
+@@||skmedix.pl/*/*.js$~third-party
+!+ NOT_PLATFORM(ext_ublock)
+skmedix.pl#$#.adsbygoogle { height: 3px !important; display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/78855
+straganzdrowia.pl##.strag-widget
+! https://github.com/AdguardTeam/AdguardFilters/issues/127044
+faktopedia.pl,mistrzowie.org##.evo_rect
+/res/*/*prebid-revision*.js$domain=demotywatory.pl|faktopedia.pl|mistrzowie.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/78327
+||video.onnetwork.tv^$domain=demotywatory.pl
+demotywatory.pl##article > .demotivator > video[id="vjs-rcp1"]:empty
+! kursjs.pl - antiadblock
+@@||kursjs.pl/js/ads-prebid.js
+kursjs.pl#%#//scriptlet("set-constant", "canRunAds", "true")
+! variatkowo.pl - antiadblock
+@@||variatkowo.pl/wp-content/*/dh-anti-adblocker/assets/js/prebid-ads-*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/76989
+businessinsider.com.pl##.onet-ad
+businessinsider.com.pl##.adsContainer
+businessinsider.com.pl##.adSlotWidget
+businessinsider.com.pl###main > .sH_bottom_first
+businessinsider.com.pl##[class*="placeholder"][data-configuration*="slotName"][data-run-module$="Ad"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/75192
+portal-polski.pl##a[href^="https://webep1.com/"] > img
+portal-polski.pl#$#.hustle_module_id_4 { display: none !important; }
+portal-polski.pl#$#html.hustle-no-scroll[class] { overflow: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/74462
+disco-polo.info##.text-center > span[class="font8 text-muted"]
+||disco-polo.info/uploads/banery/reklama-kup-2021jpg.jpg.webp
+! https://github.com/AdguardTeam/AdguardFilters/issues/141038
+! https://github.com/AdguardTeam/AdguardFilters/issues/74632
+poczta.onet.pl##.main-container > div[class^="go"]:only-child > nav + div[class^="go"] > div[class^="go"]:first-child:has(> div[class^="go"]:first-child + div[class^="go"]:last-child > .onet-ad:only-child)
+poczta.onet.pl##.main-container > div[class^="go"]:only-child > nav + div[class^="go"] > div[class^="go"] > nav + div[class^="go"]:last-child > div[class^="go"]:last-child:has(> div[class^="go"]:only-child > div[class^="go"]:only-child > div[class^="go"]:first-child + .onet-ad:last-child)
+kontakty.onet.pl###app > div[class^="go"]:only-child > nav + div[class^="go"] > div[class^="go"]:first-child:has(> div[class^="go"]:first-child + .onet-ad:last-child)
+kontakty.onet.pl###app > div[class^="go"]:only-child > nav + div[class^="go"] + div[class^="go"]:has(> div[class^="go"]:only-child > button.cta:first-child + div[class^="go"]:last-child > div[class^="go"]:first-child + .onet-ad:last-child)
+poczta.gazeta.pl,kontakty.onet.pl,poczta.onet.pl##div[class^="styles__SlotRightColumn-"]
+poczta.gazeta.pl,kontakty.onet.pl,poczta.onet.pl##div[class^="styles__SlotTopContainer-"]
+poczta.gazeta.pl,kontakty.onet.pl,poczta.onet.pl#?#.is-detail-view > div[class^="go"]:has(> #onet-ad-flat-natmailing)
+poczta.gazeta.pl,kontakty.onet.pl,poczta.onet.pl#?##wrapper div:not([class], [id]) > div[class^="go"]:only-child:contains(/^(?:Reklama$|Dzięki reklamom korzystasz)/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/74204
+boomerang-tv.pl##div.mpu_inner
+boomerang-tv.pl##header .leaderboard
+! https://github.com/AdguardTeam/AdguardFilters/issues/77914
+speedtest.pl##a[href^="https://track.adform.net/"]
+speedtest.pl##a[href*="//ad.doubleclick.net/"]
+speedtest.pl##center > a[href^="https://www.play.pl/oferta/"][target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/73563
+wiesci24.pl##.wiesc-adlabel
+! https://github.com/AdguardTeam/AdguardFilters/issues/72963
+player.chillizet.pl,player.meloradio.pl#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/149764
+! https://github.com/AdguardTeam/AdguardFilters/issues/115327
+otomoto.pl##.slot-placeholder
+otomoto.pl##div[data-testid="underlying_banner"]
+! otomoto.pl - ads
+otomoto.pl##a[href][data-testid="banner-link"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/72809
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=soisk.pl
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,important,domain=soisk.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/71715
+pobierzgrepc.com##a[href^="http://download-file.ml/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/71392
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=ottwow.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/165103
+jeja.pl###top > .top-wrap
+! jeja.pl - skip ads in games
+jeja.pl#%#//scriptlet('set-constant', '_goad', '0')
+jeja.pl#%#//scriptlet('adjust-setTimeout', 'show_game', '*', '0.001')
+jeja.pl#%#AG_onLoad(function() { setTimeout(function() { if(typeof show_game_iframe === "function") { show_game_iframe(); } }, 1000); });
+! https://github.com/AdguardTeam/AdguardFilters/issues/71410
+jeja.pl#@##bottomAd
+jeja.pl#%#//scriptlet('prevent-setTimeout', 'adBlockDetected')
+! https://github.com/AdguardTeam/AdguardFilters/issues/173102
+! https://github.com/AdguardTeam/AdguardFilters/issues/153657
+! https://github.com/AdguardTeam/AdguardFilters/issues/72558
+mojanorwegia.pl###green-bar
+mojanorwegia.pl###taxes-start-2023
+mojanorwegia.pl###wkp
+mojanorwegia.pl##.newArticleA
+mojanorwegia.pl##div[class*="ad_"]
+mojanorwegia.pl##.animatedA
+mojanorwegia.pl##.advertisment-info
+! https://github.com/AdguardTeam/AdguardFilters/issues/71093
+poscigi.pl##.bsaPopupWrapper
+poscigi.pl##.bsaPopupWrapperBg
+! https://github.com/AdguardTeam/AdguardFilters/issues/118219
+bankier.pl##.adevert-box
+bankier.pl##.article-adv
+bankier.pl##.o-top-three-offers-box
+bankier.pl###bankier-store-short-close-box
+bankier.pl##a.o-ecom-box__link[href^="https://www.bankier.pl/e/lead/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/71054
+bankier.pl#%#//scriptlet('remove-class', 'async-hide', 'html')
+bankier.pl###article-link-box > a[href^="https://s.bankier.pl/"].o-article-link-box__anchor
+! https://github.com/AdguardTeam/AdguardFilters/issues/80222
+! https://github.com/AdguardTeam/AdguardFilters/issues/70571
+tapetus.pl,tapeciarnia.pl#$#body .adsbygoogle { display: block!important; height: 1px!important; }
+tapetus.pl,tapeciarnia.pl#$#body #aswift_0_expand { display: block!important; height: 1px!important; }
+tapetus.pl,tapeciarnia.pl#$#body #aswift_1_expand { display: block!important; height: 1px!important; }
+tapetus.pl,tapeciarnia.pl#$#body #aswift_2_expand { display: block!important; height: 1px!important; }
+tapetus.pl,tapeciarnia.pl#%#//scriptlet('remove-cookie', 'adblock')
+tapetus.pl,tapeciarnia.pl#%#AG_onLoad(function() { if( typeof sprawdz_czy_adblock === 'function' ) { sprawdz_czy_adblock = function() {}; } });
+tapetus.pl,tapeciarnia.pl#?#div[style^="font-family: Arial, sans-serif; color: rgb(136, 136, 136); font-size: 9px;"]:contains(/^REKLAMA$/)
+tapetus.pl##center > div[style^="box-sizing: border-box; padding:"] > div[style^="font-family: Arial, sans-serif; color:"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/70130
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=elle.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/130339
+encyklopedia.pwn.pl##.banner
+! sjp.pwn.pl - ad leftovers
+sjp.pwn.pl##.banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/69894
+pwn.pl,translatica.pl###top-banners
+! https://github.com/AdguardTeam/AdguardFilters/issues/69069
+eska.pl#%#//scriptlet("set-constant", "sas.cmp", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/68007
+eurogamer.pl##.mpu
+eurogamer.pl##.desktop-mpu
+! tracktrace.dpd.com.pl - ads
+tracktrace.dpd.com.pl#$#.banner-side-bar { visibility: hidden !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/176228
+! https://github.com/AdguardTeam/AdguardFilters/issues/68365
+beskidzka24.pl###sidebar-primary > .widget_custom_html .banner-line + * img
+beskidzka24.pl##.banner-line
+! https://github.com/AdguardTeam/AdguardFilters/issues/68130
+@@||media.polsatnews.pl^$generichide
+media.polsatnews.pl#@#[class$="-ads"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/67670
+limanowa.in###topBanner
+limanowa.in##img[src^="/app/default/assets/ads/"]
+! ppe.pl - ads
+ppe.pl#%#AG_onLoad(function(){var a=document.querySelector("#hot_0 > .slider-items");if(a&&getComputedStyle&&"none"===getComputedStyle(a,null).display){a=document.querySelector("#m_hot_0.active");var d=document.querySelector("#hot_0.box_active"),b=document.querySelector("#m_hot_1:not(.active)"),c=document.querySelector("#hot_1:not(.box_active)");a&&a.innerText.match(/^XBOX SERIES X\|S$/)&&b&&c&&(a.classList.remove("active"),a.style.display="none",d.classList.remove("box_active"),b.classList.add("active"),c.classList.add("box_active"))}});
+! https://github.com/MajkiIT/polish-ads-filter/issues/17418
+! napiprojekt.pl - redirection to hellozdrowie.pl
+! To reproduce go to https://www.napiprojekt.pl/napisy-szukaj, search something and click on any result,
+! on the first visit it will redirect to hellozdrowie.pl (seems to be server side redirection), to reproduce again it's necessary to change IP address or wait some time
+! The script below creates iframe with one of the page, so redirection occurs in the iframe and it's blocked by request blocking rule, better than direct redirection
+||hellozdrowie.pl^$domain=napiprojekt.pl
+napiprojekt.pl#%#(function(){location.pathname.startsWith("/napisy-")&&AG_onLoad(function(){setTimeout(function(){var a=document.createElement("iframe");document.body.appendChild(a);a.src="/napisy-4684-Shrek-(2001)";a.sandbox="";a.style.cssText="position: absolute; left: -3000px;";setTimeout(function(){a&&a.remove()},5E3)},500)})})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/144276
+deccoria.pl##body .dc-billboard:not(#style_important)
+! https://github.com/AdguardTeam/AdguardFilters/issues/124025
+pomponik.pl##body .ad-container:not(#style_important)
+pomponik.pl##body .ad-rectangle:not(#style_important)
+pomponik.pl##.box.ad
+pomponik.pl###feed_grupa.ad
+pomponik.pl##.article-body__ad-gora-srodek
+! https://github.com/AdguardTeam/AdguardFilters/issues/182414
+zielona.interia.pl###ad-adsearch
+zielona.interia.pl###ad-dol_srodek
+zielona.interia.pl##div[id^="ad-box"]
+zielona.interia.pl##div[id^="ad-gora_"]
+zielona.interia.pl##div[id^="ad-banner_"]
+zielona.interia.pl##div[id^="ad-rectangle"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/175157
+kobieta.interia.pl###ad-adsearch
+kobieta.interia.pl###ad-dol_srodek
+kobieta.interia.pl##div[id^="ad-box"]
+kobieta.interia.pl##div[id^="ad-gora_"]
+kobieta.interia.pl##div[id^="ad-banner"]
+kobieta.interia.pl##div[id^="ad-rectangle"]
+kobieta.interia.pl#$##portal-container > div[class^="sc-"][class*=" "]:has(a[href*="interia.pl/horoskop-"]) { margin-top: 100px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/170328
+interia.pl##div[width] > div[class^="sc"][style*="overflow: auto;"]:has(> #feed_grupa:only-child > div > .ad)
+interia.pl##.ad#feed_grupa
+! https://github.com/AdguardTeam/AdguardFilters/issues/167845
+pogoda.interia.pl##body .box.ad.belka
+! https://github.com/AdguardTeam/AdguardFilters/issues/167007
+nieruchomosci.interia.pl##.hero-banner-wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/167005
+interia.pl##a[href^="https://ad.doubleclick.net/"]
+interia.pl#?#.wiadspec-ul > .wiadspec-li:has(> a[href^="https://ad.doubleclick.net/"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/165456
+interia.pl,pomponik.pl#@%#//scriptlet('ubo-set.js', 'Inpl.Abd.onDetected', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/148258
+interia.pl###desktopPhSitebranding
+interia.pl#$#.page-header-container.placeholder-sitebranding { min-height: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/167006
+! https://github.com/AdguardTeam/AdguardFilters/issues/164442
+! https://github.com/AdguardTeam/AdguardFilters/issues/144103
+smaker.pl,pomponik.pl,interia.pl#$##sponsCont { display: none !important; }
+smaker.pl,pomponik.pl,interia.pl#$#body[class*="body__ad-spons--"] { padding-top: 0 !important; }
+smaker.pl,pomponik.pl,interia.pl#$#body[class*="body__ad-spons--"] .common-header { top: 0 !important; }
+smaker.pl,pomponik.pl,interia.pl#$#body[class*="body__ad-spons--"] header { transform: none !important; }
+smaker.pl,pomponik.pl,interia.pl#%#//scriptlet('remove-class', 'body__ad-spons--desktop-ph|body__ad-spons--mobile-ph|body__ad-spons--collapsed', 'body[class*="body__ad-spons--"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/155900
+! https://github.com/AdguardTeam/AdguardFilters/issues/133132
+muzyka.interia.pl##.adStandardTopContainerWraper
+muzyka.interia.pl##body .inpl-gallery-ad-horizontal:not(#style_important)
+wydarzenia.interia.pl,sport.interia.pl#?#div[class^="sc-"]:has(> div[data-iwa-viewability-name]:only-child > .ad:only-child)
+! https://github.com/AdguardTeam/AdguardFilters/issues/158015
+! https://github.com/AdguardTeam/AdguardFilters/issues/157141
+wydarzenia.interia.pl,sport.interia.pl#?#div[class^="sc-"]:has(> div[id^="ad-view-rectangle"]:first-child + div[data-iwa-viewability-name]:last-child > .ad:only-child)
+! https://github.com/AdguardTeam/AdguardFilters/issues/139889
+sport.interia.pl#?#section[id^="react_component_"] > div:not([class], [id]) > div[class^="sc"]:has(> div[class^="sc"]:only-child > div[data-iwa-viewability-name="gora_srodek"]:only-child > .ad:only-child)
+! https://github.com/AdguardTeam/AdguardFilters/issues/95994
+interia.pl##.ad-container
+interia.pl##.dol_srodek_ads_box
+interia.pl##body .ad-rectangle:not(#style_important)
+interia.pl#$#div[class^="box ad box"] { position: absolute !important; left: -3000px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/67208
+tipy.interia.pl##.rekObokWstepu
+! https://github.com/AdguardTeam/AdguardFilters/issues/162718
+! https://github.com/AdguardTeam/AdguardFilters/issues/113851
+||poczta.interia.pl/next/adv,advKeyword$subdocument,important
+poczta.interia.pl##.top-ad-placement
+poczta.interia.pl##div.ad[nxt-ad-place]
+poczta.interia.pl##.ads-content
+poczta.interia.pl#?##main-container > .mail-frame-aside:has(> .ads-content)
+interia.pl#%#//scriptlet('remove-attr', 'style', '.mail-container[data-widget^="https://poczta.interia.pl/widget/"] > .mail-popup[style]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/107397
+interia.pl##.ad
+interia.pl##.ad + .brief-placeholder-list
+interia.pl##div[id^="crt-"]
+interia.pl##div[class^="crt-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/164442
+! https://github.com/AdguardTeam/AdguardFilters/issues/81433
+! https://github.com/AdguardTeam/AdguardFilters/issues/67612
+! https://github.com/AdguardTeam/AdguardFilters/issues/67039
+interia.pl#$#.section-wz[data-iwa-block="wz-news"] .ad-container { display: block !important; visibility: hidden !important; }
+top.pl,interia.pl##.article-body__ad-gora-srodek
+interia.pl##a[href][target="_blank"][onclick*="&creation="] > img[onload*="onDetected"]
+interia.pl#?#section > div[style^="padding-top: 25px;border-top:"] > a[href][target="_blank"][onclick*="&creation="] > img[onload*="onDetected"]:upward(2)
+interia.pl##.main-sidebar a[href][target="_blank"][onclick*="&creation="]
+interia.pl##.main-sidebar > div[style="height: 600px;"] > div[style^="max-width:"][style*="position: sticky"]
+interia.pl##a[href][target="_blank"][onclick*="https://www.plushbezlimitu.pl/abo/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/66917
+||ebd.cda-hd.co/iw6JCQ3.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/100544
+! https://github.com/AdguardTeam/AdguardFilters/issues/66409
+allegro.pl##div[data-box-name="banner - cmuid"][data-prototype-id="allegro.advertisement.slot.banner"]
+allegro.pl##div[data-box-name*="TopHeaderExpand"][data-prototype-id="allegro.expandableAdvertisement"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/65548
+@@||krs-online.com.pl/js/showads.js
+krs-online.com.pl#%#//scriptlet("set-constant", "canRunAds", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/166259
+antyradio.pl###onnetwork--html:empty
+! https://github.com/AdguardTeam/AdguardFilters/issues/64988
+antyradio.pl#@#[class$="-ads"]
+antyradio.pl#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/64893
+perelki.net#%#//scriptlet("prevent-setTimeout", "aderror_new")
+! https://github.com/AdguardTeam/AdguardFilters/issues/64569
+! https://github.com/AdguardTeam/AdguardFilters/issues/64289
+film.org.pl##.advertise-wide
+||film.org.pl/wp-content/uploads/*/*/*-banner-nad-tekstem-*.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/63583
+! https://github.com/AdguardTeam/AdguardFilters/issues/63580
+!#safari_cb_affinity(privacy)
+@@||iwa3.hit.interia.pl^*/iwa_core?ts=$domain=pomponik.pl|interia.pl
+!#safari_cb_affinity
+! https://github.com/AdguardTeam/AdguardFilters/issues/63504
+@@||oglaszamy24.pl/*js-css/reklamy/bannery/*/adv.js
+oglaszamy24.pl#%#//scriptlet("set-constant", "trap_active", "false")
+! temi.pl - ads
+temi.pl#?#center > span.napis:contains(/^REKLAMA$/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/62824
+dzienniknarodowy.pl#$#.adsbygoogle { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/62749
+wykop.pl#%#//scriptlet('remove-class', 'screening', 'body.screening')
+! https://github.com/AdguardTeam/AdguardFilters/issues/62158
+biznesinfo.pl###lazyAds
+! lifeinkrakow.pl - ads
+lifeinkrakow.pl#?#.page-content > p:has(> .adsbygoogle:only-child)
+lifeinkrakow.pl#$#.adsbygoogle { position: absolute!important; left: -3000px!important; }
+! slidety.com - antiadblock
+slidety.com##.adace-popup
+! motocaina.pl - ads
+motocaina.pl##iframe[src^="/acme/"][src$="index.html"]
+||motocaina.pl/acme/*/index.html$subdocument
+! https://github.com/AdguardTeam/AdguardFilters/issues/60690
+cgm.pl##.bsaPopupWrapper
+cgm.pl##.bsaPopupWrapperBg
+! https://github.com/AdguardTeam/AdguardFilters/issues/62007
+polskiedrogi-tv.pl##.rek-wrap
+polskiedrogi-tv.pl##.spc
+! subiektywnieofinansach.pl - ads
+subiektywnieofinansach.pl##.partner-box
+subiektywnieofinansach.pl##.border-box > .partner
+subiektywnieofinansach.pl#?#.home-top-sidebar > .border-box:has(> .partner)
+! biznesalert.pl - ads
+biznesalert.pl##.partners
+! https://github.com/AdguardTeam/AdguardFilters/issues/60262
+||synonimy.pl/s/adsModal.js
+synonimy.pl#%#//scriptlet("abort-on-property-write", "showAddbockerMsg")
+||smartadserver.com/config.js$script,redirect=noopjs,domain=synonimy.pl
+||stats.g.doubleclick.net/dc.js$script,redirect=noopjs,domain=synonimy.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/60206
+@@||filmozercy.com/js/fuckadblock.min.js
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=filmozercy.com
+! kursjs.pl - antiadblock
+@@||kursjs.pl/js/dfp.js
+kursjs.pl#%#//scriptlet("prevent-setTimeout", "wstretne-reklamy")
+! se.pl - incorrect blocking
+@@||googletagmanager.com/gtm.js$domain=se.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/165892
+lowcygier.pl##body #page > [data-url]
+lowcygier.pl##html > body .content-wrapper > div:is([id], [class]) > a[href^="https://lowcygier.pl/r/"][rel]
+lowcygier.pl#$#html > body .content-wrapper > div:is([id], [class]) > a[href^="https://lowcygier.pl/r/"][rel] { position: absolute !important; left: -3000px !important; }
+lowcygier.pl#$?#.content-wrapper > div:is([id], [class]):has(> a[href^="https://lowcygier.pl/r/"][rel]) { remove: true; }
+lowcygier.pl#$#html > body[class] .content-wrapper header.intro { margin-bottom: 0 !important; }
+lowcygier.pl#$#.content-wrapper > *:is(style, [style]) + div:is([id], [class]) { background-image: none !important; }
+lowcygier.pl#$#.content-wrapper > div:is([id], [class]):first-child { background-image: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/157769
+lowcygier.pl###top-banner-image
+lowcygier.pl##body .top-background
+lowcygier.pl#$#body.background-image.background-screening .intro { margin-bottom: 0 !important; }
+lowcygier.pl#$#body.background-image.background-screening .intro .header-widget { position: static!important; }
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,important,domain=lowcygier.pl
+! fakt.pl - ad leftovers
+fakt.pl##.moneteasy
+fakt.pl##a[href^="https://widgets.moneteasy.pl/widget-click/"]
+fakt.pl##aside.artRight[data-run-module="local/main.floatingSlots"]
+fakt.pl#$#.onet-ad { position: absolute!important; left: -3000px!important; }
+fakt.pl#$##onet-ad-flat-plista { position: absolute !important; left: -3000px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/58213
+waw4free.pl#?#.zobacz-box-text:contains(/^reklama$/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/57758
+||audiostereo.pl/old/images/baner_
+audiostereo.pl###ban
+audiostereo.pl##.baner_display
+! https://github.com/AdguardTeam/AdguardFilters/issues/57609
+tibiopedia.pl#%#//scriptlet("set-constant", "adBlockEnabled", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/56790
+dorzeczy.pl##.box-list-item-ad
+! dorzeczy.pl - incorrect blocking
+@@||dorzeczy.pl/dorzeczy/_i/button-125x40-app-store.png
+@@||dorzeczy.pl/dorzeczy/_i/button-125x40-google-play.png
+! lublin112.pl - ads leftovers
+lublin112.pl###sidebar > .ad ~ hr
+! https://github.com/AdguardTeam/AdguardFilters/issues/55879
+jarock.pl##div[class^="a-d-banner"]
+jarock.pl##.old-news > .grid > .news-item.grid-item.a-d
+jarock.pl##.old-news > .grid > .news-item.grid-item.aserver_slot
+! https://github.com/AdguardTeam/AdguardFilters/issues/131590
+trojmiasto.pl##.banner-maxia
+||r.trojmiasto.pl/www/delivery/*.php?*=banner*vast$important
+! https://github.com/AdguardTeam/AdguardFilters/issues/106925
+trojmiasto.pl##.banner-a
+! https://github.com/AdguardTeam/AdguardFilters/issues/55846
+trojmiasto.pl#%#//scriptlet("abort-on-property-read", "HateAdBlock")
+trojmiasto.pl#%#//scriptlet("abort-on-property-read", "adBlockDetected")
+!+ NOT_OPTIMIZED
+||trojmiasto.pl/adxmlrpc/json.php$redirect=noopjs,important
+!+ NOT_OPTIMIZED
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=trojmiasto.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/55791
+||resetoff.pl/static/player/*/vast.js
+resetoff.pl#%#//scriptlet("set-constant", "ads_unblocked", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/121199
+sport.pl##.adsWrapper
+sport.pl##.bookmakerContainer
+sport.pl##.art_embed div[name="gameheadsmall"] > .oddWrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/122218
+! https://github.com/AdguardTeam/AdguardFilters/issues/99424
+! https://github.com/AdguardTeam/AdguardFilters/issues/90230
+! https://github.com/AdguardTeam/AdguardFilters/issues/76916
+! Agora
+||c2c24.pl^$domain=sport.pl|gazeta.pl|plotek.pl|moto.pl|haps.pl|edziecko.pl
+edziecko.pl,haps.pl,moto.pl,plotek.pl,gazeta.pl,sport.pl##.art_content > div[style^="min-height:"][style$="width:100%; overflow:hidden;"]
+avanti24.pl##.fullWidthBanner
+gazeta.pl##.offers__wrapper > .sliderr--offers
+gazeta.pl##section ~ .newspapers
+gazeta.pl###c2c-widget-hp:empty
+next.gazeta.pl##[class^="ban"]
+tokfm.pl,avanti24.pl,gazeta.pl,wyborcza.biz,wyborcza.pl,wysokieobcasy.pl##body .adviewDFPBanner:not(#style_important)
+edziecko.pl###DFP_PREMIUMBOARD
+domiporta.pl##.sponsored_article
+tuba.pl##.ban001_wrap
+sport.pl,gazeta.pl##div[id^="DFP-007-CONTENTBOARD"]
+sport.pl,gazeta.pl##.bottom_section > .promo-mg
+ukrayina.pl,plotek.pl,domiporta.pl,haps.pl,edziecko.pl,czterykaty.pl,tuba.pl,sport.pl,tokfm.pl,moto.pl,gazeta.pl##.DFP-premiumBoardReservedPlace
+ukrayina.pl,plotek.pl,domiporta.pl,haps.pl,edziecko.pl,czterykaty.pl,tuba.pl,sport.pl,tokfm.pl,moto.pl,gazeta.pl##body div[id^="adsMidboardDivId_"]:not(#style_important)
+ukrayina.pl,plotek.pl,domiporta.pl,haps.pl,edziecko.pl,czterykaty.pl,tuba.pl,sport.pl,tokfm.pl,moto.pl,gazeta.pl##.ban001_wrapper
+ukrayina.pl,plotek.pl,domiporta.pl,haps.pl,edziecko.pl,czterykaty.pl,tuba.pl,sport.pl,tokfm.pl,moto.pl,gazeta.pl##div[id^="banC"]
+ukrayina.pl,plotek.pl,domiporta.pl,haps.pl,edziecko.pl,czterykaty.pl,tuba.pl,sport.pl,tokfm.pl,moto.pl,gazeta.pl##div[id^="DFP-"][id*="-MIDBOARD"]
+!+ NOT_OPTIMIZED
+ukrayina.pl,edziecko.pl,plotek.pl,domiporta.pl,haps.pl,moto.pl##.banIndexDFP
+! https://github.com/AdguardTeam/AdguardFilters/issues/55761
+gazeta.pl##.o-apartHeader
+gazeta.pl##.o-apartContainer
+gazeta.pl#%#//scriptlet('remove-class', 'c-section--lifestyle--apart', '.l-main > .c-section--lifestyle.c-section--lifestyle--apart')
+! https://github.com/AdguardTeam/AdguardFilters/issues/55617
+kochamjp.pl#?#.greatwp-sidebar-one-wrapper-inside > #text-35:has(> .textwidget > center > .adsbygoogle)
+! https://github.com/AdguardTeam/AdguardFilters/issues/55161
+mistrzowie.org,joemonster.org##.video-js[data-attr-player="mcnPlayer2"]
+joemonster.org##.stored-adverts-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/55013
+burzowo.info###hide_ad
+@@||burzowo.info/*.js?&
+burzowo.info#%#//scriptlet("abort-current-inline-script", "document.getElementsByTagName", "adblock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/54694
+@@||portel.pl/adex.js
+portel.pl#%#//scriptlet("set-constant", "blokowanko", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/54355
+trojmiasto.pl##iframe[src^="https://ad.doubleclick.net/"]
+! knowhowinsider.com - ads
+knowhowinsider.com#$#.adsbygoogle { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/54165
+forum.alfaholicy.org##ol > li.restore > center
+forum.alfaholicy.org###sidebar #block_html_3
+forum.alfaholicy.org#?##sidebar > li > .block.smaller:has(> .blocksubhead > span.blocktitle:contains(/^Reklama$/))
+forum.alfaholicy.org#?##posts > .postcontainer:has(> .postdetails > #innovativeadspan)
+! pisupisu.pl - antiadblock
+@@||pisupisu.pl/*/adsbygoogle.js
+pisupisu.pl#%#//scriptlet("prevent-setTimeout", "adblock")
+! https://github.com/AdguardTeam/AdguardFilters/issues/126626
+! https://github.com/AdguardTeam/AdguardFilters/issues/54021
+purepc.pl##.artbox .content > p > a[href^="https://lp."][href*="&utm_campaign="] > img
+!+ NOT_OPTIMIZED
+purepc.pl##a[href^="/re"][href*=".php"][style*="background:url(/files/Image/"]
+! tarnogorski.info - ads
+tarnogorski.info#$#.adsbygoogle { position: absolute!important; left: -3000px!important; }
+! gloswielkopolski.pl - ads
+gloswielkopolski.pl##.linkiSponsorowane
+! https://github.com/AdguardTeam/AdguardFilters/issues/52961
+@@||cdnjs.cloudflare.com/ajax/libs/videojs-contrib-ads/*/videojs.ads.js$domain=wtk.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/53048
+zobacz.ws#%#//scriptlet("abort-on-property-read", "mdpDeBlocker")
+! portalsamorzadowy.pl - ads
+portalsamorzadowy.pl##body > .box-1
+! tuwroclaw.com - ads leftovers
+tuwroclaw.com##.special-ad
+! medme.pl - ads leftovers
+medme.pl##p[style^="background: none repeat scroll 0 0 #E3E3E3; color: #A5A5A5; font-family: Tahoma;"]
+! eluban.pl - ads
+eluban.pl##div.visible-lg[onclick^="update_ad"]
+! grodzisknews.pl - ads
+grodzisknews.pl##.ad_suw_nad
+! wnp.pl - ads
+wnp.pl##body div.ad.block
+! https://github.com/AdguardTeam/AdguardFilters/issues/52583
+pikio.pl#?#.article-gallery-container > .add > span:contains(/^Reklama$/)
+! gazetaprawna.pl - ads leftovers
+gazetaprawna.pl##.tpl_std_module > div[id^="belka"][style^="margin-top:"] > div[style="text-align: center; color: grey; font-size: 10px;"]
+! anywhere.pl - ads
+anywhere.pl##.g > div[class^="g-single a-"]
+anywhere.pl##.g-single > center > a.gofollow
+anywhere.pl##.g-single > center > center > a.gofollow
+anywhere.pl#?#.elementor-widget-container > p.elementor-heading-title:contains(/^Reklama$/)
+anywhere.pl#?#.elementor-widget-container > .elementor-text-editor > p:contains(/^Reklama$/)
+! wprost.pl - ads leftovers
+wprost.pl##.ad-aside
+wprost.pl##.page-homepage-billboard-1
+wprost.pl#$#body { overflow: auto !important; }
+! zdrowie.wprost.pl - ads
+zdrowie.wprost.pl##.header-partner
+! https://github.com/AdguardTeam/AdguardFilters/issues/145119
+matzoo.pl##.reklamy
+! https://github.com/AdguardTeam/AdguardFilters/issues/52125
+@@||matzoo.pl/*/adsbygoogle.js
+matzoo.pl#$#.spolecznoscinet { height: 1px!important; }
+matzoo.pl#%#//scriptlet("prevent-setTimeout", "adblock")
+! wirtualnemedia.pl - ads
+wirtualnemedia.pl##.partner-news-wrapper
+! party.pl - ads
+||edipresse.pl/script/init.js
+! nfspolska.pl - ads
+nfspolska.pl#$#.carousel-item > a[href^="https://eu.puma.com/"] { visibility: hidden!important; }
+nfspolska.pl#%#AG_onLoad(function(){document.querySelectorAll('.carousel-item > a[href^="https://eu.puma.com/"]').forEach(function(a){a.parentNode.remove()});document.querySelectorAll('#carouselExampleIndicators > div.carousel-inner > div[class="carousel-item"]').forEach(function(a){a.classList.add("active")})});
+! https://github.com/AdguardTeam/AdguardFilters/issues/51720
+@@||bham.pl/templates/bham_res/js/adsbygoogle.js
+bham.pl#%#//scriptlet("abort-on-property-read", "TestPage")
+! https://github.com/AdguardTeam/AdguardFilters/issues/51061
+warsztat.pl###baner199
+||warsztat.pl/includes/ajax.php?request=banerAjax&
+! https://github.com/AdguardTeam/AdguardFilters/issues/148743
+se.pl###hook_content > .listing[data-upscore-zone="[NCES] - RON"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/134551
+se.pl##.ampAd
+! https://github.com/AdguardTeam/AdguardFilters/issues/128452
+voxfm.pl,se.pl,urzadzamy.pl,muratordom.pl#@#.sponsored-article
+! https://github.com/AdguardTeam/AdguardFilters/issues/139315
+vibefm.pl,radiosupernova.pl,voxfm.pl,eska.pl,eskarock.pl###adblock-detector-wrapper
+vibefm.pl,radiosupernova.pl,voxfm.pl,eska.pl,eskarock.pl#%#//scriptlet('set-constant', 'adblockBait', '')
+@@/media/*/js/adblock_detector.js$domain=eska.pl|eskarock.pl|voxfm.pl|vibefm.pl|radiosupernova.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/139046
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=poradnikzdrowie.pl|mjakmama24.pl|se.pl|eskarock.pl|voxfm.pl|radioplus.pl|eska.pl|radiosupernova.pl|vibefm.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/128456
+! https://github.com/AdguardTeam/AdguardFilters/issues/118484
+! https://github.com/AdguardTeam/AdguardFilters/issues/117822
+! https://github.com/AdguardTeam/AdguardFilters/issues/117823
+||smart.idmnet.pl^$domain=eska.pl
+radiosupernova.pl,eska.pl,mjakmama24.pl,se.pl,eskarock.pl,voxfm.pl,radioplus.pl,poradnikzdrowie.pl#%#(()=>{window.sas_idmnet=window.sas_idmnet||{};Object.assign(sas_idmnet,{releaseVideo:function(a){if("object"==typeof videoInit&&"function"==typeof videoInit.start)try{videoInit.start(a,n)}catch(a){}},release:function(){},placementsList:function(){}});const a=function(a,b){if(a&&a.push)for(a.push=b;a.length;)b(a.shift())},b=function(a){try{a()}catch(a){console.error(a)}};"complete"===document.readyState?a(sas_idmnet.cmd,b):window.addEventListener("load",()=>{a(sas_idmnet.cmd,b)})})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/153725
+! https://github.com/AdguardTeam/AdguardFilters/issues/106657
+! https://github.com/AdguardTeam/AdguardFilters/issues/102140
+! https://github.com/AdguardTeam/AdguardFilters/issues/102141
+! https://github.com/AdguardTeam/AdguardFilters/issues/83735
+! https://github.com/AdguardTeam/AdguardFilters/issues/88480
+! https://github.com/AdguardTeam/AdguardFilters/issues/78892
+! https://github.com/AdguardTeam/AdguardFilters/issues/51026
+vibefm.pl,muratorplus.pl,voxfm.pl##.zpr_side_1_noscroll
+vibefm.pl,voxfm.pl##div[class^="zpr_inside_"]
+vibefm.pl,voxfm.pl,eskarock.pl##.zpr_top_1
+vibefm.pl,voxfm.pl,eska.pl,se.pl,urzadzamy.pl##.zpr_box_topboard
+vibefm.pl,radiosupernova.pl,muratordom.pl,mjakmama24.pl,se.pl,eskarock.pl,voxfm.pl,radioplus.pl,poradnikzdrowie.pl##.zpr_combo
+vibefm.pl,radiosupernova.pl,muratordom.pl,urzadzamy.pl,mjakmama24.pl,se.pl,eskarock.pl,voxfm.pl,radioplus.pl,poradnikzdrowie.pl##div[class^="zpr_box_half_page"]
+mjakmama24.pl,radioplus.pl,poradnikzdrowie.pl,radiosupernova.pl,muratorplus.pl,eskarock.pl,se.pl,voxfm.pl##.article__placement
+vibefm.pl,poradnikzdrowie.pl,radioplus.pl,urzadzamy.pl,radiosupernova.pl,voxfm.pl,mjakmama24.pl,eska.pl,se.pl#$#.adsbox.ad { display: block !important; }
+! portalwrc.pl - ads
+portalwrc.pl##.gAds-content
+portalwrc.pl##img[src^="/images/reklama/"]
+||portalwrc.pl/images/dodaj/reklama_bok2.jpg
+! sinoptik.pl - ads
+!+ NOT_PLATFORM(windows, mac, android, ext_ff)
+sinoptik.pl##cv > .sl0
+sinoptik.pl#$?#body > iframe[name]:not([class]):not([id]):not([src])[style="display:none"] { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/50376
+dobryruch.co.uk#$#.adsbygoogle { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/58416
+! https://github.com/AdguardTeam/AdguardFilters/issues/53284
+! https://github.com/AdguardTeam/AdguardFilters/issues/50437
+@@||js.iplsc.com/inpl.abd/*/proxy.html?host=$generichide
+@@||js.iplsc.com/inpl.abd/latest/ads.js?$domain=pomponik.pl|interia.pl|js.iplsc.com
+interia.pl,pomponik.pl#%#//scriptlet("abort-current-inline-script", "decodeURIComponent", "Inpl.Abd.onDetected")
+! https://github.com/AdguardTeam/AdguardFilters/issues/50061
+@@||adst.mp.pl^$domain=mp.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/49329
+superportal24.pl##.widget_sidebar_content > img[data-srcset]
+superportal24.pl##.widget_article > .content > a > img[srcset]
+superportal24.pl##img[class^="widget_"][class$="_mobile"][data-srcset]
+superportal24.pl#?#div[class="col-sm-6"] > .widget_article:has(> .content > a > img[srcset])
+superportal24.pl###top_above_menu
+superportal24.pl#$##main_content[style^="margin-top:"] { margin-top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/48429
+nick.com.pl#%#//scriptlet("set-constant", "gon.viacom_config.ads.game_ads.enabled", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/70582
+! https://github.com/AdguardTeam/AdguardFilters/issues/48369
+rybnik.com.pl#%#//scriptlet("abort-on-property-write", "__loadnow")
+rybnik.com.pl#$?#iframe[name]:not([class]):not([id]):not([src])[style="display:none"] { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/48112
+@@||soisk-me.pl/modules/*/js/advertisement.js
+! zalajkowane.pl - ads
+zalajkowane.pl###main-sidebar > #text-4
+zalajkowane.pl###main-sidebar > #text-12
+! https://github.com/AdguardTeam/AdguardFilters/issues/118034
+||video.onnetwork.tv^$domain=jbzd.com.pl
+||taboola.com^$domain=jbzd.com.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/47872
+jbzd.com.pl##a[href^="https://orlenteam.pl/"] > img
+jbzd.com.pl##.jad-rectangle
+jbzd.com.pl##.jad-default
+!+ NOT_OPTIMIZED
+jbzd.com.pl#?##content-container > .article:has(> .article-avatar.hidden + .article-content > .article-details > .article-info > .article-author > strong:contains(/^Reklama$/))
+! https://github.com/AdguardTeam/AdguardFilters/issues/47239
+fotka.com##.brd_top
+! https://github.com/AdguardTeam/AdguardFilters/issues/46988
+@@||ads.allegro.pl^$domain=ads.allegro.pl
+! gram.pl - ad leftovers
+gram.pl##body .ad-wrapper
+gram.pl##.wtg-height
+gram.pl##div[id$="_bill_top"]
+gram.pl##body .external-entity-container
+gram.pl##body .text-ad-center
+! https://github.com/AdguardTeam/AdguardFilters/issues/46589
+||pixelpost.pl/wp-content/uploads/*-600-x-300_baner_
+||pixelpost.pl/wp-content/uploads/*-750-x-300-baner_
+pixelpost.pl##.sidebar-inwrap > aside#text-3
+pixelpost.pl##.sidebar-inwrap > aside#text-4
+! https://github.com/AdguardTeam/AdguardFilters/issues/46488
+mapa-turystyczna.pl##.ts-map-layout__content > .ts-com.ts-com--non-mobile
+! https://github.com/AdguardTeam/AdguardFilters/issues/171112
+audycje.tokfm.pl##.yieldbird-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/51944
+! https://github.com/AdguardTeam/AdguardFilters/issues/46478
+!+ NOT_OPTIMIZED
+||ssl.images.audycje.tokfm.pl/prodstatic360/img/autopromocja/*.mp3$domain=audycje.tokfm.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/46291
+se.pl##div[class^="zpr_inside_"][class*="placement__lazy"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/179405
+ceneo.pl##.js_sidebar > a[data-ad-unit]
+ceneo.pl##.js_sidebar > aside[data-event-category="adbox"]
+ceneo.pl##.box-rotator__box:has(> a[href^="https://bit.ly/"][rel="nofollow"])
+ceneo.pl##.home-main__showcase-mini > a[data-ad-unit]:not([href*="ceneo.pl"], [href^="/"])
+ceneo.pl##.home-main__showcases > .home-main__showcase-mini:has(> a[data-ad-unit]:not([href*="ceneo.pl"], [href^="/"]))
+! https://github.com/AdguardTeam/AdguardFilters/issues/45865
+ceneo.pl##.js_top-banner[data-name]
+! https://github.com/AdguardTeam/AdguardFilters/issues/147695
+cowkrakowie.pl##.cwk--component
+! https://github.com/AdguardTeam/AdguardFilters/issues/150112
+! https://github.com/AdguardTeam/AdguardFilters/issues/45561
+czateria.interia.pl##.adv-desktop-wrapper__label-container
+czateria.interia.pl##.video-player-container
+czateria.interia.pl##body > .rodo-popup ~ div[style*="position: absolute;"][style$="display: block;"]:not([class]):not([id])
+! https://github.com/AdguardTeam/AdguardFilters/issues/45113
+natemat.pl##div[class^="optad"]
+natemat.pl##div[class^="adslot"]
+! horrortube.fun - popups
+horrortube.fun#%#//scriptlet("abort-current-inline-script", "decodeURI", "4zz.")
+! wielkahistoria.pl - ad leftovers
+wielkahistoria.pl##.adsbygoogle + script + hr
+wielkahistoria.pl##p[style="color:f2f3f3; font-size:14px; text-align:center; padding:0; margin-bottom: 20px;"]
+! vider.info - ads
+||vider.info/static/player/*/vast.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/44036
+! https://github.com/AdguardTeam/AdguardFilters/issues/124689
+!+ NOT_OPTIMIZED
+roland-gazeta.pl,obserwatorgospodarczy.pl##.bannergroup
+! benchmark.pl - ad leftovers
+benchmark.pl##body .ad-ph
+! https://github.com/AdguardTeam/AdguardFilters/issues/128367
+! https://github.com/AdguardTeam/AdguardFilters/issues/43487
+benchmark.pl##.market-aside
+! https://github.com/AdguardTeam/AdguardFilters/issues/43326
+terrarium.com.pl#%#//scriptlet("set-constant", "canRunAds", "true")
+! meczyki.pl - incorrect blocking
+meczyki.pl#%#!function(){window.YLHH={bidder:{startAuction:function(){}}};}();
+! https://github.com/AdguardTeam/AdguardFilters/issues/42713
+zakazany-humor.pl##.ppsPopupShell
+zakazany-humor.pl###ppsPopupBgOverlay
+zakazany-humor.pl##.sidebar > .widget-wrap > aside#text-7
+! https://github.com/AdguardTeam/AdguardFilters/issues/42037
+@@||wfirma.pl/*/add/*?_=$other
+! filman.cc - skip timer, ads
+filman.cc#%#(function(){var c=window.setTimeout;window.setTimeout=function(f,g){return g===1e3&&/#kam-ban-player/.test(f.toString())&&(g*=0.01),c.apply(this,arguments)}.bind(window)})();
+filman.cc#%#//scriptlet("abort-current-inline-script", "decodeURIComponent", "removeCookie")
+filman.cc#$?#iframe[src^="javascript:window.location.replace"] { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/47917
+m.olx.pl#@#.adbox
+! https://github.com/AdguardTeam/AdguardFilters/issues/42166
+@@||m.olx.pl/api/v*/ads/*?adId=
+! https://github.com/AdguardTeam/AdguardFilters/issues/132514
+auto-motor-i-sport.pl,menshealth.pl,motocykl-online.pl,runners-world.pl,womenshealth.pl##div[class$="-optad"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/41882
+auto-motor-i-sport.pl,menshealth.pl,motocykl-online.pl,runners-world.pl,womenshealth.pl#%#//scriptlet("adjust-setInterval", "redirectId", "*", "0.02")
+auto-motor-i-sport.pl,menshealth.pl,motocykl-online.pl,runners-world.pl,womenshealth.pl##body[onclose*="return closeBrowserEvent()"] .col-xs-12 > .col-xs-12 > a[href][onclick*="'Klikniecie-welcomepage-reklama'"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/41718
+rp.pl#?##main_topic_3 > .teaser-parent:has(> .ad)
+! https://github.com/AdguardTeam/AdguardFilters/issues/113744
+dailyweb.pl##.daily-adlabel
+dailyweb.pl#?#.single-post-content > .daily-podstrona-w-tresci:has(> .daily-adlabel)
+! https://github.com/AdguardTeam/AdguardFilters/issues/71630
+dailyweb.pl##.user-widgets > section#text-22
+! https://github.com/AdguardTeam/AdguardFilters/issues/42379
+dailyweb.pl##.adwse-headerr
+dailyweb.pl#%#//scriptlet("set-constant", "checkAds", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/41674
+m.jbzd.com.pl,m.jbzd.cc,m.jbzdy.cc#@#.mobile-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/41428
+portalspozywczy.pl##body > .box-1
+! https://github.com/AdguardTeam/AdguardFilters/issues/41490
+mgsm.pl###left-con > .row > .columns > div[style="height: 336px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/41250
+emonitoring.poczta-polska.pl###getbaner
+! https://github.com/AdguardTeam/AdguardFilters/issues/41151
+expressilustrowany.pl#?#.componentsRecommendationsSimpleListing__content > .componentsRecommendationsSimpleListing__element[data-slot-show]:has(> #dfp-nativesrodek1)
+! https://github.com/AdguardTeam/AdguardFilters/issues/129535
+telepolis.pl##.parallax-mirror
+telepolis.pl###tag-box[style*="background:"] > span
+telepolis.pl##a[href^="https://www.citibank.pl/"][target="_blank"] > img
+telepolis.pl#%#//scriptlet("abort-current-inline-script", "EventTarget.prototype.addEventListener", "citibank.pl")
+||telepolis.pl/images/*/*/citi_bg.jpg
+||telepolis.pl/images/*/*/CitiKonto*_*x*.jpg
+||tblr.pl/dyna/s.js
+telepolis.pl#?#.d-none.justify-content-center:has(> .m-auto > .ad)
+telepolis.pl##body > header > div[class="collapsible-content d-none d-xl-block bg-cover"]
+telepolis.pl#$#body { padding-top: 70px!important; }
+||ads.comperia.pl/www/delivery/afr.php$important
+! https://github.com/AdguardTeam/AdguardFilters/issues/60690
+! https://github.com/AdguardTeam/AdguardFilters/issues/40567
+cgm.pl#$#body { background-image: none!important; }
+cgm.pl##.adv
+! https://github.com/AdguardTeam/AdguardFilters/issues/40099
+k-mag.pl##.c-site-banner
+k-mag.pl##.rotating-banners--desktop
+||amazonaws.com/kmag/banners/$image,domain=k-mag.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/39840
+@@||signs.pl/_css/adserver.css
+signs.pl##div[id^="adibadi"]
+||signs.pl/signlink/RL300/$image
+! https://github.com/AdguardTeam/AdguardFilters/issues/146874
+dziennik.pl###yb_anchor_wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/39427
+dziennik.pl,forsal.pl,gazetaprawna.pl##.adCaptionContainer
+forsal.pl,gazetaprawna.pl#?#div[id^="miejsce"] > div[style*="text-align: center; color: grey; font-size: 10px;"]:contains(/^Reklama$/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/140816
+||interia-v.pluscdn.pl/poczta-newsfeed-*.mp4$domain=poczta.interia.pl
+interia.pl#%#//scriptlet("adjust-setTimeout", "location = '/#iwa_source=timeout'", "15000", "0.02")
+! https://github.com/AdguardTeam/AdguardFilters/issues/37781
+interia.pl#%#//scriptlet('adjust-setTimeout', 'location.href = "/#iwa_source=timeout"', '15000', '0.02')
+! nadmorski24.pl - ads
+||tkchopin.pl/cams/video_file/*.mp4$media,redirect=noopmp4-1s
+! https://github.com/AdguardTeam/AdguardFilters/issues/37199
+medianarodowe.com#$#.row > .sidebar-right > #post-box::before { content: "REKLAMA"!important; position: absolute!important; background: white!important; color: white!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/37094
+drogerium.pl#$#body[style="opacity: 0;"] { opacity: 1!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/168061
+! https://github.com/AdguardTeam/AdguardFilters/issues/136972
+! https://github.com/AdguardTeam/AdguardFilters/issues/135734
+vod.naekranie.pl##.wrapper > div[style="text-align: center; min-height: 305px"]
+vod.naekranie.pl##body > div[style^="position: fixed;"][class]
+vod.naekranie.pl##.vod-all > div[style="text-align: center; width: 100%"] > span[style="display: block;font-size: 10px;letter-spacing: 3px;margin: 5px auto 5px auto;"]
+!+ NOT_OPTIMIZED
+vod.naekranie.pl##.wrapper > div[style*="text-align: center; min-height:"]:has(> .ad-label)
+!+ NOT_OPTIMIZED
+vod.naekranie.pl##div.wtg
+! https://github.com/AdguardTeam/AdguardFilters/issues/130341
+naekranie.pl##body .adv-container
+naekranie.pl##body .wtg-belka
+naekranie.pl##body .prawa-szpalta
+naekranie.pl##body .screening-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/35364
+naekranie.pl#%#//scriptlet('abort-current-inline-script', '$', '/loadData|halfpage|welcome|screening|adtitle|expand|belka/')
+naekranie.pl##.lazy-interiaAd
+naekranie.pl##.main-content > .d-lg-block:has(> .lazy-interiaAd)
+naekranie.pl#$?#.wtg-placeholder { remove: true; }
+naekranie.pl##.sticky-top > .above_menu_small
+naekranie.pl##.right-content > .halfpage-container
+naekranie.pl##body .belka-container
+naekranie.pl##body > div.wrapper > div[id] > div[class][style*="content: ''; overflow: visible;"]
+naekranie.pl##body > div.wrapper > div[id] > div[class][style*="min-height: 100%; height:"]
+naekranie.pl##span[style*="text-align: center;"][style*="margin: 15px auto 5px auto;"]
+naekranie.pl##span[style*="text-align: center;"][style*="margin: 15px auto 5px auto;"] + div[style*="max-width: 100%; overflow:"]
+naekranie.pl##.right-content > div[id] > div[style*="height:600"][style*="position:relative"]
+!+ NOT_OPTIMIZED
+naekranie.pl##.interia-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/36126
+! https://github.com/AdguardTeam/AdguardFilters/issues/189915
+! https://github.com/AdguardTeam/AdguardFilters/issues/172647
+! https://github.com/AdguardTeam/AdguardFilters/issues/172192
+! https://github.com/AdguardTeam/AdguardFilters/issues/171543
+! https://github.com/AdguardTeam/AdguardFilters/issues/157246
+! https://github.com/AdguardTeam/AdguardFilters/issues/150857
+! https://github.com/AdguardTeam/AdguardFilters/issues/36012
+/pl/_ajax/ablck.php|$~third-party,xmlhttprequest
+/js/html2canvas.min.js$domain=wpu24.pl|ddwloclawek.pl|ddtorun.pl|gostyn24.pl|gorlice24.pl|mojakruszwica.pl|expresskaszubski.pl|gniewkowo.eu|iszczecinek.pl|mielec.pl|grudziadz365.pl|esopot.pl|lowiczanin.info|gwarek.com.pl|tyna.info.pl|tusochaczew.pl|myglogow.pl|plonskwsieci.pl|spotradomsko.pl|portalsremski.pl|ekstrasierpc.pl|ki24.info|uniejow.net.pl|e-krajna.pl|gwio.pl|faktypilskie.pl|swiecie24.pl
+esopot.pl,lowiczanin.info,gwarek.com.pl,tyna.info.pl,tusochaczew.pl,myglogow.pl,plonskwsieci.pl,spotradomsko.pl,portalsremski.pl,ekstrasierpc.pl,ki24.info,uniejow.net.pl,e-krajna.pl,gwio.pl,faktypilskie.pl,swiecie24.pl,grudziadz365.pl,mielec.pl,iszczecinek.pl,gniewkowo.eu,mojakruszwica.pl,expresskaszubski.pl,gorlice24.pl,gostyn24.pl,wpu24.pl,ddwloclawek.pl,ddtorun.pl#%#//scriptlet('set-constant', 'arePiratesOnBoard', 'false')
+esopot.pl,lowiczanin.info,gwarek.com.pl,tyna.info.pl,tusochaczew.pl,myglogow.pl,plonskwsieci.pl,spotradomsko.pl,portalsremski.pl,ekstrasierpc.pl,ki24.info,uniejow.net.pl,e-krajna.pl,gwio.pl,faktypilskie.pl,swiecie24.pl,grudziadz365.pl,mielec.pl,iszczecinek.pl,gniewkowo.eu,mojakruszwica.pl,expresskaszubski.pl,gorlice24.pl,gostyn24.pl,wpu24.pl,ddwloclawek.pl,ddtorun.pl#%#//scriptlet('set-constant', 'isAdBlockerEnabled', 'false')
+ostrowiecka.pl,esopot.pl,lowiczanin.info,gwarek.com.pl,tyna.info.pl,tusochaczew.pl,myglogow.pl,plonskwsieci.pl,spotradomsko.pl,portalsremski.pl,ekstrasierpc.pl,ki24.info,uniejow.net.pl,e-krajna.pl,gwio.pl,faktypilskie.pl,swiecie24.pl,grudziadz365.pl,mielec.pl,iszczecinek.pl,gniewkowo.eu,mojakruszwica.pl,expresskaszubski.pl,gorlice24.pl,gostyn24.pl,wpu24.pl,ddwloclawek.pl,ddtorun.pl#%#//scriptlet('set-constant', 'adInitializer', 'undefined')
+wpu24.pl,ddwloclawek.pl,ddtorun.pl##.TOPNewsB
+wpu24.pl,ddwloclawek.pl,ddtorun.pl##.topLayer
+wpu24.pl,ddwloclawek.pl,ddtorun.pl##baner
+wpu24.pl,ddwloclawek.pl,ddtorun.pl##.banner--toplayer
+/pl/js/new-system.js$domain=ostrowiecka.pl
+/js/adInitializer.js$domain=ddwloclawek.pl|ddtorun.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/120932
+mamazone.pl#?#.row div[class][style*="border-bottom"][style*="max-height:"] > div[style]:contains(REKLAM):upward(1)
+! https://github.com/AdguardTeam/AdguardFilters/issues/60807
+!+ NOT_OPTIMIZED
+wylecz.to#?#.row div[class][style*="border-bottom"][style*="max-height:"] > div[style]:contains(REKLAM):upward(1)
+! https://github.com/AdguardTeam/AdguardFilters/issues/35408
+darkw.pl##.bladbl
+darkw.pl#$#.adsbox { display: block!important; height: 1px!important; position: absolute!important; left: -3000px!important; }
+! darkw.pl - ads
+darkw.pl#?#.main > .container > .topic > .topic__row:has(> .topic__user > a[href="Reklama/"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/35159
+vorek.pl#$#.adbar.adbox { display: block !important; }
+vorek.pl#%#//scriptlet('prevent-setTimeout', '.offsetHeight')
+vorek.pl##body > div[style^="display: block; box-sizing: border-box; padding:"][style*="font-weight: bold; font-size:"][style*="text-align: center; position: fixed;"][style*="z-index:"]
+! kinoseans.pl - skip timer
+kinoseans.pl#%#//scriptlet("set-constant", "count", "0")
+! https://github.com/AdguardTeam/AdguardFilters/issues/33675
+! wp.pl ads - iOS
+! TODO: remove when this issue will be fixed - https://github.com/AdguardTeam/AdguardForiOS/issues/1897
+! https://github.com/AdguardTeam/AdguardFilters/issues/173427
+money.pl#@?#main > div:first-child:-abp-has(img[src^="https://v.wpimg.pl/"][loading="lazy"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/169879
+deliciousmagazine.pl##style + div[class]:has(> img[src^="https://v.wpimg.pl/"]:only-child)
+deliciousmagazine.pl##style + div[class]:has(> img[src^="https://v.wpimg.pl/"]:first-child + div:last-child)
+! https://github.com/AdguardTeam/AdguardFilters/issues/150824
+domodi.pl##.product-list__ad
+domodi.pl#?#article div[data-t][class]:has(> div[data-model*="wpId"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/69501
+! https://github.com/AdguardTeam/AdguardFilters/issues/148385
+||dynacrems.wp.pl/ad/
+turystyka.wp.pl#?#article div[class][data-reactid] > div[class]:has(> span > div[class] > a.w_contentLink)
+turystyka.wp.pl#?#article div[class][data-reactid] > div[class]:has(> span:first-child:empty + span:last-child:empty)
+! https://github.com/AdguardTeam/AdguardFilters/issues/171270
+jastrzabpost.pl##style + div[class]:has(> img[src^="https://v.wpimg.pl/"]:only-child)
+jastrzabpost.pl##style + div[class]:has(> img[src^="https://v.wpimg.pl/"]:first-child + div:last-child)
+jastrzabpost.pl##style + div[class]:has(> div:first-child:not([class]) + img[src^="https://v.wpimg.pl/"] + div:last-child)
+! https://github.com/AdguardTeam/AdguardFilters/issues/144968
+genialne.pl##.adc
+genialne.pl##style + div[class]:has(> img[src^="https://v.wpimg.pl/"]:only-child)
+genialne.pl##style + div[class]:has(> img[src^="https://v.wpimg.pl/"]:first-child + div:last-child)
+genialne.pl##style + div[class]:has(> div:first-child:not([class]) + img[src^="https://v.wpimg.pl/"] + div:last-child)
+||std.wpcdn.pl/adv/config/inline/*.js$domain=pysznosci.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/137324
+behealthymagazine.abczdrowie.pl##style + div[class]:has(> img[src^="https://v.wpimg.pl/"]:only-child)
+behealthymagazine.abczdrowie.pl##style + div[class]:has(> img[src^="https://v.wpimg.pl/"]:first-child + div:last-child)
+behealthymagazine.abczdrowie.pl##article a[href^="https://www.zabka.pl/?utm_source"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/134997
+vibez.pl##div[suppresshydrationwarning]
+vibez.pl#?#style + div[class]:has(> img[src^="https://v.wpimg.pl/"][alt]:only-child)
+! https://github.com/AdguardTeam/AdguardFilters/issues/129329
+dobreprogramy.pl#$#html > body > * { opacity: 1 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/84784
+! https://github.com/AdguardTeam/AdguardFilters/issues/155927
+poczta.wp.pl#@#[class^="css-"]
+poczta.o2.pl,poczta.wp.pl##main > div[class] > div[class] > div[class*=" "]:has(> div[class]:empty:first-child + div[class]:last-child > div[class^="css-"] > div[class^="css-"]:empty)
+poczta.o2.pl,poczta.wp.pl###topbar + div[class] > div[class^="css-"] > div[class]:empty:first-child + div[class^="css-"]:last-child > div[class^="css-"]:only-child:empty
+poczta.o2.pl,poczta.wp.pl#?#main > div[class] > div:not([class]) > div:not([class]) > div[class*=" "]:has(> div[class]:only-child > div[class]:first-child > div[class]:only-child:contains(/^REKLAMA$/))
+! https://github.com/AdguardTeam/AdguardFilters/issues/83689
+profil.wp.pl##div[id^="placeholder"]
+profil.wp.pl###rightLogBox > img.imgRight[src^="/login/"] ~ div[class]
+poczta.wp.pl##dd-holder[slot="DOUBLE_BILLBOARD"]
+poczta.wp.pl##dd-holder[slot="PANEL_PREMIUM"]
+poczta.wp.pl##div[ng-if="CommonController.showBannerTop"]
+poczta.wp.pl##native-feed[slot="ListDirectiveController.nativeFeedSlot"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/83248
+forum.echirurgia.pl##.article__side
+! https://github.com/AdguardTeam/AdguardFilters/issues/83245
+vibez.pl#?#style + div[class] > img[src^="https://v.wpimg.pl/"][alt]:first-child + div:last-child:upward(1)
+! https://github.com/AdguardTeam/AdguardFilters/issues/124051
+! https://github.com/AdguardTeam/AdguardFilters/issues/123136
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=autocentrum.pl|autokult.pl|gadzetomania.pl|fotoblogia.pl|pudelek.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/141635
+benchmark.pl#?#img[src="https://i.wpimg.pl/O/56x45/i.wp.pl/a/i/stg/pkf/bg.png"]:upward(1)
+! https://github.com/AdguardTeam/AdguardFilters/issues/157605
+autocentrum.pl#?#style + div[class]:has(> script:first-child + img[src^="https://v.wpimg.pl/"][alt] + div[class]:last-child)
+! https://github.com/AdguardTeam/AdguardFilters/issues/82418
+kafeteria.pl,autokult.pl,fitness.wp.pl,komorkomania.pl,gadzetomania.pl,fotoblogia.pl#?#div[class*=" "] > div[class]:first-child + img[src^="https://i.wpimg.pl/100x0/"]:upward(1)
+! https://github.com/AdguardTeam/AdguardFilters/issues/133884
+dom.wp.pl#?#article > div[class] > div > div[class]:has(> div[class]:only-child > div[class]:only-child > span:first-child + span:last-child)
+! https://github.com/AdguardTeam/AdguardFilters/issues/82378
+horoskop.wp.pl##.reklama
+horoskop.wp.pl##.placeholder
+! https://github.com/AdguardTeam/AdguardFilters/issues/69362
+polygamia.pl#?#img[src="https://i.wpimg.pl/O/56x45/i.wp.pl/a/i/stg/pkf/bg.png"]:upward(1)
+polygamia.pl##.ReactVirtualized__Grid > .ReactVirtualized__Grid__innerScrollContainer > div[data-slot][style^="height:"]:not([data-id])
+! https://github.com/AdguardTeam/AdguardFilters/issues/151168
+open.fm#$?##main-content > article > aside[class*=" "]:has(> style + div[class*=" "] > img[src^="https://v.wpimg.pl/"] + div:last-child) { visibility: hidden !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/68612
+open.fm##.bnr-con
+open.fm##.listAdvSlot
+open.fm##.Placeholder
+! https://github.com/AdguardTeam/AdguardFilters/issues/89576
+facet.wp.pl#?#.article div[class*=" "]:matches-property("/__reactInternalInstance/._currentElement._owner._instance.props.type"="adv")
+! https://github.com/AdguardTeam/AdguardFilters/issues/111616
+wiadomosci.wp.pl,pysznosci.pl,open.fm,fotoblogia.pl,autokult.pl,money.pl,pudelek.pl#?#style + div[class*=" "] > img[src^="https://v.wpimg.pl/"] + div:last-child:upward(1)
+! https://github.com/AdguardTeam/AdguardFilters/issues/179793
+www.o2.pl,rozrywka.o2.pl##.w-full[class*="bg-"] > div[class*="w-"][class*="px"] > div[class][style="width:100%"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/55606
+! https://github.com/AdguardTeam/AdguardFilters/issues/46586
+money.pl,pudelek.pl,parenting.pl,abczdrowie.pl,o2.pl,wp.pl##.wp-player > .npp-container > .plchldr
+o2.pl#?#aside > div[class]:first-child:has(div[class]:matches-css(after, content: /R[\s\S]*E[\s\S]*K[\s\S]*L[\s\S]*A[\s\S]*M[\s\S]*A[\s\S]*/))
+o2.pl##div[data-testid^="ad-placeholder-"]
+o2.pl#?#div[class*=" "]:has(> div:not([class]):not([id]) > script:contains(registerPlaceholder))
+o2.pl#?#div[class*=" "] > img[src^="https://v.wpimg.pl/"]:is(.wp-placeholder-img, .absolute):first-child + div:last-child:upward(1)
+www.o2.pl#?##root > div > div[class^="sc-"] > div[class*=" "] > img[src^="https://v.wpimg.pl/"]:first-child + img[src^="https://v.wpimg.pl/"]:last-child:upward(1)
+www.o2.pl#?##root > div > div[class^="sc-"] > div[class*=" "] > img[src^="https://v.wpimg.pl/"]:first-child + img[src^="https://v.wpimg.pl/"] + div:last-child:upward(1)
+!+ NOT_OPTIMIZED
+www.o2.pl#?##root div[class]:matches-property("/__reactFiber/.return.memoizedProps.placeholder"="true"):has(> div > img:first-child + div:last-child)
+! https://github.com/AdguardTeam/AdguardFilters/issues/127270
+poczta.o2.pl##.NativeLinkGroup
+poczta.o2.pl##dd-holder[slot^="BOX_LEFT_"]
+poczta.o2.pl##dd-holder[slot="DOUBLE_BILLBOARD"]
+||bdr.wpcdn.pl/tag/gaftag.html
+! https://github.com/AdguardTeam/AdguardFilters/issues/121785
+/^https:\/\/[a-z]{2,14}\.wp\.pl\/[a-zA-Z0-9_-]{200,}/$script,domain=poczta.o2.pl,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/34112
+poczta.o2.pl#@#body > div[class="pub_300x250 text_ads ad_container"][style] + div[class]:not([id])
+! https://github.com/AdguardTeam/AdguardFilters/issues/135067
+sportowefakty.wp.pl#@#main div[class*=" "]:empty:not(.btnmute):not(.volsliderbg):not([style]):not([id]):not([img]):not([src])
+sportowefakty.wp.pl##main div[class*=" "]:empty:not(.btnmute):not(.volsliderbg):not([style]):not([id]):not([img]):not([src]):not(.galleryslide__content):not(.answer_tab):not(.jw-spacer)
+! https://github.com/AdguardTeam/AdguardFilters/issues/80132
+sportowefakty.wp.pl##a[href="https://kswshop.com/pl/"][target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/187625
+sportowefakty.wp.pl##article > div[class*=" "]:has(> div:only-child:empty)
+sportowefakty.wp.pl###scrollboost > div[class*=" "]:has(> div[class]:only-child:empty)
+! https://github.com/AdguardTeam/AdguardFilters/issues/86435
+sportowefakty.wp.pl##.article-footer + div[class] > div[class] > div[class] > div[class*=" "]:has(> div[class]:only-child:empty)
+sportowefakty.wp.pl##article > div[class] > div[class] > div[class*=" "]:has(> div[class]:only-child:empty)
+sportowefakty.wp.pl##article > div[class] > div[class] > div[class] > div[class*=" "]:has(> div[class]:not(.go-arrow):only-child:empty)
+sportowefakty.wp.pl##.section__separator
+sportowefakty.wp.pl##.videobox__aside > div[class]:has(> div[class]:only-child:empty)
+sportowefakty.wp.pl##aside > .rail > div[class]:has(> div[class]:only-child)
+sportowefakty.wp.pl##div:not([class]):not([id]) > div[class*=" "]:only-child:has(> div:only-child:empty)
+sportowefakty.wp.pl#?#div[class] > div[class*=" "]:matches-css(background-image: /^url\(https:\/\/v\.wpimg\.pl\//):has(> div[class]:empty:only-child)
+sportowefakty.wp.pl#$?#div[class*=" "]:matches-css(background-image: /^url\(https:\/\/sportowefakty\.wp\.pl\//) { remove: true; }
+sportowefakty.wp.pl#?#body > div[class*=" "]:matches-css(background-image: /^url\(https:\/\/sfwp\.wpcdn.pl\/img\/placeholder_ad.png/)
+sportowefakty.wp.pl#$?#.content div[class*=" "]:matches-css(background-image: /^url\(https:\/\/sfwp\.wpcdn.pl\/img\/placeholder_ad.png/) { remove: true; }
+sportowefakty.wp.pl#?#body > .layout > div[class*=" "]:matches-css(background-image: /^url\(https:\/\/sfwp\.wpcdn.pl\/img\/placeholder_ad.png/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/34282
+! https://github.com/AdguardTeam/AdguardFilters/issues/34100
+sportowefakty.wp.pl#@#body > .content ~ iframe + div[class]:not([id])
+sportowefakty.wp.pl#@#body > .content ~ script[async] + div[class]:not([id])
+sportowefakty.wp.pl#@?#body > [class]:not([id]):matches-css(position: fixed):matches-css(top: 0px)
+! https://github.com/AdguardTeam/AdguardFilters/issues/164469
+wideo.wp.pl###__next > style + div[class*=" "]:empty
+wideo.wp.pl#?#div[class*=" "] > img[src="https://std.wpcdn.pl/images/adv/placeholder_wp.svg"]:upward(1)
+! https://github.com/AdguardTeam/AdguardFilters/issues/155033
+pilot.wp.pl#?#aside section[class*=" "]:has(> style + div[class] > img[src="https://std.wpcdn.pl/images/adv/placeholder_wp.svg"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/142879
+pilot.wp.pl#?#footer > div[class] > section:has(div[id^="div-gpt-ad-"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/136874
+pilot.wp.pl##div[style^="position:"] > a[target="_blank"] > div[style*="background-image: url"]
+pilot.wp.pl#?#div[style^="position:"] > a[target="_blank"] + div:contains(/^REKLAMA$/):not(:has(> *))
+! https://github.com/AdguardTeam/AdguardFilters/issues/78380
+videostar.pl,pilot.wp.pl#%#//scriptlet('remove-class', 'async-hide', 'html')
+! https://github.com/AdguardTeam/AdguardFilters/issues/148691
+! TODO: remove the rule below when a new version of the extension (4.1.55 or later) for Firefox will be released
+! https://github.com/AdguardTeam/AdguardFilters/issues/136716
+! TODO: remove if this issue will be fixed - https://github.com/AdguardTeam/Scriptlets/issues/266
+jastrzabpost.pl,benchmark.pl,pysznosci.pl,autocentrum.pl,abczdrowie.pl,allani.pl,autokrata.pl,autokult.pl,bloog.pl,dobreprogramy.pl,dzieci.pl,easygo.pl,echirurgia.pl,fotoblogia.pl,gadzetomania.pl,hotmoney.pl,interaktywnie.com,inwestycje.pl,jejswiat.pl,kafeteria.pl,kazimierzdolny.pl,komorkomania.pl,mazury.com,mojeauto.pl,mojeosiedle.pl,money.pl,nasygnale.pl,nocowanie.pl,o2.pl,odkrywcy.pl,open.fm,parenting.pl,pudelek.pl,tlen.pl,totalmoney.pl,wakacje.pl,wawalove.pl,wp.pl,wp.tv#%#(()=>{const t=Object.getOwnPropertyDescriptor,e={apply:(e,n,r)=>{const o=r[0];if(o?.toString?.()?.includes("EventTarget")){const e=t(o,"addEventListener");e?.set?.toString&&(e.set.toString=function(){}),e?.get?.toString&&(e.get.toString=function(){})}return Reflect.apply(e,n,r)}};window.Object.getOwnPropertyDescriptors=new Proxy(window.Object.getOwnPropertyDescriptors,e)})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/61207
+! https://github.com/AdguardTeam/AdguardFilters/issues/53527
+deliciousmagazine.pl,poczta.wp.pl,pilot.wp.pl,polygamia.pl,abczdrowie.pl,money.pl,www.dobreprogramy.pl,o2.pl,gadzetomania.pl,komorkomania.pl,autocentrum.pl,pudelek.pl,vpolshchi.pl,parenting.pl,autokult.pl,fotoblogia.pl,dom.wp.pl,pogoda.wp.pl,gry.wp.pl,wroclaw.wp.pl,moto.wp.pl,wideo.wp.pl,kuchnia.wp.pl,facet.wp.pl,sportowefakty.wp.pl,turystyka.wp.pl,magazyn.wp.pl,kobieta.wp.pl,ksiazki.wp.pl,tech.wp.pl,opinie.wp.pl,teleshow.wp.pl,gwiazdy.wp.pl,film.wp.pl,wiadomosci.wp.pl,finanse.wp.pl#%#(()=>{Object.defineProperty=new Proxy(Object.defineProperty,{apply:(e,t,n)=>{const r=new Set(["VP","w3","JW"]),o=n[1],c=n[2]?.get;return o&&r.has(o)&&"function"==typeof c&&c.toString().includes("()=>i")&&(n[2].get=function(){return function(){return!1}}),Reflect.apply(e,t,n)}});})();
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,important,domain=videostar.pl|o2.pl|dobreprogramy.pl|polygamia.pl|genialne.pl|pysznosci.pl|benchmark.pl|wp.pl|jastrzabpost.pl
+||wp.hit.gemius.pl/gplayer.js$script,redirect=noopjs,domain=videostar.pl
+||googletagmanager.com/gtm.js?id=$script,redirect=noopjs,domain=pilot.wp.pl
+||hit.gemius.pl/xgemius.js$script,redirect=noopjs,domain=wp.pl|money.pl|o2.pl|pudelek.pl|komorkomania.pl|gadzetomania.pl|fotoblogia.pl|autokult.pl|abczdrowie.pl|parenting.pl|videostar.pl|autocentrum.pl
+||bidder.criteo.com/$xmlhttprequest,redirect=nooptext,domain=wp.pl|money.pl|o2.pl|pudelek.pl|komorkomania.pl|gadzetomania.pl|fotoblogia.pl|autokult.pl|abczdrowie.pl|parenting.pl|videostar.pl|autocentrum.pl
+||static.criteo.net/js/$script,redirect=noopjs,domain=wp.pl|money.pl|o2.pl|pudelek.pl|komorkomania.pl|gadzetomania.pl|fotoblogia.pl|autokult.pl|abczdrowie.pl|parenting.pl|videostar.pl|autocentrum.pl
+||static.criteo.net/images/$image,redirect=1x1-transparent.gif,domain=wp.pl|money.pl|o2.pl|pudelek.pl|komorkomania.pl|gadzetomania.pl|fotoblogia.pl|autokult.pl|abczdrowie.pl|parenting.pl|videostar.pl|autocentrum.pl
+||connect.facebook.net/*/fbevents.js$script,redirect=noopjs,domain=wp.pl|money.pl|o2.pl|pudelek.pl|komorkomania.pl|gadzetomania.pl|fotoblogia.pl|autokult.pl|abczdrowie.pl|parenting.pl|videostar.pl|autocentrum.pl
+||googletagmanager.com/gtm.js$script,redirect=noopjs,domain=~pilot.wp.pl|wp.pl|money.pl|o2.pl|pudelek.pl|komorkomania.pl|gadzetomania.pl|fotoblogia.pl|autokult.pl|abczdrowie.pl|parenting.pl|autocentrum.pl
+||googletagservices.com/tag/js/gpt.js$script,redirect=googletagservices-gpt,important,domain=wp.pl|money.pl|o2.pl|pudelek.pl|komorkomania.pl|gadzetomania.pl|fotoblogia.pl|autokult.pl|abczdrowie.pl|parenting.pl|videostar.pl|autocentrum.pl
+! TODO: Add "!adguard_ext_firefox" to directive below when issue with $replace rules will be fixed - https://github.com/AdguardTeam/AdguardBrowserExtension/issues/2018
+@@||wp.pl/*-FwkqOxhmGz4XCSo7GGYbPhcJKjsYZhs-$script,domain=film.wp.pl|finanse.wp.pl|gwiazdy.wp.pl|kobieta.wp.pl|ksiazki.wp.pl|magazyn.wp.pl|moto.wp.pl|opinie.wp.pl|sportowefakty.wp.pl|tech.wp.pl|wiadomosci.wp.pl
+@@||wp.pl/b3RvQ2h1TVIzFCcBR0pAR3*DtBSkw=$script,domain=film.wp.pl|finanse.wp.pl|gwiazdy.wp.pl|kobieta.wp.pl|ksiazki.wp.pl|magazyn.wp.pl|moto.wp.pl|opinie.wp.pl|tech.wp.pl|wiadomosci.wp.pl
+@@||adv.wp.pl/RM/Box/c/b/inline/inline-o2_gaf.js$domain=o2.pl
+@@||adv.wp.pl/RM/Box/c/b/inline/inline-o2_pudelek_pl.js$domain=pudelek.pl
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=wp.pl|o2.pl|pudelek.pl|so-magazyn.pl
+@@||googletagservices.com/tag/js/gpt.js$domain=wp.pl|dobreprogramy.pl|o2.pl|pudelek.pl|so-magazyn.pl
+! Twoje okazje
+autocentrum.pl##body > div[class]:empty
+wiadomosci.wp.pl#?#td[data-reactid] > div[class*=" "] > div[class] > div[class] > div[class] > span + svg[name="close"]:last-child:upward(2)
+poczta.wp.pl#?#body > div > div[style^="height:"]:has(> a[href]:first-child ~ img[src^="https://v.wpimg.pl/"])
+poczta.wp.pl#%#//scriptlet("set-constant", "Object.prototype.emitSlotsLoad", "noopFunc")
+autokult.pl##body > div[id] > div[class]:empty
+money.pl##a[href^="https://ad.doubleclick.net/"]
+money.pl#?#div[class*=" "]:matches-css(box-sizing: content-box) > img[class][src^="https://v.wpimg.pl/"][alt] + div:upward(1)
+money.pl#?##app > div[class^="sc-"] > div[class]:not([class*=" "]) > div[class*=" "][style^="display: none !important;"]:only-child:upward(1)
+parenting.pl,turystyka.wp.pl,sportowefakty.wp.pl,abczdrowie.pl,film.wp.pl,wiadomosci.wp.pl,moto.wp.pl,kobieta.wp.pl##body > div[class]:not([id]):empty
+money.pl##body > #app > div[class] > div[class]:not([id]):empty
+pudelek.pl##body > #__next > div[data-testid="container"] > div[class] > div[class]:not([id]):empty
+kobieta.wp.pl##body > div[class] > div[class*=" "][style^="height:"][style*="transition:"]
+sportowefakty.wp.pl##article .advarticle
+pogoda.wp.pl,o2.pl,sportowefakty.wp.pl,autokult.pl,pudelek.pl##body > div[class^="_"]> a[href][target="_blank"]:only-child > div[style^="position:"][style*="background-image: url"]
+pilot.wp.pl,kobieta.wp.pl,money.pl,tech.wp.pl,gry.wp.pl##div[class^="_"]> a[href][target="_blank"]:only-child > div[style^="position:"][style*="background-image: url"]
+pudelek.pl##div[class^="_"][style^="position: relative;"] > a[href][target="_blank"]:only-child > div[style^="position:"][style*="background-image: url"]
+pogoda.wp.pl#?#.grid-container > .grid-left > .list > ul > li > div[class*=" "]:matches-css(background-image: /^url\(data:image/png;base64,iVBOR/):has(> div:first-child)
+pogoda.wp.pl#?#.grid-container > .grid-right div[class*=" "]:matches-css(background-image: /^url\(data:image/png;base64,iVBOR/):has(> div:first-child)
+tv.wp.pl#?#div[class*=" "][height]:has(> div:only-child > div > script:contains(slotNumber))
+profil.wp.pl#%#//scriptlet("set-constant", "Object.prototype.loadAndRunBunch", "noopFunc")
+[$path=/strefapilota]pilot.wp.pl#%#//scriptlet("abort-on-property-write", "Object.prototype.callBids")
+[$path=/strefapilota]pilot.wp.pl#%#//scriptlet("abort-on-property-write", "Object.prototype.directOnly")
+pysznosci.pl,domodi.pl,wideo.wp.pl,benchmark.pl,vpolshchi.pl,kafeteria.pl,dobreprogramy.pl,open.fm,abczdrowie.pl,www.o2.pl,parenting.pl,fotoblogia.pl,gadzetomania.pl,komorkomania.pl,autocentrum.pl,autokult.pl,pudelek.pl,dom.wp.pl,tv.wp.pl,magazyn.wp.pl,facet.wp.pl,turystyka.wp.pl,gwiazdy.wp.pl,teleshow.wp.pl,gry.wp.pl,kuchnia.wp.pl,ksiazki.wp.pl,wiadomosci.wp.pl,moto.wp.pl,pogoda.wp.pl,fitness.wp.pl,turystyka.wp.pl,wroclaw.wp.pl,wawalove.wp.pl,opinie.wp.pl,tech.wp.pl,sportowefakty.wp.pl,kobieta.wp.pl,finanse.wp.pl#%#//scriptlet("abort-on-property-write", "Object.prototype.callBids")
+pysznosci.pl,domodi.pl,wideo.wp.pl,poczta.wp.pl,autokult.pl,benchmark.pl,vpolshchi.pl,dobreprogramy.pl,poczta.o2.pl,www.wp.pl,parenting.pl,kafeteria.pl,magazyn.wp.pl,facet.wp.pl,turystyka.wp.pl,teleshow.wp.pl,gry.wp.pl,kuchnia.wp.pl,ksiazki.wp.pl,sportowefakty.wp.pl,film.wp.pl,wiadomosci.wp.pl,kobieta.wp.pl,moto.wp.pl,horoskop.wp.pl,twojeip.wp.pl,money.pl,polygamia.pl,vibez.pl,abczdrowie.pl,pudelek.pl#%#//scriptlet("abort-on-property-write", "Object.prototype.directOnly")
+autokult.pl,autocentrum.pl,jastrzabpost.pl,money.pl,kobieta.wp.pl,polygamia.pl,film.wp.pl,www.wp.pl#%#//scriptlet('abort-on-property-write', 'Object.prototype.reloadedSlots')
+poczta.o2.pl,poczta.wp.pl,www.wp.pl,money.pl#%#//scriptlet('set-constant', 'rekid', 'undefined')
+poczta.o2.pl,poczta.wp.pl,www.wp.pl,money.pl#%#//scriptlet("abort-on-property-write", "Object.prototype.gafDirect")
+fitness.wp.pl,vibez.pl#%#//scriptlet("abort-on-property-read", "Object.prototype.bodyCode")
+profil.wp.pl,echirurgia.pl,kafeteria.pl#%#//scriptlet("set-constant", "Object.prototype.advViewability", "undefined")
+profil.wp.pl,echirurgia.pl,kafeteria.pl,open.fm#%#//scriptlet("set-constant", "Object.prototype.gafSlot", "undefined")
+profil.wp.pl,echirurgia.pl,kafeteria.pl#%#//scriptlet("set-constant", "Object.prototype.rekids", "undefined")
+abczdrowie.pl,pysznosci.pl,o2.pl,autokult.pl,jastrzabpost.pl,genialne.pl,polygamia.pl,money.pl,wp.pl#%#//scriptlet('trusted-prune-inbound-object', 'Object.entries', '*.slots')
+turystyka.wp.pl,opinie.wp.pl,gry.wp.pl,moto.wp.pl,gwiazdy.wp.pl,tech.wp.pl,kobieta.wp.pl,wiadomosci.wp.pl#?#div[class*="-"] > div[class*="-"][class*=" "]:has(> img[src="https://i.wpimg.pl/O/56x45/i.wp.pl/a/i/stg/pkf/bg.png"])
+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,tech.wp.pl,teleshow.wp.pl,turystyka.wp.pl,wawalove.wp.pl,wiadomosci.wp.pl,wroclaw.wp.pl#?#td[data-reactid] > div[class] > div[class] > div[class*=" "] > div[class] > span:contains(/^TWOJE OKAZJE$/):upward(2)
+dobreprogramy.pl##iframe[id^="__bc_ifrm"]
+so-magazyn.pl,o2.pl,pudelek.pl,film.wp.pl,finanse.wp.pl,gwiazdy.wp.pl,kobieta.wp.pl,ksiazki.wp.pl,magazyn.wp.pl,moto.wp.pl,opinie.wp.pl,sportowefakty.wp.pl,tech.wp.pl,teleshow.wp.pl,wiadomosci.wp.pl#@#.pub_300x250
+so-magazyn.pl,o2.pl,pudelek.pl,film.wp.pl,finanse.wp.pl,gwiazdy.wp.pl,kobieta.wp.pl,ksiazki.wp.pl,magazyn.wp.pl,moto.wp.pl,opinie.wp.pl,sportowefakty.wp.pl,tech.wp.pl,teleshow.wp.pl,wiadomosci.wp.pl#@#.text_ads
+so-magazyn.pl,o2.pl,pudelek.pl,film.wp.pl,finanse.wp.pl,gwiazdy.wp.pl,kobieta.wp.pl,ksiazki.wp.pl,magazyn.wp.pl,moto.wp.pl,opinie.wp.pl,sportowefakty.wp.pl,tech.wp.pl,teleshow.wp.pl,wiadomosci.wp.pl#$#.pub_300x250 { display: block!important; }
+abczdrowie.pl,so-magazyn.pl,o2.pl,pudelek.pl,film.wp.pl,finanse.wp.pl,gwiazdy.wp.pl,kobieta.wp.pl,ksiazki.wp.pl,magazyn.wp.pl,moto.wp.pl,opinie.wp.pl,sportowefakty.wp.pl,tech.wp.pl,teleshow.wp.pl,wiadomosci.wp.pl#$?#html { overflow: visible!important; position: unset!important; }
+abczdrowie.pl,so-magazyn.pl,o2.pl,pudelek.pl,film.wp.pl,finanse.wp.pl,gwiazdy.wp.pl,kobieta.wp.pl,ksiazki.wp.pl,magazyn.wp.pl,moto.wp.pl,opinie.wp.pl,sportowefakty.wp.pl,tech.wp.pl,teleshow.wp.pl,wiadomosci.wp.pl#$?#body { overflow-y: visible!important; position: unset!important; }
+abczdrowie.pl,so-magazyn.pl,o2.pl,pudelek.pl,film.wp.pl,finanse.wp.pl,gwiazdy.wp.pl,kobieta.wp.pl,ksiazki.wp.pl,magazyn.wp.pl,moto.wp.pl,opinie.wp.pl,sportowefakty.wp.pl,tech.wp.pl,teleshow.wp.pl,wiadomosci.wp.pl#$?#body > [class]:not(.settings--user):not(.article__textbox) { filter: none!important; }
+so-magazyn.pl,o2.pl,pudelek.pl,wp.pl#$#body > .css-adv.text_ads.ads.adsbygoogle.Adv.advertisement.top-banners#ad-column { display: block!important; }
+~poczta.wp.pl,~poczta.o2.pl,so-magazyn.pl,o2.pl,pudelek.pl,wp.pl##[class^="css-"]:not(.css-adv)
+autocentrum.pl,parenting.pl,abczdrowie.pl,autokult.pl,fotoblogia.pl,komorkomania.pl,gadzetomania.pl,money.pl,so-magazyn.pl,o2.pl,pudelek.pl,wp.pl#@#[class^="css-"]
+autocentrum.pl,parenting.pl,abczdrowie.pl,autokult.pl,fotoblogia.pl,komorkomania.pl,gadzetomania.pl,money.pl,so-magazyn.pl,o2.pl,pudelek.pl,wp.pl#@#[class^="advertisement"]
+autocentrum.pl,parenting.pl,abczdrowie.pl,autokult.pl,fotoblogia.pl,komorkomania.pl,gadzetomania.pl,money.pl,so-magazyn.pl,o2.pl,pudelek.pl,wp.pl#@#[class^="ad-"]
+autocentrum.pl,parenting.pl,abczdrowie.pl,autokult.pl,fotoblogia.pl,komorkomania.pl,gadzetomania.pl,money.pl,so-magazyn.pl,o2.pl,pudelek.pl,wp.pl#@#.ads
+autocentrum.pl,parenting.pl,abczdrowie.pl,autokult.pl,fotoblogia.pl,komorkomania.pl,gadzetomania.pl,money.pl,so-magazyn.pl,o2.pl,pudelek.pl,wp.pl#@#.top-banners
+autocentrum.pl,parenting.pl,abczdrowie.pl,autokult.pl,fotoblogia.pl,komorkomania.pl,gadzetomania.pl,money.pl,so-magazyn.pl,o2.pl,pudelek.pl,wp.pl#@##ad-column
+wp.pl#@#body > div:nth-of-type(1)[style^="display: block;"]:not(#page)
+!
+@@||autocentrum.pl^$generichide
+@@||videostar.pl^$generichide
+@@||parenting.pl^$generichide
+@@||abczdrowie.pl^$generichide
+@@||autokult.pl^$generichide
+@@||fotoblogia.pl^$generichide
+@@||komorkomania.pl^$generichide
+@@||gadzetomania.pl^$generichide
+@@||money.pl^$generichide
+@@||so-magazyn.pl^$generichide
+@@||o2.pl^$generichide
+@@||pudelek.pl^$generichide
+@@||wp.pl^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/37699
+dobreprogramy.pl#$#.nav-tabs-content > #new-tools.block-content:not(.active) { display: none; }
+dobreprogramy.pl#$#.nav-tabs-content > #popular-tools.block-content:not(.active) { display: none; }
+dobreprogramy.pl#$#.nav-tabs-content > #new-stable.block-content:not(.active) { display: none; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/34071
+webcamera.pl#$#.adsbygoogle { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/33856
+! https://github.com/AdguardTeam/AdguardFilters/issues/33231
+andek.com.pl##.single-entry-summary > div[style="float:left;width:270px;height:260px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/33102
+! https://github.com/AdguardTeam/AdguardFilters/issues/47720
+! https://github.com/AdguardTeam/AdguardFilters/issues/32558
+@@||odkrywamyzakryte.com/wp-content/plugins/bwp-minify/min/?f=wp-content/plugins/
+odkrywamyzakryte.com#?#div[class*="sidebar"] > .widget_text:has(> .textwidget > a[href]:not([href*="odkrywamyzakryte.com"]) > img)
+odkrywamyzakryte.com#?#.td-ss-main-sidebar > .widget_text:has(> h4.block-title > span:contains(REKLAMA))
+odkrywamyzakryte.com#%#//scriptlet("abort-on-property-read", "sc_adv_out")
+! https://github.com/AdguardTeam/AdguardFilters/issues/31994
+chillizet.pl##.footer-article > .esi
+! https://github.com/AdguardTeam/AdguardFilters/issues/31836
+twojogrodek.pl#$#.pub_300x250.pub_300x250m.text-ad.textAd.text-ads.text-ad-links { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/31544
+@@||autocentrum.pl/system/modules/adblock/js/advertisement.js
+autocentrum.pl#%#//scriptlet("set-constant", "adblockJsFile", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/31459
+tajemnice-swiata.pl##.mh-sidebar > div[id^="custom_html-"]
+tajemnice-swiata.pl##.mh-sidebar > div[id^="text-"]:not(#text-41)
+! https://github.com/AdguardTeam/AdguardFilters/issues/31343
+dojrzewamy.pl##div[id^="google_ads_div_"]
+dojrzewamy.pl##.adblock_info
+dojrzewamy.pl#$#body .ad-container { display: block!important; height: 1px!important; }
+dojrzewamy.pl#%#//scriptlet("abort-current-inline-script", "setTimeout", "adblock_info")
+! https://github.com/AdguardTeam/AdguardFilters/issues/31172
+@@||cdnjs.cloudflare.com/ajax/libs/fuckadblock/3.2.1/fuckadblock.min.js$domain=naszraciborz.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/31057
+lwowecki.info##a[target="_blank"] > img[src$=".gif"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/30525
+nczas.com#$#.adsbygoogle { position: absolute!important; left: -3000px!important; }
+! dniwolne.eu - ads
+!+ NOT_PLATFORM(ext_ff, ext_opera, ios, ext_android_cb, ext_safari)
+dniwolne.eu###main > .axv
+! ekino-tv.pl - skip timer
+ekino-tv.pl#%#//scriptlet('set-constant', 'time', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/30438
+! valique.com - antiadblock
+valique.com#$#.adds { height: 1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/29820
+jakbudowac.pl#$#.pub_300x250.pub_300x250m.text-ad.textAd.text-ads.text-ad-links { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/50316
+! https://github.com/AdguardTeam/AdguardFilters/issues/29592
+docer.pl,doci.pl#%#AG_onLoad(function() { var el=document.body; var ce=document.createElement('div'); ce.style = 'width: 1px !important; display: block !important;'; if(el) { el.appendChild(ce); ce.setAttribute("id", "doublebillboard-1"); } });
+@@||static.webshark.pl/adserver/*/main_script.js?advertise_check=1
+docer.pl#%#window.ads_unblocked = !0;
+docer.pl#$?#iframe#doublebillboard-1 { width: 1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/36229
+! https://github.com/AdguardTeam/AdguardFilters/issues/34353
+pilot.wp.pl#@#body > script + iframe + div:not([id])[class]
+pilot.wp.pl#$#html > body > div.pub_300x250.text_ads.ad_container[style]:not(#page) { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/29296
+!+ NOT_PLATFORM(windows, mac, android)
+@@||wp.pl/*-FwkqOxhmGz4XCSo7GGYbPhcJKjsYZhs-$script,domain=pilot.wp.pl
+! legia.net - antiadblock
+||get.optad360.io/*/plugin.min.js$script,redirect=noopjs,important,domain=legia.net
+||lib.wtg-ads.com/lib.min.js$script,redirect=noopjs,important,domain=legia.net
+||lib.wtg-ads.com/publisher/legia.net/standard.publisher.config.min.js$script,redirect=noopjs,important,domain=legia.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/148733
+||morfo.*.amazonaws.com/*/banner_*.gif$domain=sciaga.pl
+||morfo.*.amazonaws.com/*/screning-*_*.jpg$domain=sciaga.pl
+sciaga.pl##.sth-bill
+sciaga.pl#$?#.sth-bill { remove: true; }
+sciaga.pl#%#//scriptlet('prevent-window-open', '/doubleclick\.net|gemius\.pl/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/29042
+||video.onnetwork.tv^$domain=sciaga.pl
+! wyborcza.pl - fixing video player
+! sadistic.pl - antiadblock
+sadistic.pl###spAd
+@@||cdnjs.cloudflare.com/ajax/libs/fuckadblock/3.2.1/fuckadblock.min.js$domain=sadistic.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/28505
+||napisy24.pl/run/js/blad*.js$script
+||google.com/*/ads.html|$redirect=nooptext,important,domain=napisy24.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/49385
+! https://github.com/AdguardTeam/AdguardFilters/issues/28554
+kurnik.pl#@$#.adsbygoogle { height: 1px !important; width: 1px !important; }
+kurnik.pl#$#body ins.adsbygoogle[data-ad-slot] { display: block !important; height: 2px !important; width: 1px !important; }
+kurnik.pl#%#//scriptlet('abort-on-property-write', 'abask')
+! https://github.com/AdguardTeam/AdguardFilters/issues/28506
+@@||static.gazetaprawna.pl/js/adverts.js
+dziennik.pl#%#window.canRunAds = true;
+! https://github.com/AdguardTeam/AdguardFilters/issues/28403
+spottedskarzysko.pl##p[style="text-align: center;"] > a[rel="noopener noreferrer"] > img
+spottedskarzysko.pl##p[align="center"] > a[target="_blank"][rel="noopener noreferrer"] > img
+||spottedskarzysko.pl/images/data/*/UNINET-MAJ2.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/28035
+forsal.pl#%#window.canRunAds = true;
+@@||static.forsal.pl/js/adverts.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/25773
+skapiec.pl#?##content > .content-wrapper > h2.before-popularshops:has(> .advertisement)
+skapiec.pl#?##content > .content-wrapper > h2.before-popularshops:has(> .advertisement) + div[class="slider-module-container slim no-background"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/27403
+@@||szukajka.tv/static/fonts/$font
+@@||cda.pl/video/$subdocument,domain=szukajka.tv
+@@||szukajka.tv/link/$subdocument,domain=szukajka.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/122928
+tvswietokrzyska.pl,przegladpiaseczynski.pl##.tipad_tag
+tvswietokrzyska.pl,przegladpiaseczynski.pl##div[class*="widget-advert_"]
+tvswietokrzyska.pl,przegladpiaseczynski.pl#?##main-content > .text-center:has(> [class*="d-inline-block"] > .tipad_tag)
+! https://github.com/AdguardTeam/AdguardFilters/issues/27314
+przegladpiaseczynski.pl#$#html[class].wppas-model-open { overflow: visible!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/27249
+@@||s-pt.ppstatic.pl/o/js/pp-ads/ads.js
+@@||ppstatic.pl/lib/*/js/ads/*/reklama.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/26925
+@@||towideo.pl/assets/ads_configs/sas_vod.js
+@@||towideo.pl/assets/ads_configs/sasPluginData.js
+@@||towideo.pl/assets/ads_configs/sas_ad_config_vod.js
+@@||sascdn.com/video/controller.js$domain=towideo.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/26047
+budujemydom.pl##.magazyn-label
+budujemydom.pl##.byebye
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/26021
+mecze24.pl##a[href^="https://www.mecze24.pl/bukmacher"] > img
+mecze24.pl##.list > li[class]:not([data-sport]) > a[href] > img
+mecze24.pl##.list ol > li.promo > a[href][rel="external"] > img[src^="upload/bookmaker/"]
+mecze24.pl##ol > li.promo ~ li:not([class]):not([id]) > a[href][rel="external"] > img[src^="upload/bookmaker/"]
+mecze24.pl#?#.active > .list > li[class]:not([data-sport]):not(.inactive):has(a[href^="https://www.mecze24.pl/bukmacher"])
+meczenazywo.pl#?#.active > .list > li[class]:not([data-sport]):not(.inactive):has(a[href^="https://www.meczenazywo.pl/bukmacher"])
+meczenazywo.pl,mecze24.pl#?#.active > .list > li[class]:not([data-sport]):not(.inactive):has(> fieldset a[href^="https://bit.ly/"])
+meczenazywo.pl,mecze24.pl#%#//scriptlet('set-constant', 'aPopunder', 'emptyArray')
+||cw.totolotek.pl/baner/banner*.php?refID
+||extragoals.com/upload/video/fortuna.mp4
+/media/js/jquery.pu.js$domain=mecze24.pl|meczenazywo.pl
+!+ NOT_OPTIMIZED
+mecze24.pl#?#div[class^="cool-stuff"]
+!
+! pluscdn.pl - antiadblock
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=pluscdn.pl
+pluscdn.pl#%#//scriptlet("json-prune", "ads.adBlockDetectionEnabled")
+! https://github.com/AdguardTeam/AdguardFilters/issues/57202
+! anime-odcinki.pl - ads
+anime-odcinki.pl##.region-sidebar-second > .widget_text > .textwidget > center > div[id][style="width:300px;height:250px;"]:empty
+kitsune-subs.anime-odcinki.pl#%#window.showAds = true;
+@@||kitsune-subs.anime-odcinki.pl/wp-content/themes/fanstrap/lib/js/advertisement.js
+anime-odcinki.pl##a[href="https://e-neko.pl/"] > img
+||cdn.shortpixel.ai/client/q_lossy,ret_img/https://anime-odcinki.pl/wp-content/uploads/*/ga_banner1.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/122217
+! https://github.com/AdguardTeam/AdguardFilters/issues/25794
+!+ NOT_OPTIMIZED
+bezprawnik.pl##div[class^="ad_slot_"]
+bezprawnik.pl##.wall-bg-link
+bezprawnik.pl#$#.wall-bg[style^="background-image:"] { background-image: none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/26020
+polsatsport.pl##.fl-right > a[href^="http://redefineadpl.hit.gemius.pl/hitredir/"][href*="url=https://ad.doubleclick.net/ddm/trackclk/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/26076
+speedtest.pl#$#.adsbygoogle { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/25849
+@@||cdn.muratordom.smcloud.net/t/advert.js
+@@||sascdn.com/video/controller.js$domain=mjakmama24.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/26074
+mgsm.pl#$#.mediafarm { height: 0 !important; }
+mgsm.pl###left-con div[style="min-height: 280px; display: flex; align-items: center; justify-content: center;"]
+mgsm.pl###left-con > .row > .columns > div[style="display: block; height: 330px; text-align:center;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/81217
+!+ NOT_OPTIMIZED
+tv.wp.pl#?##app div[class*=" "]:matches-property("/__reactInternalInstance/.child.memoizedProps.slotNumber"="/\d+/")
+! https://github.com/AdguardTeam/AdguardFilters/issues/171268
+! https://github.com/AdguardTeam/AdguardFilters/issues/153732
+money.pl#?#div[data-breakpoint] > div[class^="sc-"] > div[class^="sc-"] > div[class*="sc-"]:not([class^="sc-"]) > div[class^="sc-"]:matches-css(before, content: REKLAMA)
+! https://github.com/AdguardTeam/AdguardFilters/issues/142845
+money.pl##iframe[src="https://direct.money.pl/promoted-offers-hp-money"]
+money.pl#?#main > div[class]:has(> iframe[src="https://direct.money.pl/promoted-offers-hp-money"]):matches-css(before, content: REKLAMA)
+money.pl##iframe[src="https://direct.money.pl/static/placek_box/direct_box_new.html"]
+money.pl#?#main > div[class]:has(> iframe[src="https://direct.money.pl/static/placek_box/direct_box_new.html"]):matches-css(before, content: REKLAMA)
+! https://github.com/AdguardTeam/AdguardFilters/issues/54690
+! https://github.com/AdguardTeam/AdguardFilters/issues/44169
+! https://github.com/AdguardTeam/AdguardFilters/issues/26011
+pudelek.pl#?#[class*="-"] > div[class*="-"][class*=" "]:has(> img[src="https://i.wpimg.pl/O/56x45/i.wp.pl/a/i/stg/pkf/bg.png"])
+!+ NOT_OPTIMIZED
+pudelek.pl#?#div[data-testid] div[class*=" "]:matches-property("/__reactInternalInstance/.return.memoizedProps.slotNumber"="/\d+/")
+money.pl##a[href="https://www.kongres590.pl/"] > img
+pudelek.pl,o2.pl,moneyv.wp.pl,money.pl#?#div[class*="sc-"]:has(> img[src="https://i.wpimg.pl/O/56x45/i.wp.pl/a/i/stg/pkf/bg.png"])
+money.pl#?#img[src="/static/mny-placeholder.png"]:upward(1)
+!+ NOT_OPTIMIZED
+moneyv.wp.pl,money.pl#?##app div[class*=" "]:matches-property("/__reactInternalInstance/.return.memoizedProps.slotNumber"="/\d+/")
+!+ NOT_OPTIMIZED
+moneyv.wp.pl,money.pl#?##app > div[class^="sc-"] > div[class]:matches-property("/__reactInternalInstance/.return.memoizedProps.advNumber"="/\d+/")
+! https://github.com/AdguardTeam/AdguardFilters/issues/25329
+chomikuj.pl###InboxTable > tbody > tr > td.dataCell > p.spons
+chomikuj.pl###InboxTable > tbody > tr > td.dataCell + td > a[href*="/lp/"][href*="/?aid="][href*="&utm_campaign=default"]
+chomikuj.pl#?##InboxTable > tbody > tr:has(> td.dataCell > p.spons)
+! https://github.com/AdguardTeam/AdguardFilters/issues/24717
+tv.wp.pl#?#div[class*="grid-headers-boundary"] div[class*=" "]:has(> div[class*=" "][height] > div:only-child)
+tv.wp.pl#?#div[class*=" "][height]:has(> img[src^="https://v.wpimg.pl/"][src$="="]:not([alt]))
+tv.wp.pl#$#.AdUnit.adBanner.adsbox.adsinfo.mixadvert { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/26578
+! https://github.com/AdguardTeam/AdguardFilters/issues/24284
+||sascdn.com/video/controller.js$domain=eskago.pl,important
+@@||cdnjs.cloudflare.com/ajax/libs/blockadblock/3.2.1/blockadblock.js$domain=eskago.pl
+@@||cdn.rawgit.com/sitexw/FuckAdBlock/*/fuckadblock.js$domain=eskago.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/153721
+infor.pl##.adsContent
+infor.pl#?#.singleTopArea:has(> .adsContent)
+! https://github.com/AdguardTeam/AdguardFilters/issues/24036
+kreskowkazone.pl#@#.myTestAd
+! https://github.com/AdguardTeam/AdguardFilters/issues/24008
+||i.iplsc.com/twoje-zdrowie-banner^
+! https://github.com/AdguardTeam/AdguardFilters/issues/23702
+dziennik.pl##.widget-list-ul > .infeed1
+! https://github.com/AdguardTeam/AdguardFilters/issues/170628
+wykop.pl#?#aside.tag-top > .hits-slider:matches-css(before, content: /^reklama$/)
+||r.wykop.pl/widget-api/*/widget$xmlhttprequest
+! Rule below fixes issue with loading content on - https://wykop.pl/tag/reklama
+@@||wykop.pl/api/v3/tags/reklama/$xmlhttprequest,~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/140299
+||wykop.pl/api/v*/ads
+wykop.pl##body .pub-slot-wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/23704
+wykop.pl###wpladtop
+wykop.pl##a[href^="https://www.wykop.pl/adverts"]
+||wykop.pl/adverts^
+wykop.pl#?##itemsStream > .link:has(a[href^="http://www.wykop.pl/reklama"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/23706
+gazeta.pl###alternativeNewsSource
+gazeta.pl##.o-section__adform
+! https://github.com/AdguardTeam/AdguardFilters/issues/139975
+! https://github.com/AdguardTeam/AdguardFilters/issues/139973
+e-ogrodek.pl,gra.pl,stronakuchni.pl,stronapodrozy.pl,strefaedukacji.pl,i.pl,stronazdrowia.pl,naszahistoria.pl,regiodom.pl,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,gs24.pl,katowice.naszemiasto.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#?#.componentsPromotionsPromotedList[data-event-position-context^="marketing_"]:not(:has(> .atomsHeader > h2.atomsHeader__title > span:contains(Quizy)))
+! https://github.com/AdguardTeam/AdguardFilters/issues/121975
+! https://github.com/AdguardTeam/AdguardFilters/issues/121876
+e-ogrodek.pl,stronakuchni.pl,stronapodrozy.pl,dziennikbaltycki.pl,dzienniklodzki.pl,dziennikpolski24.pl,echodnia.pl,expressbydgoski.pl,expressilustrowany.pl,gazetakrakowska.pl,gazetalubuska.pl,gazetawroclawska.pl,gk24.pl,gloswielkopolski.pl,gol24.pl,gp24.pl,gra.pl,gs24.pl,i.pl,kurierlubelski.pl,motofakty.pl,naszemiasto.pl,nowosci.com.pl,nto.pl,polskatimes.pl,pomorska.pl,poranny.pl,sportowy24.pl,strefaagro.pl,strefabiznesu.pl,strefaedukacji.pl,stronakobiet.pl,stronazdrowia.pl,to.com.pl,wspolczesna.pl##.componentsListingLargeRow__content > div[data-turn-on-display] > .atomsListingArticleTileWithSeparatedLink > a[title="Reklama"]
+e-ogrodek.pl,stronakuchni.pl,stronapodrozy.pl,dziennikbaltycki.pl,dzienniklodzki.pl,dziennikpolski24.pl,echodnia.pl,expressbydgoski.pl,expressilustrowany.pl,gazetakrakowska.pl,gazetalubuska.pl,gazetawroclawska.pl,gk24.pl,gloswielkopolski.pl,gol24.pl,gp24.pl,gra.pl,gs24.pl,i.pl,kurierlubelski.pl,motofakty.pl,naszemiasto.pl,nowosci.com.pl,nto.pl,polskatimes.pl,pomorska.pl,poranny.pl,sportowy24.pl,strefaagro.pl,strefabiznesu.pl,strefaedukacji.pl,stronakobiet.pl,stronazdrowia.pl,to.com.pl,wspolczesna.pl#?#.componentsListingLargeRow__content > div[data-turn-on-display]:has(> .atomsListingArticleTileWithSeparatedLink > .adsSlotContainer)
+! https://github.com/AdguardTeam/AdguardFilters/issues/131526
+! https://github.com/AdguardTeam/AdguardFilters/issues/124290
+! https://github.com/AdguardTeam/AdguardFilters/issues/124289
+e-ogrodek.pl,gra.pl,stronakuchni.pl,stronapodrozy.pl,strefaedukacji.pl,i.pl,stronazdrowia.pl,naszahistoria.pl,regiodom.pl,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,gs24.pl,katowice.naszemiasto.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##.componentsPromotionsListWithTabs
+! https://github.com/AdguardTeam/AdguardFilters/issues/121404
+! https://github.com/AdguardTeam/AdguardFilters/issues/124259
+e-ogrodek.pl,gra.pl,stronakuchni.pl,stronapodrozy.pl,strefaedukacji.pl,i.pl,stronazdrowia.pl,naszahistoria.pl,regiodom.pl,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,gs24.pl,katowice.naszemiasto.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##.layoutsGrid__right > [style="height: 900px; padding-bottom: 20px;"]
+e-ogrodek.pl,gra.pl,stronakuchni.pl,stronapodrozy.pl,strefaedukacji.pl,i.pl,stronazdrowia.pl,naszahistoria.pl,regiodom.pl,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,gs24.pl,katowice.naszemiasto.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##.componentsPromotionsArticlePromotedList
+! https://github.com/AdguardTeam/AdguardFilters/issues/23631
+e-ogrodek.pl,gra.pl,stronakuchni.pl,stronapodrozy.pl,strefaedukacji.pl,i.pl,stronazdrowia.pl,naszahistoria.pl,regiodom.pl,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,gs24.pl,katowice.naszemiasto.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##.promoContainer
+||s-gr.cdngr.pl/assets/gratka/v*/css/pages/promoButton.css
+||ppstatic.pl/assets/gratka/v*/css/pages/promoButton.css$domain=~naszemiasto.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/161859
+instalki.pl##.inst-slot
+! https://github.com/AdguardTeam/AdguardFilters/issues/23630
+instalki.pl##.module-adv
+instalki.pl###outer > #banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/23628
+pcworld.pl#%#window.uabpInject = function() {};
+! https://github.com/AdguardTeam/AdguardFilters/issues/39370
+! https://github.com/AdguardTeam/AdguardFilters/issues/29945
+! https://github.com/AdguardTeam/AdguardFilters/issues/28572
+! https://github.com/AdguardTeam/AdguardFilters/issues/23446
+@@||dziennikwschodni.pl/*/*ads.
+@@||dziennikwschodni.pl/*/*?ads=$~third-party,image
+dziennikwschodni.pl#$#.adholder { display: block!important; height: 1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/23504
+overwatch.pl#$#.adlabel.advertbox3.bottomAd.mini-ad.rightAd.sky_advert.top_ad_game { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/23399
+gry-online.pl##.baner.if-no-baner
+! https://github.com/AdguardTeam/AdguardFilters/issues/23178
+dogry.pl#$#.ad.ads.adBanner { display: block!important; }
+dogry.pl###js-zarobek-quest-list-second-horizontal
+! https://github.com/AdguardTeam/AdguardFilters/issues/23066
+superportal24.pl##.bnr
+superportal24.pl##.bnr--billboard
+superportal24.pl##body > #page-top
+! https://github.com/AdguardTeam/AdguardFilters/issues/22709
+forbes.pl##div[data-run-module="local/main.stickyAloneAd"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/22625
+dziwneobrazki.pl##.adsbygoogle
+! doci.pl - antiadblock, ad leftovers
+doci.pl###video-ad-preroll
+doci.pl##.span4 > .content > div[style="font-size:10px;color:grey;float:left;padding-left:5px;"]
+doci.pl#?#.span4 > .content > div[style="font-size:10px;color:grey;float:left;padding-left:5px;"] + .iconset-details-list > .adsbygoogle:upward(1)
+doci.pl#$?#iframe#doublebillboard-1:not(:has(>*)) { width: 1px!important; }
+doci.pl#%#window.ads_unblocked = true;
+! https://github.com/AdguardTeam/AdguardFilters/issues/22079
+! https://github.com/AdguardTeam/AdguardFilters/issues/20305
+skript.pl#%#//scriptlet("abort-current-inline-script", "document.addEventListener", "adblocka")
+! ipon.pl - antiadblock
+ipon.pl#$#.app_adv_baner { height: 1px!important; }
+ipon.pl#$#.appAdvContainer { height: 1px!important; }
+ipon.pl#%#(function(){var b=window.setTimeout;window.setTimeout=function(a,c){if(!/checkAds\(\);/.test(a.toString()))return b(a,c)};})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/123480
+cda.pl##.siddeAd
+cda.pl##.top-anonco-cont
+cda.pl#$#.smp-fullscr { display: none !important; }
+cda.pl#$#body.fullscreen-overflow { overflow: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/104189
+! https://github.com/AdguardTeam/AdguardFilters/issues/67436
+! https://github.com/AdguardTeam/AdguardFilters/issues/19684
+||cda.pl/xml_pool/*pool*.php
+||cda.pl/xml/pool.php
+||g.cda.pl/player.php?ads
+||g.cda.pl/block/block.php
+||g.cda.pl/xml_adbc.php
+ebd.cda.pl#%#//scriptlet("prevent-window-open", "0", "cda.pl")
+! https://github.com/AdguardTeam/AdguardFilters/issues/19026
+jbzdy.pl##.dads
+! https://github.com/AdguardTeam/AdguardFilters/issues/17188
+! superfilm.pl - antiadblock
+superfilm.pl#%#window.adblock = true;
+! https://github.com/AdguardTeam/AdguardFilters/issues/14599
+! https://github.com/AdguardTeam/AdguardFilters/issues/14435
+allegro.pl##div[data-box-name*="carousel_ads"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/14334
+@@||tools.services.tvn.pl/_ads/advert.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/64980
+! https://github.com/AdguardTeam/AdguardFilters/issues/13641
+animezone.pl#@#.myTestAd
+animezone.pl#$#.myTestAd { display: block!important; height: 1px!important; }
+animezone.pl##.rek
+animezone.pl#$?#.category-description > #episode > .embed-container:has(> a[href][target="_blank"].link-play) { padding-bottom: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/13426
+! https://github.com/AdguardTeam/AdguardFilters/issues/19903
+!+ NOT_PLATFORM(ext_ublock)
+~www.wp.pl,wp.pl#?#div[class^="_"] > div[class^="_"][class*="_"]:has(> img[src^="https://v.wpimg.pl/"][src$="=="][alt="WP"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/11314
+! https://github.com/AdguardTeam/AdguardFilters/issues/11623
+~www.wp.pl,wp.pl###aSlot3
+!+ NOT_PLATFORM(windows, mac, android, ext_ublock)
+www.wp.pl#?#[class*="AdvSlotWithPlaceholder__"]:has(>img[class^="AdvPlaceholder"])
+!+ NOT_PLATFORM(windows, mac, android, ext_ublock)
+~www.wp.pl,wp.pl#?#[class^="_"] > [class^="_"][class*=" _"]:has(>[class^="_"] > [class*=" "] > [class]:first-child:contains(REKLAMA))
+!+ NOT_PLATFORM(windows, mac, android, ext_ublock)
+~www.wp.pl,wp.pl#?#[class^="_"] > [class^="_"][class*=" _"]:has(>[class^="_"] > [class*="_"] > a[href] > [style*="background-image: url("])
+! https://github.com/AdguardTeam/AdguardFilters/issues/13103
+! https://github.com/AdguardTeam/AdguardFilters/issues/12308
+kwejk.pl#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links.adsbygoogle { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/11565
+gry.pl#?##overlay:has(>.adblock)
+! tvp.info - incorrect blocking on the main page, video player is not centered when ".ad_slot" is hidden
+tvp.info#@#.ad_slot
+tvp.info#$#.ad_slot { height: 12px !important; min-height: 0 !important; visibility: hidden !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/147787
+! https://github.com/AdguardTeam/AdguardFilters/issues/135030
+! https://github.com/AdguardTeam/AdguardFilters/issues/133076
+! https://github.com/AdguardTeam/AdguardFilters/issues/132742
+! https://github.com/AdguardTeam/AdguardFilters/issues/131520
+! https://github.com/AdguardTeam/AdguardFilters/issues/128668
+! https://github.com/AdguardTeam/AdguardFilters/issues/123730
+! https://github.com/AdguardTeam/AdguardFilters/issues/119068
+vod.tvp.pl##.tp3-ads-dots
+tvpparlament.pl,tvp.pl,tvp.info,swipeto.pl#%#//scriptlet('prevent-element-src-loading', 'script', 'hit.gemius.pl')
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=swipeto.pl
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=noopjs,domain=tvp.pl|swipeto.pl|tvp.info|tvpparlament.pl
+||hit.gemius.pl/gplayer.js$script,xmlhttprequest,redirect=noopjs,domain=tvp.pl|swipeto.pl|tvp.info|tvpparlament.pl
+||hit.gemius.pl/gstream.js$script,xmlhttprequest,redirect=noopjs,domain=tvp.pl|swipeto.pl|tvp.info|tvpparlament.pl
+! TODO: remove hint when app for iOS/Safari extension will have scriptlets library version 1.9.57 or newer
+!+ NOT_PLATFORM(ios, ext_safari)
+tvpparlament.pl,tvp.pl,tvp.info,swipeto.pl#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/109263
+sport.tvp.pl##.banner-lotto-wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/92780
+! tvp.pl - antiadblock
+tvp.info,tvp.pl#%#//scriptlet("json-prune", "ads_enabled data.ads.list.*")
+tvp.info,tvp.pl#%#//scriptlet("set-constant", "tvPlayer2.AdsPlayer.prototype.setAdsConfig", "noopFunc")
+||tvp.pl/video/vod/reklamy/$domain=tvp.pl
+||vod.*.tvp.pl/video/vod/reklamy/
+@@||adx.adform.net/adx/$xmlhttprequest,other,domain=tvp.pl
+@@||myao.adocean.pl^$image,domain=tvp.pl
+@@||myao.adocean.pl/_*/ad.xml$xmlhttprequest,other,domain=tvp.pl
+@@||myao.adocean.pl/*ad.*?$xmlhttprequest,other,domain=tvp.pl
+@@||secure.adnxs.com/ptv?id=*&cb=*&pubclick=$xmlhttprequest,other,domain=tvp.pl
+@@||adservice.google.pl/adsid/integrator.js$script,domain=tvp.pl
+@@||myao.adocean.pl/|$domain=tvp.pl
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=tvp.pl|tvp.info
+@@||imasdk.googleapis.com/js/sdkloader/vpaid_adapter.js$domain=vod.tvp.pl
+! pcworld.pl - ads
+pcworld.pl#%#window.uabpdl = window.uabInject = true;
+! freedisc.pl - antiadblock
+freedisc.pl#%#window.ads_unblocked = true;
+! https://github.com/AdguardTeam/AdguardFilters/issues/11032
+chamsko.pl##.main-banner
+@@||chamsko.pl/js/advertisement.js
+! wp.pl
+!+ NOT_PLATFORM(ext_ublock)
+www.wp.pl#$#body { overflow: visible!important; }
+money.pl#$#body { overflow: visible!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/61660
+www.wp.pl#$#body > #root { opacity: 1 !important; }
+www.wp.pl##.grid > div:not([class]):has(> div[class*=" "]:only-child > div[class*=" "]:first-child + div[class*=" "]:last-child > div:empty:first-child + img[src*="://v.wpimg.pl/"][alt][role="presentation"]:last-child)
+www.wp.pl##div[class*=" "]:has(> img[src^="https://v.wpimg.pl/"][alt]:first-child + div:last-child)
+wp.pl##[class^="_"]:has(> img[src*=".wp.pl"])
+! turystyka.wp.pl,opinie.wp.pl,gry.wp.pl,moto.wp.pl,gwiazdy.wp.pl,tech.wp.pl,kobieta.wp.pl#?#div[class^="_"][class*=" _"]:has(>div[class]:first-child:empty+img[src*="://v.wpimg.pl/"][alt="WP"]:empty)
+turystyka.wp.pl#?#div:not([class]):not([id]) > div:not([class]):not([id]) > div[class*=" "] > div[class] > div:not([class]):not([id]):only-child > div:not([class]):not([id]):first-child > div[class]:only-child:upward(4)
+open.fm,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,tech.wp.pl,teleshow.wp.pl,turystyka.wp.pl,wawalove.wp.pl,wiadomosci.wp.pl,wroclaw.wp.pl##div[class*=" "]:has(> div[class]:first-child:empty + img[src*="://v.wpimg.pl/"][alt]:empty)
+pilot.wp.pl#?#div[style*="min-height:"] > div[class*=" "] > section[class*=" "] > div[class*=" "]:has(> img[src="https://std.wpcdn.pl/images/adv/placeholder_wp.svg"])
+pilot.wp.pl##.wp-player > .adpause > .plchldr
+||naanalle.pl/pb/bid
+||i.wp.pl/a/i/stg/wpjslib-nojq.js$domain=dobreprogramy.pl
+||std.wpcdn.pl/player/jingle-*.mp4$media,redirect=noopmp3-0.1s,domain=pilot.wp.pl
+||oas.wpcdn.pl/*.mp4$media,redirect=noopmp4-1s,domain=dobreprogramy.pl|medycyna24.pl|money.pl|o2.pl|pudelek.pl|wp.pl
+||v.wpimg.pl^$media,redirect=noopmp4-1s,domain=autocentrum.pl|autokult.pl|abczdrowie.pl|gadzetomania.pl|fotoblogia.pl|parenting.pl|komorkomania.pl|o2.pl|pudelek.pl|medycyna24.pl|money.pl|wp.pl|videostar.pl|polygamia.pl|genialne.pl|pysznosci.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/148911
+jastrzabpost.pl,pysznosci.pl,genialne.pl,polygamia.pl,abczdrowie.pl,autokult.pl,dobreprogramy.pl,fotoblogia.pl,gadzetomania.pl,komorkomania.pl,money.pl,parenting.pl,pudelek.pl,o2.pl,wp.pl#%#!function(){const r={apply:(r,o,e)=>(e[0]?.includes?.("")&&(e[0]=""),Reflect.apply(r,o,e))};window.DOMParser.prototype.parseFromString=new Proxy(window.DOMParser.prototype.parseFromString,r)}();
+! https://github.com/AdguardTeam/AdguardFilters/issues/144971
+open.fm#%#//scriptlet('set-constant', 'Object.prototype.adv', 'false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/95566
+!+ NOT_PLATFORM(windows, mac, android, ext_ff)
+dobreprogramy.pl#%#AG_onLoad(function(){(new MutationObserver(function(){var a=document.querySelector('.wp-player__video-container > video[src^="https://v.wpimg.pl/"]');var b=(b=document.querySelector(".wp-player .bcontrols > .ainfo > .atime > span"))&&b.innerText.includes("Reklama")?!0:void 0;b&&a&&a.duration&&(a.currentTime=a.duration)})).observe(document,{childList:!0,subtree:!0})});
+! https://github.com/AdguardTeam/AdguardFilters/issues/75066
+||amazon-adsystem.com/aax2/apstag.js$script,redirect=amazon-apstag,domain=wp.pl|money.pl|open.fm
+sportowefakty.wp.pl#?#div:not([class]):not([id]):has(> div[class] > div[class*=" "] > div:not([class]):not([id]):contains(/^REKLAMA$/))
+sportowefakty.wp.pl#?#.teasers > div[class=" display"]:has(> div[class] > div[class] > div:not([class]):not([id]) > div:not([class]):not([id]):contains(/^REKLAMA$/))
+! https://github.com/AdguardTeam/AdguardFilters/issues/93463
+www.wp.pl##.relative >.relative > .items-center[style]:has(> img[src^="https://v.wpimg.pl/"][alt]:first-child + img[src^="https://v.wpimg.pl/"][alt] + div[class]:last-child)
+www.wp.pl##.relative > :is(div[class^="sc"], .wp-bg-transparent) > div[class^="sc"]:has(> img[src^="https://v.wpimg.pl/"][alt]:first-child + img[src^="https://v.wpimg.pl/"][alt] + div[class^="sc-"]:last-child)
+! https://github.com/AdguardTeam/AdguardFilters/issues/5669
+www.wp.pl##aside > div[data-st-area="Pogoda"] + div[class^="sc-"]:has(a[href^="https://koszykrd.wp.pl?product_url="])
+www.wp.pl##a[href^="https://direct.money.pl/landing-page/callcenter/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/45978
+parenting.pl,abczdrowie.pl##div[data-element="wide-placeholder"]
+abczdrowie.pl#?#.article__textbox > script:contains(registerSlot):upward(1)
+abczdrowie.pl#?#.content-aside__item > script:contains(registerSlot):upward(1)
+abczdrowie.pl#?#.article__textbox:has(> div[class] > div[id^="div-gpt-ad"])
+portal.abczdrowie.pl#?#.article__container > .content-aside .content-aside__item:matches-css(background-image: /^url\(https:\/\/portal\.abczdrowie\.pl\/media\/images\/commb\.png/)
+zywienie.abczdrowie.pl#?#.article__container > .content-aside .content-aside__item:matches-css(background-image: /^url\(https:\/\/zywienie\.abczdrowie\.pl\/media\/images\/commb\.png/)
+zywienie.abczdrowie.pl#?#.article__textbox:matches-css(background-image: /^url\(https:\/\/zywienie\.abczdrowie\.pl\/media\/images\/commb\.png/)
+uroda.abczdrowie.pl#?#.article__textbox:matches-css(background-image: /^url\(https:\/\/uroda\.abczdrowie\.pl\/media\/images\/commb\.png/)
+uroda.abczdrowie.pl#?#.article__container > .content-aside .content-aside__item:matches-css(background-image: /^url\(https:\/\/uroda\.abczdrowie\.pl\/media\/images\/commb\.png/)
+pytania.abczdrowie.pl#?#.article__textbox:matches-css(background-image: /^url\(https:\/\/pytania\.abczdrowie\.pl\/media\/images\/commb\.png/)
+forum.parenting.pl,forum.abczdrowie.pl#?##ipsLayout_sidebar > .article__side .article__side__stickblock:matches-css(background-image: /^url\(https:\/\/portal\.abczdrowie\.pl\/media\/images\/commb\.png/)
+! https://github.com/AdguardTeam/AdguardFilters/issues/168450
+! https://github.com/AdguardTeam/AdguardFilters/issues/56048
+pogoda.wp.pl##div[class^="placeholder_"]
+pogoda.wp.pl#?##__layout > div[class] > div[class*= " "]:matches-css(background-image: /^url\(data:image/png;base64,iVBOR/):has(> div:only-child:empty)
+pogoda.wp.pl#?#.grid-container > div[class*=" "]:matches-css(background-image: /^url\(data:image/png;base64,iVBOR/):has(> div:only-child:empty)
+pogoda.wp.pl#?#.grid-container > div[class^="grid-"] > div[class*=" "]:matches-css(background-image: /^url\(data:image/png;base64,iVBOR/):has(> div:only-child:empty)
+pogoda.wp.pl#?#.grid-container > div[class^="grid-"] > div[class] > div[class*=" "]:matches-css(background-image: /^url\(data:image/png;base64,iVBOR/):has(> div:only-child:empty)
+pogoda.wp.pl#?#.grid-container > div[class^="grid-"] > .list > ul > li > div[class*=" "]:matches-css(background-image: /^url\(data:image/png;base64,iVBOR/):has(> div:only-child:empty)
+! https://github.com/AdguardTeam/AdguardFilters/issues/61376
+parenting.pl##.article__container > .content-aside
+parenting.pl##.article__container--gallery > .content-aside
+! Glomex video ads - ttv.pl
+||mdsglvod-a.akamaihd.net/vod/2.0/progressive/*/x.mp4$redirect=noopmp4-1s,domain=ttv.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/10825
+tokfm.pl#%#window.adsOk = !0;
+@@||images.fm.tuba.pl/tuba*/_js/banner/advertisement.js
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=tokfm.pl,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/10028
+tokfm.pl#%#window.ads_ok = true;
+@@||images.audycje.tokfm.pl/prodstatic/js/advertisement.js
+@@||audycje.tokfm.pl/vast/ad/GetReklamyMultimediaVast?advertisement=$domain=tokfm.pl
+! portel.pl - ad leftovers
+portel.pl#$#iframe[src*="/R1"][src$=".html"][style*="display:block !important;"] { position: absolute!important; left: -3000px!important; }
+! cba.pl - mining script
+||cba.pl/min.cba.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/137190
+auto-swiat.pl##.asideAds
+! https://github.com/AdguardTeam/AdguardFilters/issues/185362
+komputerswiat.pl##.ods-ads__ph
+||komputerswiat.pl/*/*/tags?domain=$xmlhttprequest
+! komputerswiat.pl - ad leftovers
+plejada.pl,auto-swiat.pl,newsweek.pl,onet.pl,medonet.pl,komputerswiat.pl###onet-ad-flat-belkagorna
+! https://github.com/AdguardTeam/AdguardFilters/issues/48819
+pclab.pl#%#//scriptlet('prevent-setTimeout', 'document.body.getAttribute("abp")')
+! https://github.com/AdguardTeam/AdguardFilters/issues/64295
+onet.pl#$#.insertedSlot { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/155987
+! https://github.com/AdguardTeam/AdguardFilters/issues/142349
+medonet.pl,onet.pl#$#body { overflow: visible !important; }
+medonet.pl,onet.pl#$#body div.fc-ab-root:not(#style_important) { display: none !important; }
+medonet.pl,onet.pl#$#div[class*="ad" i][style^="width: 1px; height: 1px; position: absolute; left: -10000px; top: -"] { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/89329
+! https://github.com/AdguardTeam/AdguardFilters/issues/78860
+! https://github.com/AdguardTeam/AdguardFilters/issues/26613
+! https://github.com/AdguardTeam/AdguardFilters/issues/20504
+! https://github.com/AdguardTeam/AdguardFilters/issues/12159
+! https://github.com/AdguardTeam/AdguardFilters/issues/7218
+auto-swiat.pl,businessinsider.com.pl,fakt.pl,medonet.pl,noizz.pl,onet.pl,plejada.pl,przegladsportowy.pl,vod.pl,komputerswiat.pl#%#//scriptlet('prevent-setTimeout', '/document\.body\.getAttribute\("abp"/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/185924
+filmweb.pl##body > .faSponsoring
+filmweb.pl#%#//scriptlet('set-constant', 'globals.module.AdsRichContentModule', 'undefined')
+! https://github.com/AdguardTeam/AdguardFilters/issues/157455
+! https://github.com/AdguardTeam/AdguardFilters/issues/155134
+filmweb.pl#%#//scriptlet('set-constant', 'rodo.canProfileVisitor', 'noopPromiseReject')
+filmweb.pl#%#//scriptlet('set-cookie', 'ws_ad', '1')
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=filmweb.pl,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/53431
+filmweb.pl##.faStaticBanner > a
+filmweb.pl#%#//scriptlet('remove-attr', 'style', 'header#mainPageHeader[style^="height:"]')
+filmweb.pl#$#body.isSponsoringSticky .header.header--main { top: 0 !important; }
+filmweb.pl#$#header#mainPageHeader[style^="top:"] { top: 0 !important; }
+filmweb.pl#$##mainSkyBanner-pl_PL { position: absolute !important; left: -3000px !important; }
+filmweb.pl#$#body.ws { overflow: visible!important; }
+filmweb.pl#%#//scriptlet("abort-current-inline-script", "addEventListener", "/faBar[\s\S]*?insertAdjacentElement/")
+filmweb.pl#?#.page__group > .filmWhereToWatchLinkSection > .page__container > .subPageLinkBlock:has(> .subPageLinkBlock__container > a[href^="https://pro.hit.gemius.pl/hitredir"])
+||fwcdn.pl/el/kk/player/032020/672.html
+!+ NOT_PLATFORM(ios, ext_android_cb, ext_safari)
+filmweb.pl##.page__group > .fa.faBar > iframe[src*="fwcdn.pl/el/kk/player/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/15134
+! https://forum.adguard.com/index.php?threads/adblock-detection-filmweb-pl-mac.26801/
+filmweb.pl#%#//scriptlet("prevent-setInterval", ".offsetHeight&&0!==")
+filmweb.pl#%#//scriptlet("abort-current-inline-script", "IRI", "Adblock")
+filmweb.pl#%#//scriptlet("set-constant", "sats", "true")
+filmweb.pl#$#body > .fwPlusBtn[style]:not(#style_important), body > #advertBar-pl_PL[style]:not(#style_important), body > .clickArea[style]:not(#style_important), body > .advert[style]:not(#style_important), body > #mainSkyBanner-pl_PL[style]:not(#style_important), body > #ad[style]:not(#style_important), body > .rec-sponsored[style]:not(#style_important), body > .ws__wrapper[style]:not(#style_important), body > .text-ad[style]:not(#style_important), body > .textAd[style]:not(#style_important), body > #clickUrl1[style]:not(#style_important), body > #flashcontent3[style]:not(#style_important), body > #pasekup[style]:not(#style_important), body > .pub_728x90[style]:not(#style_important), body > .ad-internal[style]:not(#style_important), body > .ad-imagehold[style]:not(#style_important), body > .about_adsense[style]:not(#style_important), body > .abBoxAd[style]:not(#style_important), body > .HomeAds[style]:not(#style_important), body > .CommentAd[style]:not(#style_important), body > .Ad160x600[style]:not(#style_important), body > .ADTextSingle[style]:not(#style_important), body > .AD300Block[style]:not(#style_important) { display: block !important; }
+!+ NOT_OPTIMIZED
+filmweb.pl#$?#.ws__wrapper:not([style]) { remove: true; }
+filmweb.pl#%#(function(){var b=window.setTimeout;window.setTimeout=function(a,c){if(!/notDetectedBy/.test(a.toString()))return b(a,c)};})();
+||fwcdn.pl/front/assets/FaStaticBanner-*.$domain=filmweb.pl
+||fwcdn.pl/front/assets/WelcomeScreen.*.js$domain=filmweb.pl
+||fwcdn.pl/prt/*/*/index.html?gdpr=$subdocument,domain=filmweb.pl
+||filmweb.pl/adbchk?v=
+@@||filmweb.pl^$generichide
+filmweb.pl#@#.ws__wrapper
+filmweb.pl#@#.adv_container
+filmweb.pl#@#[class$="-ads"]
+filmweb.pl#@##pasekup
+filmweb.pl#@##flashcontent3
+filmweb.pl#@##skyBanner
+filmweb.pl#@#body .ws__wrapper
+!+ NOT_OPTIMIZED
+filmweb.pl#$#.ws__wrapper { visibility: hidden !important; }
+filmweb.pl#$#.lightboxNEW:not(.fullscreen)[style] { top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/70948
+! https://github.com/AdguardTeam/AdguardFilters/issues/109192
+mmorpg.org.pl##div[id*="_bill_"]
+mmorpg.org.pl##div[id*="_bill_"] + a[href="/premium"]
+mmorpg.org.pl##div[id*="_half_"]:empty
+mmorpg.org.pl##div[id*="_half_"]:empty + a[href="/premium"]
+mmorpg.org.pl#%#//scriptlet('prevent-fetch', 'wtg-ads.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/24309
+! https://github.com/AdguardTeam/AdguardFilters/issues/7139
+elektroda.pl#%#//scriptlet("abort-on-property-read", "welcomeAdContainerElement")
+elektroda.pl#%#//scriptlet("abort-on-property-read", "loadPopup")
+elektroda.pl#%#//scriptlet("abort-on-property-read", "disablePopup")
+||elektroda.pl/js/window.js
+||static.elektroda.pl/html5/pcim/desktop/index.html
+||elektroda.pl/js/modal.js
+||elektroda.pl/js/first.js
+||elektroda.pl/js/welcome.js
+elektroda.pl#?#.container > div > div[class] > section[class] > div[id^="div-gpt-ad-"]:only-child:upward(1)
+elektroda.pl###topbb
+elektroda.pl###WelcomeAdContainer
+elektroda.pl###WelcomeAdContainer + #overlay
+elektroda.pl##.the-category > .section-patrons
+elektroda.pl##a[href="https://itserwis.net/simplivity/"] > img
+elektroda.pl##body > #main > .content-wrap > .container > .container + section[class]:not([class="row"]) > a[href]:not([href^="https://www.elektroda.pl/"])[target="_blank"] > img
+elektroda.pl##body > #main > .content-wrap > .container > .hidden-cookie-info + section[class] > a[href]:not([href^="https://www.elektroda.pl/"])[target="_blank"] > img
+elektroda.pl#?#a.button_open[href="/rtvforum/companyabout.php"]:contains(Zamieść Reklamę)
+elektroda.pl##.the-list > li[class]:not([class="clearfix"]) > a[href][target="_blank"][onclick*="Event"]
+elektroda.pl##a[href="https://www.ige-xao.com/pl/sklep/see-electrical/"]
+elektroda.pl##a[href="https://www.micros.com.pl/"] > img
+elektroda.pl##a[href="http://www.biall.com.pl/sklep.html#"] > img
+elektroda.pl##a[href="https://www.stercontrol.pl/"] > img
+elektroda.pl##a[href="https://termopasty.pl/"] > img
+elektroda.pl##a[href^="https://www.pcbway.com/"] > img
+elektroda.pl##a[href^="https://www.pcbway.com/"] > img + span
+elektroda.pl##a[href^="https://jlcpcb.com/"] > img + span
+elektroda.pl##a[href^="https://jlcpcb.com/"] > img
+elektroda.pl##a[href="https://sklep-elwron.pl/"] > img
+elektroda.pl##.text-center > section a[href]:not([href^="https://www.elektroda.pl/"]):not([href^="https://obrazki.elektroda.pl/"]) > img
+elektroda.pl##div:only-child > a[href]:not([href^="https://www.elektroda.pl/"]):not([href^="https://obrazki.elektroda.pl/"]):only-child > img + img[width="300"]
+elektroda.pl#?#div:only-child > a[href]:not([href^="https://www.elektroda.pl/"]):not([href^="https://obrazki.elektroda.pl/"]):only-child > img:has(+ img[width="300"])
+elektroda.pl#?#.col-md-8 div a[href="https://czescidodrukarek.pl"] ~ form[action="https://czescidodrukarek.pl/szukaj"]:upward(1)
+elektroda.pl#?#.col-md-8 div[style*="micros"] > div[style] > form[action^="https://www.micros.com.pl/"]:upward(2)
+!+ NOT_OPTIMIZED
+elektroda.pl#?#.the-list > li[class]:not([class="clearfix"]):has(> a[href][target="_blank"][onclick*="Event"])
+!+ NOT_OPTIMIZED
+elektroda.pl#?#.col-md-8 div > form[action^="https://www.tme.eu/pl/katalog/"]:upward(1)
+!+ NOT_OPTIMIZED
+elektroda.pl#?#.the-content > div[class]:has(> div > a[href][target="_blank"][onclick*="'Patron', 'Click Button'"])
+!+ NOT_OPTIMIZED
+elektroda.pl#?#.the-post-list > ul > li[class]:not([class="clearfix"]):has(>[id^="div-gpt-ad"])
+!+ NOT_OPTIMIZED
+elektroda.pl##.sidebar-wrap > .row > .widgets > .boombox-content > a[href][target="_blank"][onclick*="'Navibox', 'Click', '"]
+!+ NOT_OPTIMIZED
+elektroda.pl##a[href]:not([href^="https://www.elektroda.pl/"]) > picture > source[media^="(min-width:"] + img
+elektroda.pl##.topic-box > div[class] > div > a[href]:not([href^="https://www.elektroda.pl/"])[target="_blank"] > img
+elektroda.pl##.topic-box > div[class] > .sec-b > a[href]:not([href^="https://www.elektroda.pl/"]) > img
+elektroda.pl##.position-relative > .sec-b > a[href]:not([href^="https://www.elektroda.pl/"]) > img
+elektroda.pl#?#.topic-lists > li[class] > .topic-box > .position-relative:has(> .sec-b > div[id^="div-gpt-ad"])
+elektroda.pl##.container a[class][href*="&utm_medium=banner"]:not([href^="https://www.elektroda.pl/"]):not([href^="https://obrazki.elektroda.pl/"]) > img
+elektroda.pl##.container > section > a[class][href]:not([href^="https://www.elektroda.pl/"]):not([href^="https://obrazki.elektroda.pl/"]) > img
+elektroda.pl##.container .topic-lists .topic-box > div > div > a[class][href]:not([href^="https://www.elektroda.pl/"]):not([href^="https://obrazki.elektroda.pl/"]) > img
+elektroda.pl##.sidebar-wrap .the-list > li[class]:not([class="clearfix"]) > a[href][rel="noopener"]:not([href^="https://www.elektroda.pl/"]):not([href^="https://obrazki.elektroda.pl/"]) > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/6630
+iiv.pl#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links { display: block !important; }
+! https://github.com/MajkiIT/polish-ads-filter/issues/3175
+naszemiasto.pl#%#window.adBlockTest = true;
+! https://github.com/AdguardTeam/AdguardFilters/issues/162841
+! https://github.com/AdguardTeam/AdguardFilters/issues/32398
+! https://github.com/AdguardTeam/AdguardFilters/issues/20613
+! https://github.com/AdguardTeam/AdguardFilters/issues/15353
+! https://github.com/AdguardTeam/AdguardFilters/issues/11323
+shinden.pl###spolSticky
+shinden.pl##.spolecznoscinet
+shinden.pl##iframe[src^="https://reklama.shinden.eu/adpeeps.php?"]
+shinden.pl#$?#.ads { remove: true; }
+shinden.pl#%#//scriptlet('abort-current-inline-script', 'atob', 'getElementsByTagName')
+shinden.pl#%#//scriptlet("abort-on-property-read", "popjs.init")
+shinden.pl#%#//scriptlet("set-constant", "_pop", "noopFunc")
+shinden.pl#%#//scriptlet("abort-on-property-write", "AdservingModule")
+@@/^https:\/\/www\.[a-z]{7,14}\.com\/[a-z]{1,4}\.js/$script,third-party,domain=shinden.pl,badfilter
+@@||spolecznosci.net/core/*/main.js$domain=shinden.pl
+@@||spolecznosci.net/js/core*-min.js$domain=shinden.pl
+@@||spolecznosci.net/js/modules/*.js$domain=shinden.pl
+@@||a.spolecznosci.net/pet?s=Shinden$domain=shinden.pl
+@@||static.criteo.net/js/ld/publishertag.js$domain=shinden.pl
+||spolecznosci.net/js/modules/sfw.js$important,domain=shinden.pl
+!+ PLATFORM(windows, mac, android, ext_chromium, ext_ff)
+||smartadserver.com/ac$script,redirect=noopjs,domain=shinden.pl,important
+!+ PLATFORM(windows, mac, android, ext_chromium, ext_ff, ext_opera)
+||ced-ns.sascdn.com/diff/templates/js/sas/sas-browser.js$script,redirect=noopjs,domain=shinden.pl,important
+!+ PLATFORM(windows, mac, android, ext_chromium, ext_ff)
+||securepubads.g.doubleclick.net/gpt/pubads_impl_$domain=shinden.pl,redirect=nooptext,important
+!+ PLATFORM(windows, mac, android, ext_chromium, ext_ff)
+||ced-ns.sascdn.com/diff/templates/js/overslide/sas-overslide-*.js$script,redirect=noopjs,domain=shinden.pl,important
+!+ NOT_PLATFORM(windows, mac, android)
+@@||stats.g.doubleclick.net/r/collect$image,domain=shinden.pl
+!+ PLATFORM(ext_chromium, ext_ff, ext_opera, ios, ext_android_cb, ext_edge)
+@@||popads.net/pop.js$script,important,domain=shinden.pl
+!+ NOT_PLATFORM(ext_ff, ext_opera, ios, ext_android_cb, ext_ublock)
+||tradeadexchange.com/a/display.php$domain=shinden.pl,important
+!+ NOT_PLATFORM(ext_ff, ext_opera, ios, ext_android_cb, ext_ublock)
+||rtbnowads.com^$domain=shinden.pl,important
+!+ NOT_PLATFORM(ext_ff, ext_opera, ios, ext_android_cb, ext_ublock)
+||reklama.shinden.eu^$domain=shinden.pl,important
+!+ NOT_PLATFORM(ext_ublock)
+$script,third-party,denyallow=ckeditor.com|fastly.net|statically.io|sharecast.ws|bunnycdn.ru|bootstrapcdn.com|cdn.ampproject.org|cloudflare.com|cdn.staticfile.org|disqus.com|disquscdn.com|dmca.com|ebacdn.com|facebook.net|fbcdn.net|fluidplayer.com|fontawesome.com|github.io|google.com|googleapis.com|googletagmanager.com|gstatic.com|jquery.com|jsdelivr.net|jwpcdn.com|jwplatform.com|recaptcha.net|shrink.pe|twitter.com|ulogin.ru|unpkg.com|userapi.com|vidazoo.com|vk.com|yastatic.net|ytimg.com|zencdn.net|youtube.com|cackle.me|googleoptimize.com|vuukle.com|chatango.com|twimg.com|google-analytics.com|hcaptcha.com|raincaptcha.com|media-imdb.com|blogger.com|hwcdn.net|instagram.com|wp.com|fastcomments.com|plyr.io,_____,domain=shinden.pl
+! https://forum.adguard.com/index.php?threads/videostar-pl-windows10.22172/
+@@||static.videostar.pl/static/assets/js/adcheck.min.js^
+! https://forum.adguard.com/index.php?threads/10734/
+@@||adv.wp.pl/RM/Box/c/b/money_rail_and_frames/money-rail-1.0.2.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/5103
+||llog.pl^
+! https://github.com/AdguardTeam/AdguardFilters/issues/168076
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=radiozet.pl,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/168141
+radiozet.pl###onnetwork--html:empty
+radiozet.pl#?#section[class^="padding--"]:has(> .advert-container:only-child)
+! https://forum.adguard.com/index.php?threads/radiozet-pl.21880/
+radiozet.pl##.adocean
+radiozet.pl###banner-radiostacja
+||radiozet.pl/extension/radiozet/design/standard/images/banner-
+||gfx.radiozet.pl/design/radiozet/javascript/module/radio-sponsor.js
+||gfx.radiozet.pl/design/radiozet/javascript/lib/radioSponsor.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/130255
+vpolshchi.pl##div[class*=" "]:has(> div:first-child + img[src*="://v.wpimg.pl/"][alt])
+! https://github.com/AdguardTeam/AdguardFilters/issues/101189
+pilot.wp.pl##div[class*=" "]:has(> div:first-child + img[src*="://v.wpimg.pl/"][alt])
+! https://github.com/AdguardTeam/AdguardFilters/issues/108080
+dobreprogramy.pl##button[class][type="button"] + a[href*="?utm_source=dobreprogramy&utm_medium=avastseal&utm_campaign=download"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/95955
+! https://github.com/AdguardTeam/AdguardFilters/issues/80901
+dobreprogramy.pl##body > div[id][data-container] > div[class]:has(> div[class]:only-child > style:first-child + div[class*=" "]:last-child > div:first-child:not([class]) + img[src^="https://v.wpimg.pl/"] + div:last-child)
+dobreprogramy.pl##div[data-index][data-slot][style]
+polygamia.pl,dobreprogramy.pl##div[class*=" "]:has(> div:first-child + img[src*="://v.wpimg.pl/"][alt])
+film.wp.pl,kobieta.wp.pl,komorkomania.pl,tech.wp.pl,gadzetomania.pl,polygamia.pl,dobreprogramy.pl##div[class*=" "]:has(> img[src*="://v.wpimg.pl/"] + div[class] > style:first-child + div:last-child)
+! https://forum.adguard.com/index.php?threads/dobreprogramy-pl.19744/#post-127483
+dobreprogramy.pl#$#body:not(#bd):not([style*="background-image:"]) { background-image:none!important; }
+! https://forum.adguard.com/index.php?threads/kobieta-wp-pl.18565/
+! https://forum.adguard.com/index.php?threads/wp-pl.19418/
+homebook.pl,abczdrowie.pl,autokult.pl,dobreprogramy.pl,echirurgia.pl,fotoblogia.pl,gadzetomania.pl,jejswiat.pl,kafeteria.pl,komorkomania.pl,luxlux.pl,medycyna24.pl,mixer.pl,money.pl,nocowanie.pl,o2.pl,open.fm,parenting.pl,pinger.pl,pogodnie.pl,pudelek.pl,samosia.pl,testwiedzy.pl,wp.pl#$#body { pointer-events: auto !important; }
+||rek.www.wp.pl/vad.xml$script,xmlhttprequest,other,redirect=noopvast-2.0,important
+!+ NOT_PLATFORM(ext_ublock)
+||adv.wp.pl/RM/Box/*.mp4$media,redirect=noopmp4-1s,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/3884
+@@||tvn.adocean.pl/ad.xml$domain=miniminiplus.pl
+@@||tvn.adocean.pl^*/ad.xml$domain=miniminiplus.pl
+@@||miniminiplus.pl$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/122136
+spidersweb.pl##.ad-left + div[style="height: 250px;"]
+spidersweb.pl##.ad-left + div:not([class], [id]) > div[style="position: absolute; font-size: 12px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/118865
+spidersweb.pl##.newAd
+! https://github.com/AdguardTeam/AdguardFilters/issues/134618
+!+ NOT_OPTIMIZED
+spidersweb.pl##.slot1
+spidersweb.pl##.app-adBox
+! https://github.com/AdguardTeam/AdguardFilters/issues/86070
+spidersweb.pl##.hasSlotAd
+spidersweb.pl##.main > #SpidersWeb_SW__HDH1_HTH1_HMH1
+spidersweb.pl##.columns > .row > .show-for-large > aside.sidebar.margin-bottom40
+spidersweb.pl###premium-content> .row > .show-for-large > div.sidebar-panel.margin-bottom60[data-equalizer-watch="premiumlist"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/3213
+spidersweb.pl##a[href^="http://clk.tradedoubler.com/click?"] > img
+spidersweb.pl##a[href^="https://www.playstation.com/"] > img
+! https://forum.adguard.com/index.php?threads/6053/
+fotka.pl,fotka.com#$#body { background: none!important; }
+fotka.pl,fotka.com###brd_online
+fotka.pl,fotka.com##div[onad^="hideBillboardTop"]
+@@||spolecznosci.net/js/reklama/advertisement.js
+@@||fotka.pl/js/advertisement.js
+fotka.pl,fotka.com###brd_profil
+! https://forum.adguard.com/index.php?threads/13966/
+exsite.pl###adstower2
+! https://github.com/AdguardTeam/AdguardFilters/issues/7184
+teletoonplus.pl###nctopcontainer
+teletoonplus.pl##iframe#nctop
+||services.*.pl/belka/$domain=teletoonplus.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/166964
+! https://github.com/AdguardTeam/AdguardFilters/issues/148857
+! https://github.com/AdguardTeam/AdguardFilters/issues/142864
+! https://github.com/AdguardTeam/AdguardFilters/issues/74693
+! https://github.com/AdguardTeam/AdguardFilters/issues/50364
+! https://github.com/AdguardTeam/AdguardFilters/issues/49821
+! https://github.com/AdguardTeam/AdguardFilters/issues/21639
+! https://github.com/AdguardTeam/AdguardFilters/issues/11428
+! https://forum.adguard.com/index.php?threads/10376/
+tvn24.pl#%#//scriptlet('prevent-fetch', '/adocean\.pl\/.*ad\.xml/')
+vod.pl##.advert[class*="advert--"]
+||recontent.services.tvn.pl/*ad.xml$xmlhttprequest,redirect=noopvast-2.0,domain=tvn24.pl
+@@||tvn.hit.gemius.pl/*redataredir?url=*tvn.adocean.pl*ad.xml$domain=player.pl|teletoonplus.pl|get.x-link.pl
+!+ NOT_PLATFORM(windows, mac, android, ext_ff)
+||tvn.adocean.pl/*ad.xml$xmlhttprequest,redirect=noopvast-2.0,domain=tvn24.pl,important
+!+ NOT_PLATFORM(ext_ublock)
+@@||tvn.adocean.pl/*ad.xml$xmlhttprequest,domain=player.pl|get.x-link.pl
+@@||redcdn.pl/*/TVN-Adserver/*.mp4$xmlhttprequest,domain=miniminiplus.pl|teletoonplus.pl|tvnturbo.pl|tvn.pl
+@@||cdntvn.pl/adscript.js$domain=player.pl
+||redcdn.pl/*/TVN-Adserver/*.mp4$media,redirect=noopmp4-1s,domain=player.pl
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=tvn24.pl|tvn.pl
+!+ NOT_PLATFORM(windows, mac, android)
+tvn24.pl##.video-player > .videoPlayer.player-initialized .vjs-switching .vjs-loading-spinner
+@@||tvn24.pl^$generichide
+@@||get.x-link.pl^$generichide
+@@||cdntvn.pl/*/assets/*advert*.js$domain=player.pl|get.x-link.pl|tvn24.pl|vod.pl
+@@||cdntvn.pl/*/static/ad*.js$domain=player.pl|get.x-link.pl|tvn24.pl|vod.pl
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=get.x-link.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/138389
+!+ NOT_PLATFORM(ext_ublock)
+@@||player.pl^$generichide
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=player.pl|vod.pl
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=player.pl|vod.pl|tvn24.pl,important
+vod.pl,player.pl#%#//scriptlet('remove-class', 'async-hide', 'html')
+vod.pl,player.pl#%#//scriptlet('prevent-fetch', '/ad\.xml\?|tvn\.hit\.gemius\.pl/', 'emptyStr')
+vod.pl,player.pl#%#//scriptlet('prevent-xhr', 'tvn.adocean.pl')
+vod.pl,player.pl#%#//scriptlet('prevent-setTimeout', 'loadAdvertScript')
+tvn24.pl#%#//scriptlet("json-prune", "playlist.movie.advertising.ad_server")
+tvn.pl#%#//scriptlet("json-prune", "movie.advertising.ad_server movies.*.advertising.ad_server playlist.movie.advertising.ad_server")
+vod.pl,player.pl#@#.ad
+vod.pl,player.pl#@#.ads
+vod.pl,player.pl#@#.advert
+vod.pl,player.pl#@#.adsense
+vod.pl,player.pl#@#.reklama-top
+vod.pl,player.pl#@#.adv_container
+vod.pl,player.pl#@#.linkSponsorowany
+vod.pl,player.pl#$#body .adsbygoogle.adv_container.ads { display: block !important; }
+vod.pl,player.pl#$#body div[class][style="position: absolute; top: 0px; left: 0px; opacity: 0; width: 0px; height: 0px;"] { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/133005
+! https://github.com/AdguardTeam/AdguardFilters/issues/78932
+! https://github.com/AdguardTeam/AdguardFilters/issues/34440
+! https://github.com/AdguardTeam/AdguardFilters/issues/21435
+! https://github.com/AdguardTeam/AdguardFilters/issues/7477
+polsatboxgo.pl,polsatnews.pl,polsatsport.pl,twojapogoda.pl,geekweek.pl#%#//scriptlet('prevent-xhr', '/ad.xml?')
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=redefine.pl|redcdn.pl|polsatnews.pl|polsatsport.pl|twojapogoda.pl|geekweek.pl|polsatboxgo.pl
+@@||gapl.hit.gemius.pl/gplayer.js$domain=redefine.pl
+@@||redefineadpl.hit.gemius.pl/*redataredir?url=*.hit.stat24.com*ad.xml$domain=polsatnews.pl|polsatsport.pl|twojapogoda.pl
+@@||hit.stat24.com/*ad.xml$xmlhttprequest,other,domain=polsatnews.pl|polsatsport.pl|twojapogoda.pl|geekweek.pl
+||ipla.hit.stat24.com/*ad.xml$xmlhttprequest,redirect=noopvast-3.0,important,domain=polsatnews.pl|polsatsport.pl|twojapogoda.pl
+||ipla.hit.stat24.com/*ad.xml$redirect=nooptext,important,domain=~polsatnews.pl|~polsatsport.pl|~twojapogoda.pl
+!+ NOT_PLATFORM(windows, mac, android, ext_ff, ext_opera, ext_ublock)
+||ipla.hit.stat24.com/*ad.xml$xmlhttprequest,redirect=noopvast-2.0,important,domain=twojapogoda.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/3093
+newpct1.com##.pub728x90
+newpct1.com##div[style*="width:300px;height:250px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/2862
+optyczne.pl###warning[style^="z-index:"]
+! https://forum.adguard.com/index.php?threads/12963/
+@@||polvod.pl/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/2735
+ss.lv#@#[id^="ads_"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/2482
+avito.ru#@#[class$="-ads"]
+! https://forum.adguard.com/index.php?threads/11423/
+motobanda.pl#$#body #mvideo { z-index: 1!important; }
+!
+||bsxmuny.wp.pl^
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/2138
+purepc.pl#@#.reklama
+! https://github.com/AdguardTeam/AdguardFilters/issues/3095
+@@||tvnturbo.pl^$generichide
+@@||cdntvn.pl/adscript.js?_=$domain=tvnturbo.pl
+@@||cdn.behavioralengine.com/scripts/btest/advertisement.js$domain=tvnturbo.pl
+@@||s.tvn.pl/tools/_ads/advert.js$domain=tvnturbo.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/51605
+stooq.pl,stooq.com##td[align="center"] > table[width="100%"] > tbody > tr > td > .adsbygoogle + script + table[width="100%"] div[style="position:relative;width:970px;height:250px"]
+stooq.pl#?#td[valign="top"] > table[width="100%"][style="position:relative;z-index:1"] > tbody > tr > td[align="center"] > table[height="250"][cellpadding="0"][align="center"]:has(> tbody > tr > td[style="background-color:ffffff"] > .adsbygoogle)
+! https://forum.adguard.com/index.php?threads/9809/
+stooq.pl##div[onclick*="window.open('http://stooq.pl/ads/"]
+! shinden.pl - anti-adblock
+@@||shinden.pl^$generichide
+! czasbajki.pl - skip timer
+czasbajki.pl#%#AG_onLoad(function() { $('#kFinal').removeClass('kHidden'); $('#kSplash').remove(); });
+! wp.pl - anti-adblock
+@@||adv.wp.pl/bar.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/127297
+purepc.pl#%#//scriptlet('prevent-setTimeout', 'ubfix2()')
+purepc.pl#%#//scriptlet('prevent-setInterval', '/fixbg\(\)|unhd2\(\)/')
+! purepc.pl
+purepc.pl##body > a[rel="nofollow"]
+purepc.pl#$#body > a[style] { height: 0!important; position: absolute!important; top: -2000px!important;}
+purepc.pl#$#.container > a[style*="display:block !important;visibility:visible !important;"] { height: 0!important; position: absolute!important; top: -2000px!important; }
+purepc.pl#$#html > body:not(.dark) { background-image: none !important; background-color: #d5d5d5 !important; }
+purepc.pl#$#html > body.dark:not(#style_important) { background-image: none !important; background-color: #111 !important; }
+!
+@@||rek.www.wp.pl/*.gif$domain=wp.pl
+wp.pl##body > b
+wp.pl##a[href*="adv.wp.pl/"]
+wykop.pl##div[id^="bmone2n-"]
+exsite.pl##a[href^="http://643.pl/"]
+exsite.pl##div[id*="adkon"]
+filmweb.pl###fullScreenAdBg
+filmweb.pl##.d_utru
+interia.pl##.adStandardTop
+interia.pl##div[class*="ad ad_"]
+||exsite.pl/kampania/ads/
+exsite.pl#%#window.ab = false;
+!---------------------------------------------------------------------
+!------------------------------ Romanian -----------------------------
+!---------------------------------------------------------------------
+! NOTE: Romanian
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/186989
+stirileprotv.ro#%#//scriptlet('trusted-set-constant', 'flowplayer', '{"ads":{"ui":{}}}')
+! https://github.com/AdguardTeam/AdguardFilters/issues/185062
+||publisher.freerider.ro/storage/images/_Freerider-Afisport
+! https://github.com/AdguardTeam/AdguardFilters/issues/183110
+business24.ro#@#.AdSense
+||business24.ro/index.php?module=getActiveBlockerContent.ajxinternal&
+business24.ro##.branding-container
+||business24.ro/index.php?module=staticBanners.ajxinternal&zones
+! https://github.com/AdguardTeam/AdguardFilters/issues/182303
+sport.ro##.desktop-branding
+! https://github.com/AdguardTeam/AdguardFilters/issues/180306
+g4media.ro##div[class^="code-block code-block-"][style]
+! https://github.com/AdguardTeam/AdguardFilters/issues/180188
+hotnews.ro##div[id^="ad1-box"]
+hotnews.ro##.gads
+! https://github.com/AdguardTeam/AdguardFilters/issues/166463
+regielive.ro#%#//scriptlet('abort-on-property-write', 'AdblockDetector')
+regielive.ro#$#body a.AdContainer { display: block !important; }
+regielive.ro#@#.homead
+regielive.ro#@#.ad-lead
+regielive.ro#@#.AdHeader
+regielive.ro#@#.AdContainer
+regielive.ro#@##homead
+regielive.ro#@##ad-lead
+regielive.ro#@##AdHeader
+regielive.ro#@##AD_Top
+! https://github.com/AdguardTeam/AdguardFilters/issues/165416
+!+ NOT_OPTIMIZED
+autoblog.md##div[class^="PREFIX"][data-prefix-close-buttontrackid]
+! https://github.com/AdguardTeam/AdguardFilters/issues/163604
+sitefilme.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/162731
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=kanald.ro
+! https://github.com/AdguardTeam/AdguardFilters/issues/153162
+antena3.ro###ribbon
+antena3.ro##.bannerBox
+! https://github.com/AdguardTeam/AdguardFilters/issues/150700
+tvonline123.com###ab-message
+tvonline123.com#%#//scriptlet('prevent-setTimeout', '.offsetHeight')
+! https://github.com/AdguardTeam/AdguardFilters/issues/139950
+go4games.ro#?#.container > .mg-bottom-10 > .height-smb-100:has(> .strawberry-ads:only-child)
+! https://github.com/AdguardTeam/AdguardFilters/issues/139922
+gsp.ro##div[style="min-height: 80px"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/136170
+clujust.ro#$#html.async-hide { opacity: 1 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/135764
+stirileprotv.ro###branding
+stirileprotv.ro##.desktop-branding
+stirileprotv.ro##.outer-wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/129752
+! It looks like that website checks if ad blocker is enabled
+! and if so, then instead of displaying banners from ad servers, a different banners are displayed
+||s*emagst.akamaized.net/assets/*/js/ads_script.js$domain=emag.ro,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/129383
+mediafax.ro###sidebar > div[style^="margin:10px auto; text-align:center;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/127108
+wall-street.ro##.ads-branding
+wall-street.ro##.hasBreaking
+wall-street.ro##.justify-content-center.minh-250
+wall-street.ro##.add-hp-300x250
+! https://github.com/AdguardTeam/AdguardFilters/issues/127019
+cancan.ro##div[data-banner]
+! https://github.com/AdguardTeam/AdguardFilters/issues/119779
+7media.md##body > section.bn-lg
+! https://github.com/AdguardTeam/AdguardFilters/issues/114241
+olx.ro#@#.swiper-slide-active.swiper-slide
+! https://github.com/AdguardTeam/AdguardFilters/issues/110404
+tpu.ro##.banner-box
+! https://github.com/AdguardTeam/AdguardFilters/issues/110337
+stirileprotv.ro##div[id^="dfpbillboard"]
+stirileprotv.ro##.topBranding
+! https://github.com/AdguardTeam/AdguardFilters/issues/109057
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=9am.ro
+9am.ro##.ad-in-artilce
+9am.ro##.minh-250
+9am.ro##.retail_insert_in_article
+! https://github.com/AdguardTeam/AdguardFilters/issues/96315
+wowbiz.ro##.container > div[style="display: none !important;"] ~ br
+wowbiz.ro#?#.container > div:not([class]):not([id]):first-child:has(> center > .adocean)
+! https://github.com/AdguardTeam/AdguardFilters/issues/96314
+stirileprotv.ro###inread
+stirileprotv.ro###contextualscrollad
+stirileprotv.ro###billboardBanner
+stirileprotv.ro##div[id^="topBranding"]
+! protv.ro - leftovers
+protv.ro##div[class^="billboard-"]
+protv.ro##.brandingDfp
+! https://github.com/AdguardTeam/AdguardFilters/issues/92981
+ziare.com##.banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/92022
+romaniatv.net###sam_branding
+! https://github.com/AdguardTeam/AdguardFilters/issues/92200
+videotutorial.ro##.sidebar > div[id^="text-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/91693
+petitchef.*##.akcelo-placeholder
+! https://github.com/AdguardTeam/AdguardFilters/issues/89512
+||ro-ph.com/img/banners/roph.jpg$domain=sa-mp.ro
+sa-mp.ro#?##ipsLayout_sidebar > .cWidgetContainer > .ipsList_reset > li.ipsWidget:has(> h3.ipsWidget_title:contains(/^Sponsor$/))
+! https://github.com/AdguardTeam/AdguardFilters/issues/88321
+moduri.ro##.xoxo > li[id^="text-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/87951
+filmeserialehd.biz##center > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/87948
+vezionlinefilme.com##center > a[target="_blank"] > img
+vezionlinefilme.com##.theiaStickySidebar > #media_image-4
+! https://github.com/AdguardTeam/AdguardFilters/issues/87618
+fanatik.ro##.strawberry-ads-manager-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/87954
+serialeonline.su#?##sidebars > div[id^="text-"]:has(> h3:contains(/ADS|Advertisement/))
+! https://github.com/AdguardTeam/AdguardFilters/issues/175501
+! https://github.com/AdguardTeam/AdguardFilters/issues/82382
+protvplus.ro#%#//scriptlet('prevent-element-src-loading', 'script', 'trackad.cz')
+||trackad.cz/adtrack.php$script,other,redirect=noopjs,domain=protvplus.ro
+! ziarulevenimentul.ro - ads
+ziarulevenimentul.ro##.set_mg_of_content_b
+ziarulevenimentul.ro##.set_tab_sales
+ziarulevenimentul.ro##p > a[target="_blank"] > img
+ziarulevenimentul.ro##a[href^="/app/adclick.php?id="]
+! csid.ro - ads
+csid.ro#%#//scriptlet("abort-on-property-read", "__yget_ad_list")
+! https://github.com/AdguardTeam/AdguardFilters/issues/77506
+@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$important,domain=digi24.ro
+@@||pubads.g.doubleclick.net/ssai/event/*/master.m3u8$domain=digi24.ro
+! https://github.com/AdguardTeam/AdguardFilters/issues/74095
+romaniataramea.com#$#.sgpb-popup-overlay { display: none !important; }
+romaniataramea.com#$##sgpb-popup-dialog-main-div-wrapper { display: none !important; }
+romaniataramea.com#$#[class].sgpb-overflow-hidden { overflow: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/70276
+||anuntul.ro/hotnews-widget.js$third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/51135
+dcnews.ro##.ContentRight > div:not([class]):not([id]) > a[href][rel="nofollow"][target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/37614
+filmeserialeonline.org##a[href^="http://bit.ly/"][target="_blank"] > img
+||filmeserialeonline.org/nshost300x250.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/29224
+radiozu.ro#@#.ad-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/38579
+startupcafe.ro###block-views-block-events-block-2
+startupcafe.ro##.main-partners
+! https://github.com/AdguardTeam/AdguardFilters/issues/25320
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=antenaplay.ro
+! https://github.com/AdguardTeam/AdguardFilters/issues/24936
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=antena3.ro
+||ivm.antenaplay.ro/fadead_check.php$domain=antena3.ro
+||videoassets.antenaplay.ro/temp/antenaplay-small.mp4$domain=antena3.ro
+antena3.ro##.ima-ad-container
+! filmeserialeonline.org - left-over box at main page
+filmeserialeonline.org##.ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/22568
+cinemagia.ro###banner_container_top
+cinemagia.ro#$#.header_nav { position:static!important; }
+cinemagia.ro#$##header { position:static!important; top: 0!important; }
+cinemagia.ro#$##main_container { padding-top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/22575
+||media.stiripesurse.ro/assets/img/ads_img^
+||media.stiripesurse.ro/assets/img/agerpres
+||media.stiripesurse.ro/assets/img/sati_logo.png
+! https://github.com/AdguardTeam/AdguardFilters/issues/22586
+romanialibera.ro##body > div.m-auto[style="width: 1200px; height: 200px"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/22565
+gsp.ro##.parteneri > .inside > .boxuri-parteneri > .box-partener.custom
+! https://github.com/AdguardTeam/AdguardFilters/issues/17990
+||shok.md/wp-content/banners^
+! https://github.com/AdguardTeam/AdguardFilters/issues/17103
+! https://github.com/AdguardTeam/AdguardFilters/issues/10915
+||p.jwpcdn.com/*/vast.js$domain=zf.ro,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/6772
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=a1.ro
+||videoassets.antenaplay.ro/temp/antenaplay-small.mp4$domain=a1.ro
+a1.ro##.ima-ad-container
+!---- Anti-adblock ---
+!
+!---------------------
+!------------------
+!---- JS rules ----
+!------------------
+!---------------------------------------------------------------------
+!------------------------------ Serbian ------------------------------
+!---------------------------------------------------------------------
+! NOTE: Serbian
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/160827
+kupujemprodajem.com#?##__next div[class^="Banner"]:has(a[href^="https://novi.kupujemprodajem.com/bClick.php"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/160828
+n1info.rs##.banner-promotion
+! https://github.com/AdguardTeam/AdguardFilters/issues/154351
+sd.rs##.sd-banners-zone-responsive-footer
+! https://github.com/AdguardTeam/AdguardFilters/issues/151402
+blic.rs##.banner__placeholder
+blic.rs##.sticky-area
+! https://github.com/AdguardTeam/AdguardFilters/issues/146982
+noizz.rs##.placeholder
+noizz.rs###bannerStickyBottom
+! https://github.com/AdguardTeam/AdguardFilters/issues/142624
+sportklub.rs##.banner-placeholder
+! https://github.com/AdguardTeam/AdguardFilters/issues/141210
+domaceserije.net##[id^="MyAdsId"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/140228
+radiosarajevo.ba##div[style^="min-height: 250px; width: 100%"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/136478
+bosnainfo.ba##.banner
+bosnainfo.ba###Billboard_UnderArticle
+! https://github.com/AdguardTeam/AdguardFilters/issues/134188
+telegraf.tv,telegraf.rs##.banner-placeholder-text
+telegraf.tv,telegraf.rs#%#//scriptlet('set-constant', 'telegrafSettings.noAds', 'true')
+telegraf.tv,telegraf.rs#%#//scriptlet('prevent-element-src-loading', 'script', '/imasdk\.googleapis\.com|\/videojs-contrib-ads/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/130682
+! https://github.com/AdguardTeam/AdguardFilters/issues/112953
+nova.rs##.uc-in-feed-banner
+nova.rs##.banner-promotion
+||contentexchange.me^$domain=nova.rs
+! https://github.com/AdguardTeam/AdguardFilters/issues/107277
+n1info.com##.banner-promotion
+! https://github.com/AdguardTeam/AdguardFilters/issues/101640
+blic.rs##body .banner
+blic.rs##.banner-top
+! https://github.com/AdguardTeam/AdguardFilters/issues/43714
+kupujemprodajem.com#@#.ad-title
+! https://github.com/AdguardTeam/AdguardFilters/issues/31567
+||filmotopia.org/sw.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/21612
+||aviatica.rs/static/uploads/*/*/*-banner-*x*.gif
+||aviatica.rs/static/uploads/*/*/aviatica-1atravel-*.gif
+aviatica.rs##.fusion-imageframe > a[href][target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/21869
+||zotabox.com^$domain=animesrbija.com
+animesrbija.com#%#//scriptlet("abort-current-inline-script", "document.addEventListener", "blockadblock")
+!
+prva.rs##div[id^="midasWidget"]
+tvarenasport.com##a[class^="baner_"]
+!---------------------------------------------------------------------
+!------------------------------ Singhalese ---------------------------
+!---------------------------------------------------------------------
+! NOTE: Singhalese
+!
+!---------------------------------------------------------------------
+!------------------------------ Slovenian ----------------------------
+!---------------------------------------------------------------------
+! NOTE: Slovenian
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/183157
+citymagazine.si##.add-space
+citymagazine.si##.block-wrap-native > .tipi-row-inner-style:has(> .tipi-row-inner-box > .zeen-da-wrap > .block-html-content > ._iprom_inStream > .iAdserver)
+! https://github.com/AdguardTeam/AdguardFilters/issues/169385
+metropolitan.si##.billboard
+! https://github.com/AdguardTeam/AdguardFilters/issues/164830
+vecer.com##.billboard-wrapper
+vecer.com##div[data-ocm-ad]
+vecer.com#?#.relative > div.grid:has(> div.min-w-0 > div[id^="midasWidget"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/163813
+n1info.si##.banner-promotion
+! https://github.com/AdguardTeam/AdguardFilters/issues/162560
+slovenskenovice.si###pos-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/161029
+@@||ads.api.24ur.si/adserver/adblock.$domain=24ur.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/155357
+stil.kurir.rs##.ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/143302
+zadovoljna.si##.banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/138175
+delo.si##.iprom-background-placement
+||a.a2sky.com/2022/177113/*_600.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/89610
+vizita.si##onl-banner
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=vizita.si
+! https://github.com/AdguardTeam/AdguardFilters/issues/63579
+!+ NOT_PLATFORM(windows, mac, android)
+@@||ads.api.24ur.si/adserver/banner/vast.php$domain=24ur.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/42866
+citymagazine.si##div[class^="banner-square-"]
+!---------------------------------------------------------------------
+!------------------------------ Swahili ------------------------------
+!---------------------------------------------------------------------
+! NOTE: Swahili
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/146134
+globalpublishers.co.tz##.adcontainer
+globalpublishers.co.tz##.widget_custom_html a[href="#"]
+globalpublishers.co.tz###custom_html-40
+globalpublishers.co.tz#?#.listing-item:has(> div.item-inner a[href*="-sloti-"])
+globalpublishers.co.tz#?#.listing > article:has(> div.item-inner a[href*="-kasino"])
+globalpublishers.co.tz#?#.listing > article:has(> div.item-inner a[href*="-chapride-"])
+!---------------------------------------------------------------------
+!------------------------------ Swedish ------------------------------
+!---------------------------------------------------------------------
+! NOTE: Swedish
+!
+aftonbladet.se#%#//scriptlet('set-cookie', 'abMegaAd', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/178121
+omni.se##.group--sponsored
+omni.se##.pre-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/171982
+! In AdGuard, the rule like below hides every element mentioned in rule - 'div[class=""]', 'a' etc.,
+! but in uBO it hides these elements only if contains 'annons' text, so a different rule is required
+samnytt.se#@#div[class=""], a, .sticky > div[style="display:grid"], .post-content > div.mx-auto:has-text(/annons/i)
+samnytt.se#?#:is(div[class=""], a, .sticky > div[style="display:grid"], .post-content > div.mx-auto):contains(/annons/i)
+! https://github.com/AdguardTeam/AdguardFilters/issues/155106
+brollopstorget.se##.ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/135037
+di.se#@#.di_panorama-wrapper, .site-header__panorama, .di_panorama__isAdLabel, .discount-box, .campaign-ad-box, .di_start__teaser-placeholder, .di_teaser-flak-planbokskoll, .di_teaser-flak-container--native, .native-box, .bandit-box__teaser--native, a[href*="/brandstudio"], .service-box, .brand-studio-box, .native-article
+di.se##.site-header__panorama
+! https://github.com/AdguardTeam/AdguardFilters/issues/112322
+mobilanyheter.net##a[href="https://www.iphonecasinon.com/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/99104
+aftonbladet.se#?#main > section div[data-ad-subtype]:upward(1)
+aftonbladet.se#?#main > aside div[data-ad-subtype]:upward(1)
+! mobile
+aftonbladet.se#?##main > div > div div[data-ad-subtype]:upward(1)
+! https://github.com/AdguardTeam/AdguardFilters/issues/93277
+fz.se##body .bnr:not(#style_important)
+! https://github.com/AdguardTeam/AdguardFilters/issues/93279
+sweclockers.com##body .ad:not(#style_important)
+! https://github.com/AdguardTeam/AdguardFilters/issues/91903
+expressen.se##.bam-ad-slot.bam-ad-slot--pre-sized
+! https://github.com/AdguardTeam/AdguardFilters/issues/87961
+blocket.se##div[class^="LoadingAnimationStyles__PlaceholderWrapper-"] > div[style="height: 240px;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/88269
+aftonbladet.se###megaAd-placeholder
+! https://github.com/AdguardTeam/AdguardFilters/issues/84226
+@@||widget.trustpilot.com/bootstrap/*/tp.widget.bootstrap.min.js$domain=mathem.se
+! https://github.com/AdguardTeam/AdguardFilters/issues/72730
+blocket.se##div[class*="__PlacementWrapper-"]
+blocket.se##.placement_panorama
+! https://github.com/AdguardTeam/AdguardFilters/issues/66006
+kokaihop.se##.ads-wrapper-main
+! https://github.com/AdguardTeam/AdguardFilters/issues/51854
+omni.se###banner--fullscreen
+omni.se##.article--sponsored
+! https://github.com/AdguardTeam/AdguardFilters/issues/50070
+sydsvenskan.se##.listbox--native
+sydsvenskan.se##.placeholder-native-unit
+! https://github.com/AdguardTeam/AdguardFilters/issues/71816
+! https://github.com/AdguardTeam/AdguardFilters/issues/56772
+! https://github.com/AdguardTeam/AdguardFilters/issues/47420
+! https://github.com/AdguardTeam/AdguardFilters/issues/46569
+||nyafilmer.vip/u_a4fv7zck.js$badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/45506
+streamtajm.com##.col-xs-12 > div[style^="background-color: #eee; width:"][style*="overflow: hidden;"]:not([class]):not([id])
+! https://github.com/AdguardTeam/AdguardFilters/issues/45408
+eniro.se#$#.e-banner { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/37540
+! https://github.com/AdguardTeam/AdguardFilters/issues/65125
+! happypancake has a few language domains
+happypancake.se,happypancake.fi#%#//scriptlet("abort-on-property-read", "Object.prototype.adUnits")
+! https://github.com/AdguardTeam/AdguardFilters/issues/34388
+@@||app.khz.se/api/*&ad_type=preroll-channel$domain=ilikeradio.se
+! https://github.com/AdguardTeam/AdguardFilters/issues/25211
+@@||adtech.de/dt/common/DAC.js$domain=swehockey.se
+! https://github.com/AdguardTeam/AdguardFilters/issues/26999
+@@||adtech.de/dt/common/DAC.js$domain=mitti.se
+! https://github.com/AdguardTeam/AdguardFilters/issues/23998
+swedroid.se###Sony_ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/23408
+happyride.se##.fixed-col > #a-sidebar1
+happyride.se##.container-fluid > .anp1-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/22980
+aftonbladet.se#$#body.abMegaAd { overflow: visible!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/18357
+blocket.se##body > #index_panorama[style]
+! https://github.com/AdguardTeam/AdguardFilters/issues/17598
+fotbolltransfers.com##div[class^="ad"]
+@@||cdnjs.cloudflare.com/ajax/libs/fuckadblock^$domain=fotbolltransfers.com
+@@||fotbolltransfers.com^$generichide
+fotbolltransfers.com##.header_sponsored
+! https://github.com/AdguardTeam/AdguardFilters/issues/148745
+@@||play.tv3.ee^$generichide
+play.tv3.ee###freewheel
+play.tv3.ee#%#//scriptlet('set-constant', 'Object.prototype.isNoAds', 'trueFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/116107
+play.tv3.ee#%#//scriptlet("set-constant", "window.ima3ScriptLoadDate", "1")
+play.tv3.ee#%#//scriptlet("set-constant", "window.fbEventsScriptLoadDate", "1")
+play.tv3.ee#%#//scriptlet("set-constant", "window.dfpScriptLoadDate", "1")
+||play.tv3.ee/static/scripts/adroot/$script,xmlhttprequest,redirect=noopjs,important
+@@||play.tv3.ee/static/scripts/adroot/dfp.min.js
+@@||play.tv3.ee/static/scripts/adroot/facebook.net/fbevents.js
+@@||play.tv3.ee/static/scripts/adroot/imasdk.googleapis.com/js/sdkloader/ima3.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/172655
+! https://github.com/AdguardTeam/AdguardFilters/issues/151574
+! Website validates VMAP using DOMParser, so the script below adds a valid VMAP if the argument is '{}'
+! and that argument is an empty object due to the prevent fetch rule
+tv4play.se#%#!function(){const r={apply:(r,o,e)=>(e[0]?.includes?.("{}")&&(e[0]="\n"),Reflect.apply(r,o,e))};window.DOMParser.prototype.parseFromString=new Proxy(window.DOMParser.prototype.parseFromString,r)}();
+tv4play.se#%#//scriptlet('json-prune', 'ad.*')
+tv4play.se#%#//scriptlet('trusted-replace-fetch-response', '/()[\s\S]*<\/VAST>/', '$1', 'v.fwmrm.net/ad/')
+!+ PLATFORM(windows, mac, android, ext_chromium, ext_opera)
+tv4play.se#%#//scriptlet('prevent-fetch', 'v.fwmrm.net')
+! https://github.com/AdguardTeam/AdguardFilters/issues/13978
+||dbf0a92kfjvxs.cloudfront.net/creatives/assets^$domain=tv4play.se
+! https://github.com/AdguardTeam/AdguardFilters/issues/14694#
+aftonbladet.se###MegaAd
+! https://github.com/AdguardTeam/AdguardFilters/issues/12788
+aftonbladet.se##.abTheme-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/12664
+!+ NOT_OPTIMIZED
+sydsvenskan.se##.burt-native-unit.teaser
+! https://github.com/AdguardTeam/AdguardFilters/issues/12471
+@@||v.fwmrm.net/ad/g/1$domain=dplay.se
+! https://github.com/AdguardTeam/AdguardFilters/issues/10796
+@@||acdn.adnxs.com/ast/ast.js$domain=svd.se
+!
+dn.se##.sponsored-teaser
+sweclockers.com##.header > .hfix > .banner
+dn.se##.ad
+sydsvenskan.se##.ad
+||fusion.sydsvenskan.se^
+idg.se##.spklw-post-attr[data-type="ad"]
+@@||cds.w6x3h2w2.hwcdn.net/ads/advertisement.js
+sydsvenskan.se##.ad--mobile
+||fusion.expressen.se/script.js
+expressen.se###ctl00_AllContent_SecondColumnSectionContent_SecondColumn_WidgetZone_ctl21_ctl00_ctl00_randomContainer
+expressen.se###ctl00_AllContent_SecondColumnSectionContent_SecondColumn_WidgetZone_ctl31_ctl00_ctl00_randomContainer
+aftonbladet.se##.abBoxAd
+aftonbladet.se##.abBoxSponsoredRed
+expressen.se##div[id*="_randomContainer"]
+! https://forum.adguard.com/index.php?threads/15369/
+@@||videoplaza.tv/creatives/assets*.mp4^$domain=expressen.se
+!---Anti-Adblock---
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/14028
+aftonbladet.se##[id^="abAdArea"]
+||se-aftonbladet.videoplaza.tv/proxy/distributor/$domain=aftonbladet.se,important
+||aftonbladet.ooul.tv/nocache/se-aftonbladet/aab/aftonbladet_config.js$script,redirect=noopjs,domain=aftonbladet.se
+!+ NOT_PLATFORM(windows, mac, android)
+aftonbladet.se#%#(function(){var b=XMLHttpRequest.prototype.open,c=/ib\.adnxs\.com/i;XMLHttpRequest.prototype.open=function(d,a){if("POST"===d&&c.test(a))this.send=function(){return null},this.setRequestHeader=function(){return null},console.log("AG has blocked request: ",a);else return b.apply(this,arguments)}})();
+! https://forum.adguard.com/index.php?threads/aftonbladet-se-anti-adblock.26830/
+aftonbladet.se#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads.text-ad-links { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/36632
+ekstrabladet.dk#%#//scriptlet("set-constant", "apntag.requests", "noopFunc")
+ekstrabladet.dk#@##ad_container
+@@||adtech.de/dt/common/DAC.js$domain=ekstrabladet.dk
+!
+||login.di.se/assets/adblk.js
+!---------------------------------------------------------------------
+!------------------------------ Sinhalese and Tamil ------------------
+!---------------------------------------------------------------------
+! NOTE: Sinhalese and Tamil
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/177158
+manithan.com##.blurb
+! https://github.com/AdguardTeam/AdguardFilters/issues/149966
+ada.lk##.advert
+||deals4me.lk/assets/widget1/img/soorya.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/84610
+dinamani.com#?#.scc:has(> span.scc-span:contains(ADVERTISEMENT))
+! https://github.com/AdguardTeam/AdguardFilters/issues/84606
+news.lankasri.com##.ds-share-blurb > div.ds-blurb
+news.lankasri.com##.ds-share-blurb > div.ds-blurb + .sponsor
+news.lankasri.com##.mfc-section div.ds-ms-blurb
+lankasri.com#?#.theiaStickySidebar div.rsb-sections:has(> div[class] > div[id^="div-gpt-ad-"])
+lankasri.com#?#.theiaStickySidebar div[id^="div-gpt-ad-"]:upward(1)
+! https://github.com/AdguardTeam/AdguardFilters/issues/84602
+athirvu.in#?#.sticky-sidebar > section.widget:has(> div.textwidget ins.adsbygoogle)
+! https://github.com/AdguardTeam/AdguardFilters/issues/84604
+cinema.dinamalar.com##div[id^="selAd"]
+cinema.dinamalar.com##.gallery-embed-container > ul > li[class^="gal-img"][style^="width:"][style*="overflow:"]
+cinema.dinamalar.com##div[class^="topadtxt"]
+dinamalar.com##.tophdimginner + div[style]
+dinamalar.com###dmrsshare ~ div[align="center"][style="min-height:270px;"]
+!---------------------------------------------------------------------
+!------------------------------ Tatar --------------------------------
+!---------------------------------------------------------------------
+! NOTE: Tatar
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/145558
+||vatantat.ru/wp-content/uploads/*/banner-
+vatantat.ru##a[href="http://ярдям.рф"]
+vatantat.ru##a[href="http://ярдям.рф"] + img
+vatantat.ru##a[href="https://pobeda.onf.ru/"]
+!---------------------------------------------------------------------
+!------------------------------ Thai ---------------------------------
+!---------------------------------------------------------------------
+! NOTE: Thai
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/187604
+||playerembed-lb.blackboxsys.net/images/banners^$image,domain=dooball66s.com
+||schedule.hunter-news.com^$media,redirect=noopmp3-0.1s,domain=blackboxsys.net
+||onlineprostream.com^$media,redirect=noopmp3-0.1s,domain=blackboxsys.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/186924
+||dedbit.com/ads/*.gif
+dedbit.com##.userpost > tbody > tr > td > center:has(> img[src])
+! https://github.com/AdguardTeam/AdguardFilters/issues/185902
+animeyuzu.com##div[id^="animekimiads"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/185735
+i-loadzone.com##div[id^="custom_html-"][class^="widget_text widget"]
+i-loadzone.com###i-loadzone_com_678x280_main_top_responsive
+! https://github.com/AdguardTeam/AdguardFilters/issues/184653
+pali.media##.l-cooperation
+||img.pali.media/palithai_img/
+! https://github.com/AdguardTeam/AdguardFilters/issues/185100
+.gif$domain=manga168.net
+manga168.net##.dessert-frame
+manga168.net##.kln
+manga168.net###ads_fox_bottom
+! https://github.com/AdguardTeam/AdguardFilters/issues/184759
+||avkuy.com/wp-content/uploads/*/*.webp
+avkuy.com##div[id^="ads_"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/184650
+||xn--72czbawn3i1b1dydua6cl3b.com/*/*.gif
+||xn--72czbawn3i1b1dydua6cl3b.com/*/*.webp
+||jav-master.com/image/avsubthaiv3.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/184497
+||9king888.cc^
+avsubthai.me###page > center
+! https://github.com/AdguardTeam/AdguardFilters/issues/176223
+!+ NOT_OPTIMIZED
+||goldtraders.or.th/uploads/banner/
+!+ NOT_OPTIMIZED
+||goldtraders.or.th/*/advertisement.gif
+!+ NOT_OPTIMIZED
+goldtraders.or.th##div[id*="BannerList"]
+!+ NOT_OPTIMIZED
+goldtraders.or.th##div[class^="banner"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/175935
+@@||monetize-static.viralize.tv/viralize_player_content$domain=majorcineplex.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/174440
+1112hd.com##.banner
+||1112hd.com/wp-content/uploads/*/*/*.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/174438
+movie2free.tv##.sponsor
+||movie2free.tv/wp-content/uploads/*/*/*.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/174428
+||series-888.com/wp-content/uploads/*.gif
+series-888.com##div[id^="srb_widget_ads"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/172439
+gg-animes.com##.container_ads
+gg-animes.com##div[id^="ads"]
+gg-animes.com##img[width="750"][height="150"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/167503
+soccersuck.com##div[class^="ads-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/166752
+||media.discordapp.net/attachments/*/*.gif$domain=manga-lc.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/166065
+serie-day.com##.adt
+serie-day.com##.adl
+serie-day.com##.adrg
+serie-day.com##.adhl
+serie-day.com##.adcen
+! https://github.com/AdguardTeam/AdguardFilters/issues/165810
+ped-manga.com##.dessert-frame
+ped-manga.com##.wbnn
+! https://github.com/AdguardTeam/AdguardFilters/issues/163428
+||spy-manga.com/god/
+||spy-manga.com/im*.gif
+||image.webtoon168.com^$image,third-party
+/lion321-$domain=spy-manga.com
+spy-manga.com##.dessert-frame
+spy-manga.com##.wbnn
+! https://github.com/AdguardTeam/AdguardFilters/issues/161409
+moviesdoofree.com###content > div[style="width: 100%; margin: 0 auto;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/161410
+678movie-hd.com##.ad_cen_center
+! https://github.com/AdguardTeam/AdguardFilters/issues/161390
+/1688porn.tv\/.*[-\/]\d+x\d+.*\.gif/$domain=1688porn.tv
+1688porn.tv##.adv
+1688porn.tv##div[id^="slider-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/161393
+/thaihubx.tv\/(?!.*(animated)).*\.gif/$domain=thaihubx.tv
+thaihubx.tv##.adcen
+! https://github.com/AdguardTeam/AdguardFilters/issues/160913
+||img*.xyz/assets/img/banner-new/$domain=madoohd.com
+madoohd.com##div[class^="above-player-banana"]
+madoohd.com##div[class^="floating-side-bnn-container"]
+madoohd.com#%#//scriptlet('set-constant', 'showLimit', '0')
+! https://github.com/AdguardTeam/AdguardFilters/issues/155256
+thegfporn.com##.adcen
+thegfporn.com##img[class^="ads"]
+thegfporn.com##div[id^="slider-"]
+thegfporn.com#$#body > #main { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/148674
+trueid.net##div[data-testid="adsComponent-div"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/142690
+nanamovies.me##a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/139637
+xxx888porn.com##.adcen
+xxx888porn.com##div[id^="insad"]
+xxx888porn.com##center > a[target="_blank"] > img
+xxx888porn.com#$##main { display: block !important; }
+xxx888porn.com#$#div[id^="ads"] { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/137922
+javluna1.com###player-inside
+javluna1.com##.dvr-bx
+! https://github.com/AdguardTeam/AdguardFilters/issues/135646
+||oremanga.net/wp-content/uploads/*.gif
+||oremanga.net/wp-content/uploads/*/pg999.jpg
+oremanga.net##.header-ads-section
+! https://github.com/AdguardTeam/AdguardFilters/issues/132534
+avsubthai.me##.ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/132068
+||i.imgur.com^$domain=anime-fast.online
+||cdn-img.osplayerv2.com/ban/
+anime-fast.online##.text-center > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/131586
+movie678.com##a[href^="https://www.movie678.com/ads/"]
+movie678.com#?#.content-main > .box:has(> a[href^="https://www.movie678.com/ads/"])
+||movie678.com/images/banners/
+stream037hd.xyz###close_ads
+stream037hd.xyz#%#//scriptlet("set-constant", "Object.prototype.ads", "emptyArr")
+! https://github.com/AdguardTeam/AdguardFilters/issues/130383
+playulti.com##.banner
+playulti.com##section[style="text-align: center;"] > section > a[target="_blank"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/130111
+siamblockchain.com##.ads
+player.octopusbanner.com#$##ads { display: none !important; }
+player.octopusbanner.com#$##main { display: block !important; }
+player.octopusbanner.com#%#AG_onLoad(function(){"function"==typeof window.load_jpw&&window.load_jpw()});
+! https://github.com/AdguardTeam/AdguardFilters/issues/128945
+anime-masters.com##.banner-close
+anime-masters.com##center > p > a[target="_blank"] > img
+anime-masters.com##p[class^="center_"] > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/127821
+siamblockchain.com###inarticle-banner-desktop
+siamblockchain.com##.header-banner
+siamblockchain.com##.topad
+siamblockchain.com##.bottomad
+siamblockchain.com###sidebar > div.widget_block[id^="block"]
+siamblockchain.com###custom_html-6
+! https://github.com/AdguardTeam/AdguardFilters/issues/127823
+bitkub.com##.home__ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/125809
+||rs.aoxx69.net/image/banner/
+aoxx69.net##.GTM-sub-Banner
+aoxx69.net##.toast
+aoxx69.net##.touch_icon_ball
+aoxx69.net#?#.row > div.col-xl-3 > span[style="background-color:red;"]:upward(1)
+aoxx69.net##.Banner_slick
+! https://github.com/AdguardTeam/AdguardFilters/issues/121983
+anime-suba.com###light
+anime-suba.com##.Anadvertisement0
+anime-suba.com##img[src^="https://www.anime-suba.com/Anime-Suba/Admin/imgAnadvertisement/"]
+||anime-suba.com/Anime-Suba/Admin/imgAnadvertisement/
+||googles.video^$media,redirect=noopmp3-0.1s,domain=anime-suba.com
+||cdend.com/*.mp4$media,redirect=noopmp3-0.1s,domain=anime-suba.com
+anime-suba.com#%#AG_onLoad(function(){if(-1!=window.location.href.indexOf("/player/")&&"undefined"!=typeof kosana&&"function"==typeof kosana.skipAd){var a=0;const b=function(b,c){var d=document.querySelector(".skip-btn");d&&10>a?(a++,kosana.skipAd()):c.disconnect()},c=new MutationObserver(b);c.observe(document,{childList:!0,attributes:!0,subtree:!0})}});
+! https://github.com/AdguardTeam/AdguardFilters/issues/120461
+@@||static.bigc.co.th/media/bannerads/images/$domain=bigc.co.th
+! https://github.com/AdguardTeam/AdguardFilters/issues/119825
+thaiticketmajor.com##.banner-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/120338
+seriedd.com##a[href^="https://bit.ly/"]
+||seriedd.com/wp-content/uploads/*/*/*.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/120340
+dunnung.com##.rkads
+||dunnung.com/wp-content/uploads/*/*/*.gif
+dunplayer.review#%#//scriptlet("set-constant", "Object.prototype.ads", "emptyArr")
+! https://github.com/AdguardTeam/AdguardFilters/issues/120336
+i-moviehd.com##div[id^="banner"]
+||i-moviehd.com/wp-content/uploads/*/*/*.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/120335
+||uhuseries.com/banner/
+uhuseries.com##a[target="_blank"][rel*="sponsored"]:not([href^="https://nav.cx/"]) > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/119441
+888scoreonline.net##tr[id^="tr_ad"]
+||cdn.888img.com/*.gif$domain=888scoreonline.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/119206
+dek-d.com###global-ads
+dek-d.com#$#body #theme-wrapper { display: none !important; }
+dek-d.com#$#body:not(.theme-collapse) #toolbar { height: 40px !important; margin-top: 0 !important; }
+dek-d.com#$#body:not(.theme-collapse) #toolbar > .toolbar { top: 0 !important; }
+dek-d.com#%#//scriptlet('set-cookie', 'ad_theme_collapsed_tcas-article', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/119318
+thaiticketmajor.com##div[class^="box-banner-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/119111
+doomovie-hd.pro#%#//scriptlet("set-constant", "adSettings", "emptyArr")
+doomovie-hd.pro##.player-container > div[style="position: absolute; top: 0px; left: 0px; width: 100%; height: 100%; z-index: 6; display: flex; justify-content: center; align-items: center;"]
+doomovie-hd.pro##[class^="horizontal-ad-bar"]
+doomovie-hd.pro##div[class$="floating-banana-container"]
+doomovie-hd.pro##div[class^="default-horizontal-banana"]
+doomovie-hd.pro##.header-banana_container
+||via.placeholder.com^$domain=doomovie-hd.pro
+! https://github.com/AdguardTeam/AdguardFilters/issues/119001
+thansettakij.com##.default-sticky-1
+! https://github.com/AdguardTeam/AdguardFilters/issues/118451
+mawtoload.com##a[target="_blank"] > img[src*=".wp.com/mawtoload.com/wp-content/uploads/"][src$=".webp"]
+||wp.com/mawtoload.com/wp-content/uploads/*.webp$domain=mawtoload.com
+||mawtoload.com/wp-content/uploads/*.webp
+! https://github.com/AdguardTeam/AdguardFilters/issues/117754
+teroradio.com#$##leaderboard-billboard { visibility: hidden !important; height: 0 !important; }
+teroradio.com###leaderboard
+! https://github.com/AdguardTeam/AdguardFilters/issues/117655
+techsauce.co###banner-link-c
+! https://github.com/AdguardTeam/AdguardFilters/issues/117583
+komchadluek.net###section-thaileague
+komchadluek.net##.default-sticky-1
+! https://github.com/AdguardTeam/AdguardFilters/issues/173667
+! https://github.com/AdguardTeam/AdguardFilters/issues/116784
+thairath.co.th##.adsbox-style
+thairath.co.th##div[class^="ads-slot-"]
+thairath.co.th##.article-body div[style*="overflow:"][style*="background:"]:has(> div[class^="ads-slot-"])
+thairath.co.th###headerWraper ~ div[class]:has(> div:only-child > div[style]:only-child > #slot-billboard:only-child)
+thairath.co.th#?##headerWraper ~ div:matches-css(min-height: 280px)
+thairath.co.th##footer ~ div[style="text-align: center; opacity: 1;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/116778
+bangkokbiznews.com,thansettakij.com,komchadluek.net,springnews.co.th,nationtv.tv,tnews.co.th##.default-billboard
+bangkokbiznews.com,thansettakij.com,komchadluek.net,springnews.co.th,nationtv.tv,tnews.co.th##.content-detail > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/116589
+kapook.com##.fullbanner
+! https://github.com/AdguardTeam/AdguardFilters/issues/116780
+siamsport.co.th###sticky_bottom_rail
+! https://github.com/AdguardTeam/AdguardFilters/issues/116398
+khaosod.co.th##.ads_position_wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/116399
+sanook.com##.BillboardPremium
+sanook.com##.AdsWrap
+sanook.com##.SidebarHot__col--ad
+sanook.com##.LeaderBoard
+sanook.com##.adWrapMinHeight
+! https://github.com/AdguardTeam/AdguardFilters/issues/116356
+bangkokbiznews.com##.ads-sticky
+bangkokbiznews.com###__next > .default-cover
+bangkokbiznews.com#?#.col-lg-4 > div > .widget-content:has(> .ads-sticky)
+! https://github.com/AdguardTeam/AdguardFilters/issues/116276
+doofree88.com##.main-carousel
+doofree88.com##.placeholder
+doofree88.com##.go-content
+doofree88.com##.js-ifram-google > div.text-center
+||media.queenclub88.com/movie/ads_*.mp4/*.ts$xmlhttprequest,redirect=noopmp3-0.1s
+||media.queenclub88.com/movie/*-ads-*.mp4/*.ts$xmlhttprequest,redirect=noopmp3-0.1s
+||doofree88.com/storage/go/
+doofree88.com#%#//scriptlet("set-constant", "go.0.skip", "0")
+doofree88.com#%#//scriptlet("prevent-window-open", "openExternalBrowser")
+! https://github.com/AdguardTeam/AdguardFilters/issues/116277
+series-dd.co##div[id="ads728x90top"][onclick="clickStats()"]
+series-dd.co###ads_fox_bottom
+! https://github.com/AdguardTeam/AdguardFilters/issues/116274
+xn--72cf9bd9fk5a.com##.banner-top
+xn--72cf9bd9fk5a.com##.ad_cen
+! https://github.com/AdguardTeam/AdguardFilters/issues/116233
+||w*.mgronline.com/banner/ent-banner.png
+! https://github.com/AdguardTeam/AdguardFilters/issues/114566
+subserieshd.com###banner
+subserieshd.com###bt-ads
+||subserieshd.com/show/ads.js
+||subserieshd.com/banner/
+||anccplayer.cyou/source/*.mp4
+anccplayer.cyou#%#!function(){if(location.pathname.includes("/source/playerads")){var b=new MutationObserver(function(){var a=document.querySelector('script[type="text/javascript"]');a&&a.textContent.includes('"ads": [')&&(b.disconnect(),a.textContent=a.textContent.replace(/("ads": \[\{)[\s\S]*?(\}\])/,"$1$2"))});b.observe(document,{childList:!0,subtree:!0})}}();
+! https://github.com/AdguardTeam/AdguardFilters/issues/114568
+||netflix-thai.org/wp-content/uploads/*.gif
+netflix-thai.org##div[id^="widget_ads"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/114571
+||chinese-series.org/wp-content/uploads/*.gif
+chinese-series.org###ads728x90top
+chinese-series.org###after-player-ads
+chinese-series.org###before-player-ads
+chinese-series.org###widget_ads1
+chinese-series.org##.masvideos_movies_widget
+! https://github.com/AdguardTeam/AdguardFilters/issues/113712
+doomovie-hd.com##.header-banana_container
+doomovie-hd.com##.default-horizontal-banana
+doomovie-hd.com##div[class$="floating-banana-container"]
+doomovie-hd.com###ekcdnplayer > div[style^="position: absolute; top: 0; left: 0;"]
+smart-tv.doomovie-hd.com###video_overlay_a
+smart-tv.doomovie-hd.com#%#//scriptlet("set-constant", "ad.isAllAdPlayed", "trueFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/110044
+||m.mgronline.com/js/views/global-ads.min.js
+||imp.mgronline.com^
+! https://github.com/AdguardTeam/AdguardFilters/issues/113590
+||037hd.mobi/images/banners/
+037hd.mobi##a[href^="https://037hd.mobi/ads/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/113586
+moviehd2022.com##.banner-left
+moviehd2022.com##.banner-right
+moviehd2022.com##.banner-float
+moviehd2022.com##.banner-center2
+moviehd2022.com##.list-banner-bottom
+/wp-content/uploads/*.gif$domain=moviehd2022.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/113585
+moviehdd2023.com##.player-banner
+moviehdd2023.com##div[class^="ad-"]
+/wp-content/uploads/*.gif$domain=moviehdd2023.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/110411
+||aileen-novel.online/wp-content/uploads/*/*/*.gif
+aileen-novel.online##.c-sidebar
+! https://github.com/AdguardTeam/AdguardFilters/issues/104213
+community.headlightmag.com##.Banner-B-Top-Step2
+! https://github.com/AdguardTeam/AdguardFilters/issues/102008
+animekimi.com###animekimiads1
+animekimi.com##.animekimi-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/98879
+/*.gif$domain=vbmovies.com
+vbmovies.com##.ad-float-bottom
+! https://github.com/AdguardTeam/AdguardFilters/issues/98877
+||*.bp.blogspot.com^$image,domain=4u2movie.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/98876
+||037hdmov.com/images/banners/$image
+||037hdmov.com/images/banners/*_MV_MASTER.webm$media,redirect=noopmp4-1s
+037hdmov.com#%#//scriptlet('set-constant', 'start_ads_0', '0')
+! https://github.com/AdguardTeam/AdguardFilters/issues/98869
+doomovie88-hd.com##img[alt="ufabet"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/98865
+||movie007hd.com/wp-content/uploads/*.gif
+movie007hd.com##.tbads
+movie007hd.com##div[id^="divAd"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/97024
+||i.imgur.com^$domain=serieslandd.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/97022
+xn--12ct0a9ceo5b3cxabf2byg4etc.tv##.banner-header
+||xn--12ct0a9ceo5b3cxabf2byg4etc.tv/wp-content/uploads/*/*/*.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/96779
+wetv.vip###google-ads-player
+wetv.vip#%#//scriptlet("adjust-setTimeout", "onAdsCompleted", "5000", "0.02")
+! https://github.com/AdguardTeam/AdguardFilters/issues/97023
+myseries.co#$##player_movie { display: block !important; }
+myseries.co#$#div[id^="player_ads_"] { display: none !important; }
+||myseries.co/images/banners/
+! https://github.com/AdguardTeam/AdguardFilters/issues/96663
+movie2here.com##div[class^="sticky-ads-"]
+movie2here.com###branding + div[id^="movie-"] + center
+movie2here.com##a[target="_blank"]:not([href^="https://www.google."]) > img
+||movie2here.com/wp-content/themes/*/img/pic/*.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/96658
+||cartoonsubthai.com/clip/loadingx.mp4$media,redirect=noopmp3-0.1s
+! https://github.com/AdguardTeam/AdguardFilters/issues/96655
+anime-kimuchi.net##.img-ads
+||anime-kimuchi.net/image/*.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/96656
+animeguro.com###bt-ads
+||imgur.com^$image,domain=animeguro.com
+||image.clubzap.org/pix/$domain=animeguro.com
+||image.baan-series.com/uploads/$domain=animeguro.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/96657
+movie-subthai.com##div[class^="tt_banner_"]
+/wp-content/uploads/*/*/*.gif|$domain=movie-subthai.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/96660
+stream.miku-box.com#%#//scriptlet("set-constant", "Object.prototype.ads", "emptyArr")
+! https://github.com/AdguardTeam/AdguardFilters/issues/96661
+||i.imgur.com^$domain=anime-hoyo.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/96625
+xn--24-3qi3cza1b2a4dxc2byb.com##.ads-player
+xn--24-3qi3cza1b2a4dxc2byb.com##[class^="ad_"]
+xn--24-3qi3cza1b2a4dxc2byb.com##[class^="ad-float-"]
+xn--24-3qi3cza1b2a4dxc2byb.com##.bottom-center > .widget_media_image > a[target="_blank"] > img
+xn--24-3qi3cza1b2a4dxc2byb.com##.bottom-center > .widget_media_image > img[src*="/wp-content/uploads/"][src*="/C"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/119005
+reborntrans.com##a[rel][target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/119006
+*.gif^$domain=weimanga.com
+weimanga.com##.kln
+weimanga.com##.dessert-frame
+weimanga.com###wbnn
+! https://github.com/AdguardTeam/AdguardFilters/issues/94065
+nanamovies.me##.yan-rek
+nana2play.com#%#//scriptlet("set-constant", "link_ads", "emptyObj")
+||4u2movie.com/wp-content/uploads/*/*.mp4$media,redirect=noopmp3-0.1s,domain=nana2play.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/94064
+doomovie-hd.com##.topad_container
+doomovie-hd.com##.side_floating_ad
+/assets/img/banner-new/*$domain=doomovie-hd.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/102527
+xn--72czp7a9bc4b9c4e6b.video##.ads-player
+xn--72czp7a9bc4b9c4e6b.video##.ads-comment
+xn--72czp7a9bc4b9c4e6b.video#$#div[class^="ads-"][class$="-player"] { visibility: hidden !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/93991
+hdd.porn2uhd.com,hdd.movie365-hd.com,hdd.movies-store.com,hdd.nung2uhd.com,hdd.movie22hd.com#%#AG_onLoad(function(){document.querySelector("#moviePlayer")&&"string"===typeof playAds&&"play"===playAds&&(playAds="donplay")});
+! https://github.com/AdguardTeam/AdguardFilters/issues/93989
+/wp-content/uploads/*.gif$domain=moviedee24.com|123-hd.com|movie2uhd.com|nung2uhd.com|nung2hdd.com|movieshdfree.com|newseries-hd.com|movie22hd.com|moviehdfree.net|dooseries2uhd.com|newseries24.com|serieshd24.com
+||bp.blogspot.com/*.gif$domain=nung2hdd.com|nanamovies.me
+serieshd24.com,newseries24.com,dooseries2uhd.com,moviedee24.com,xn--72czp7a9bc4b9c4e6b.video,nung2hdd.com,movieshdfree.com,newseries-hd.com,movie22hd.com,moviehdfree.net##.ad-float
+nung2uhd.com,newseries-hd.com,movie22hd.com,moviehdfree.net##.banner
+movie2uhd.com,movieshdfree.com##.ad
+moviedee24.com##.banner-top
+dooseries2uhd.com,newseries-hd.com##.sidebar-banner
+serieshd24.com,newseries24.com##div[class^="banner-mid-"]
+dooseries2uhd.com##.adcen
+dooseries2uhd.com##.adcen-mid
+moviedee24.com##.ad_f1
+moviedee24.com##.bottom-center > .widget_media_image
+moviedee24.com##a[target="_blank"] > img[src*="/wp-content/uploads/"][src*=".gif"]
+movie2uhd.com##.adhl
+movie2uhd.com##.adbr
+nung2uhd.com##.banner-float
+123-hd.com###banner_top
+newseries-hd.com##.admid
+||cdend.com/*.mp4$domain=moviedo24.com|hdd.movie365-hd.com|hdd.movies-store.com|hdd.nung2uhd.com|hdd.movie22hd.com|hdd.porn2uhd.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/93101
+kserietv.co#?#.items-center:has(> a[rel="nofollow"][target="_blank"] > img)
+! ads
+||i.imgur.com^$domain=anime-hentai.jp.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/86394
+||googles.video/*/*.mp4$domain=movies-store.com|movie2uhd.com
+||sv1.cdend.com//*/*.mp4$domain=movies-store.com|movie2uhd.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/83334#issuecomment-850669027
+||go.xn--16-ftitt.com^$image,domain=manga168.com
+/*.gif$domain=manga168.com
+manga168.com##.kln
+manga168.com##.dessert-frame
+manga168.com##.bigcover
+manga168.com###ads_fox_bottom
+manga168.com#$#.terebody { padding-top: 0 !important }
+!
+||123-hd.com/wp-content/uploads/*/300x4*.gif
+123-hd.com###banner_right
+*.gif$domain=hanimesubth.com,image
+!
+! ads
+||cat-translator.com/manga/wp-content/uploads*.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/79578
+||th.giraff.io^$domain=bangkokbiznews.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/73710
+series-d.com##div[onclick^="window.open("]
+series-d.com##.skip-btn
+! https://github.com/AdguardTeam/AdguardFilters/issues/80747
+||cdend.com//*/*.mp4$domain=dunplayer.bid
+||bp.blogspot.com^$image,domain=dodonung.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/73942
+anime-i.com##img[src^="/images/ad/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/57660
+kapook.com##._popIn_recommend_article_ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/57139
+.gif$domain=037hdmovie.com
+037hdmovie.com###fix_footer2
+037hdmovie.com###banner-left
+037hdmovie.com###ads_fox_bottom
+037hdmovie.com##.filmborder > div[style="text-align: center;"] > a[target="_blank"]
+037hdmovie.com#?#.leftC > .filmborder:has(> div[style="text-align: center;"] > a[target="_blank"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/57125
+anime-sugoi.com###bt-ads
+||bp.blogspot.com/*.gif$domain=anime-sugoi.com
+anime-sugoi.com##.center_lnwphp + center > br
+! The rule below is from Thai filter and it's necessary in case of apps, because website is broken when apps remove images
+! https://github.com/AdguardTeam/AdguardFilters/issues/56919
+toonclub-th.co###bgpopup
+toonclub-th.co###Seriespopup
+toonclub-th.co###ads728x90top
+! https://github.com/AdguardTeam/AdguardFilters/issues/55895
+/images/banners/*$domain=doonungonline.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/55838
+mo9x.com##.adsbtn_right
+! https://github.com/AdguardTeam/AdguardFilters/issues/56008
+||doomovie.sgp*.digitaloceanspaces.com/*.mp4$redirect=noopmp4-1s,domain=doomovie.com
+||doomovie.com/storage/go/*.gif$~third-party
+doomovie.com##.ads-center
+doomovie.com##.go-b-close
+! https://github.com/AdguardTeam/AdguardFilters/issues/55704
+javx24.com##.float-banner
+javx24.com##.banner
+javx24.com##.bannerx
+javx24.com##.ads-player-movie
+javx24.com#%#//scriptlet("json-prune", "MU_ads")
+! https://github.com/AdguardTeam/AdguardFilters/issues/73944
+! https://github.com/AdguardTeam/AdguardFilters/issues/55240
+cartoonth12.com###ads_fox_bottom
+cartoonth12.com##a[href="https://sagame1688.com/"]
+@@||p.jwpcdn.com/player/plugins/vast/v*/vast.js$domain=player.cartoonth12.com
+/*.mp4$third-party,media,redirect=noopmp3-0.1s,domain=player.cartoonth12.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/54445
+v8movie-hd.com##a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/54317
+doofree88.com##.go-hard
+! https://github.com/AdguardTeam/AdguardFilters/issues/54043
+dufree4k.com#%#//scriptlet("abort-on-property-read", "player_0")
+dufree4k.com#$##player_ads_0 { display: none !important; }
+dufree4k.com#$##player_movie { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/53779
+movie2ufree.com##.ad-float
+movie2ufree.com##.sidebar-banner
+movie2ufree.com##.adcen > .adb:not(:last-child)
+movie2ufree.com#$#.adcen > .adb:last-child { visibility: hidden!important; }
+movie2ufree.com#%#AG_onLoad(function() { $('#group-url').show(); playMovie(); });
+! https://github.com/AdguardTeam/AdguardFilters/issues/51221
+||doomovie-hd.com/assets/img/banner-new/
+doomovie-hd.com##.floating_ads_bt-mid_container
+doomovie-hd.com##.horizontal-ad-bar
+doomovie-hd.com#%#//scriptlet("json-prune", "adParam")
+! https://github.com/AdguardTeam/AdguardFilters/issues/50665
+av-uncen.com###custom_html-25
+av-uncen.com###media_image-2
+av-uncen.com###custom_html-22
+av-uncen.com###media_image-3
+av-uncen.com###custom_html-20
+! https://github.com/AdguardTeam/AdguardFilters/issues/50282
+movie2uhd.com##.ad-float
+movie2uhd.com##.widgettitle-banner + a[rel^="nofollow"][target="_blank"] > img
+movie2uhd.com#%#//scriptlet("json-prune", "MU_ads")
+! https://github.com/AdguardTeam/AdguardFilters/issues/48317
+||movie2z.com/img/*.gif
+movie2z.com##.text-center > a:not([href^="https://movie2z.com"]) > img
+movie2z.com##.justify-content-md-center > div[class="col-2"] > a[target="_blank"] > img
+037-hd.com##.container > div.row a[target="_blank"] > img
+037-hd.com###bt-ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/45281
+fanseriesthaisub.com##div[style="margin-top:15px;"]
+fanseriesthaisub.com##.top-right-iframe
+! https://github.com/AdguardTeam/AdguardFilters/issues/45283
+! https://github.com/AdguardTeam/AdguardFilters/issues/45284
+! https://github.com/AdguardTeam/AdguardFilters/issues/45287
+||imgur.com^$domain=series4you.com|series-d.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/44333
+series108.com##.fake-player
+! https://github.com/AdguardTeam/AdguardFilters/issues/44222
+! ดูหนังออนไลน์.com
+.gif$domain=xn--72czpba5eubsa1bzfzgoe.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/44228
+superseriesthai.com##center > a[href] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/44227
+home-series.to##.ads
+home-series.to###bt-ads
+home-series.to##a[href][target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/44328
+overseries.tv##a[target="_blank"] > img
+overseries.tv##.pcShow
+! https://github.com/AdguardTeam/AdguardFilters/issues/44330
+xn--72czp5e5a8b.online##.bireklam
+xn--72czp5e5a8b.online##div[style="text-align: center;"] > a[href][target="_blank"] > img
+037hdmovie.com#?#.leftC > .filmborder:has(> div[style="text-align: center;"]:only-child > a[href][target="_blank"])
+037hdmovie.com#?#.leftC > .filmborder:has(> div[style="text-align: left;"]:only-child > .separator:only-child > a[href][target="_blank"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/44321
+posttoday.com##.leaderboard
+! https://github.com/AdguardTeam/AdguardFilters/issues/44327
+fanseriesthaisub.com##.margin-banner
+fanseriesthaisub.com#$#.ftco-navbar-light { background: #000 !important; }
+fanseriesthaisub.com#$#.ftco-navbar-light.scrolled { background: #fff !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/44319
+mthai.com##div[id^="dfp-"]
+mthai.com###masthead
+mthai.com##.banner-wrap
+! https://github.com/AdguardTeam/AdguardFilters/issues/44322
+pptvhd36.com##.ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/44318
+sanook.com##.nativePostAdCol
+sanook.com##.billboard
+sanook.com##.colAdRec
+! https://github.com/AdguardTeam/AdguardFilters/issues/44221
+@@||cdn.jsdelivr.net/npm/fuckadblock@3.2.1/fuckadblock.min.js$domain=series-d.com
+series-d.com###bt-kosana
+series-d.com##.kosana-banner
+||cdn.sagame66.com^$important,media,redirect=noopmp4-1s,domain=series-d.com
+||cdn.sexygame66.com^$important,media,redirect=noopmp4-1s,domain=series-d.com
+||series-d.com/vast/*.mp4$important,media,redirect=noopmp4-1s,domain=series-d.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/43410
+||media.datahc.com/Affiliates/$third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/42800
+mgronline.com##article.pordee-shops
+@@||ads.imprezzer.com/js/$script,domain=mgronline.com
+!
+ballzaa.com##.banner-box
+! https://github.com/AdguardTeam/AdguardFilters/issues/28171
+flix-anime.com##.player-container > .kosana-container
+@@||cdn.jsdelivr.net/npm/fuckadblock@3.2.1/fuckadblock.min.js$domain=flix-anime.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/26526
+anime-i.com##.ads-300-150
+anime-i.com##.ads-1000-100
+player.anime-i.com#$?#ul[data-ads] { remove: true; }
+||7mscorethai.com/ohoslot-*.mp4$redirect=noopmp4-1s,domain=player.anime-i.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/23746
+neko-miku.com##.ads-825-100
+neko-miku.com##.ads-290-100
+player.neko-miku.com#$?#ul[data-ads] { remove: true; }
+||7mscorethai.com/ohoslot-*.mp4$redirect=noopmp4-1s,domain=player.neko-miku.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/21156
+opuree.com#%#window.detector_active = true;
+@@||opuree.com/scr/detector/adsbygoogle.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/41681
+||ksubthai.co^$popup,domain=kseries.tv
+kseries.tv#%#//scriptlet("abort-on-property-read", "tabUnder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/
+hflight.net#@#.ipsAd
+hflight.net##a[href^="http://th.airbnb.com/c"] > img
+hflight.net###ipbwrapper .ipsAd > table[width][align="center"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/18049
+movie2free.com##a[href*=".php"][target="_new"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/17460
+! https://github.com/AdguardTeam/AdguardFilters/issues/16179
+! https://github.com/AdguardTeam/AdguardFilters/issues/12774
+@@||openpoint.com.tw^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/12395
+video.520cc.cc###inplayer
+jav777.cc##.ui-widget-overlay
+jav777.cc##div[aria-describedby="myaabpfun12dialog"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/11897
+javboss.me#%#clientSide.player.play(true);
+!+ NOT_PLATFORM(ios, ext_android_cb)
+javboss.me###preroll
+! https://forum.adguard.com/index.php?threads/https-www-2510avporn-com-nsfw.25516/
+||2510porn.com/banner/
+||xxxthhd.com/wp-content/uploads/banner
+||2510porn.com/wp-content/uploads/*/banner
+||2510porn.com/wp-content/uploads/2017/09/2510avporn-960x100.jpg
+2510porn.com##[id^="banner"]
+2510porn.com#$##sgcolorbox { display: none!important; }
+2510porn.com#$##sgcboxOverlay { display: none!important; }
+2510porn.com#$#body[style="overflow: hidden;"] { overflow: visible!important; }
+2510porn.com#%#AG_onLoad(function() { jQuery(function() { jQuery('body, a').unbind('click'); }); });
+! http://forum.adguard.com/showthread.php?7076
+daum.net##.box_banner
+! http://forum.adguard.com/showthread.php?7078
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=voicetv.co.th
+! http://forum.adguard.com/showthread.php?5788
+@@||tv.sanook.com/ajax/get_ads?
+@@||tv.sanook.com/assets/js/ads*.js
+! http://forum.adguard.com/showthread.php?5402
+@@||pq-direct.revsci.net/pql$domain=nationtv.tv
+! http://forum.adguard.com/showthread.php?5403
+brandbuffet.in.th#@#.category-advertorial
+!---------------------------------------------------------------------
+!------------------------------ Uzbek --------------------------------
+!---------------------------------------------------------------------
+! NOTE: Uzbek
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/167473
+asilmedia.org##a[href^="http://yangi-kinolar.ru/"]
+asilmedia.org##a[href^="https://yourbonus.online/"]
+asilmedia.org#$#.site-wrap { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/162988
+||yangi-kinolar.ru/*/pc.gif
+||yangi-kinolar.ru/vast/*.xml
+asilmedia.org###banner
+!---------------------------------------------------------------------
+!------------------------------ Vietnamese ---------------------------
+!---------------------------------------------------------------------
+! NOTE: Vietnamese
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/189409
+biphim.mx###footer_fixed_ads
+||biphim.mx/public/prom_ad/prom_ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/188938
+||phimmoisz.org/wp-content/uploads/tvc/*.xml
+! https://github.com/AdguardTeam/AdguardFilters/issues/187670
+live2.thapcam24.net##.match > div.modal:has(a[href^="/go?url"])
+live2.thapcam24.net##.bg-overlay
+! https://github.com/AdguardTeam/AdguardFilters/issues/186931
+dtruyen.com,dtruyen1.com##.wt-ads2
+! https://github.com/AdguardTeam/AdguardFilters/issues/186869
+bongngotv2.net##.preload-banner
+bongngotv2.net##div[class^="ab"]
+||bongngotv2.net/i29/i9_mb.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/186315
+||nhutgg.io.vn/js/ads-blocked.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/185123
+/script/oneAds.js|
+! https://github.com/AdguardTeam/AdguardFilters/issues/183464
+animevietsub.*##.Ads
+animevietsub.*##div[id$="-catfixx"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/181933
+||motchill.tel/caaffici9.gif
+||motchill.tel/cafix99vn728X90.gif
+||motchill.biz/pupup*.jpg
+||motchill.tel/pupop*.gif
+motchill.biz###catfish
+motchill.biz##.popUpBannerBox
+! https://github.com/AdguardTeam/AdguardFilters/issues/179800
+cmangaog.com##.pr_image
+! https://github.com/AdguardTeam/AdguardFilters/issues/178662
+metruyencv.info###middle-three
+metruyencv.info###middle-one
+metruyencv.info###middle-two
+metruyencv.info###masthead
+metruyencv.info##.nt-fl-ad
+!
+truyenhentaivn.*##.ads_popup
+! https://github.com/AdguardTeam/AdguardFilters/issues/174960
+savetik.co##.ads-slot-top
+!
+mod18.com##img[width="728px"][height="90px"]
+mod18.com##.epcl-banner
+! https://thuyetminh3d.com/phim/bach-luyen-thanh-than
+thuyetminh3d.com###catfish
+thuyetminh3d.com##.ad-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/174603
+coivl.net###scriptDiv
+coivl.net###levelmaxblock
+coivl.net#%#//scriptlet('prevent-element-src-loading', 'script', 'pagead2.googlesyndication.com')
+||coivl.net/trangchu/js/adblock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/173437
+hellobacsi.com##.article-desktop-ad-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/171614
+subnhanhvl.net##.under-player
+! https://github.com/AdguardTeam/AdguardFilters/issues/171103
+tutientruyen.com##.click-ads
+tutientruyen.com##.overlay[style="display: flex;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/168089
+animet.net###fbox-background
+animet.net###menubentrai
+animet.net##.sticky_bottom
+||api.anime3s.com/i9bet.php
+||api.anime3s.com/video888.mp4
+! https://github.com/AdguardTeam/AdguardFilters/issues/167326
+vietjack.com##.box-most-viewed
+vietjack.com###rightbar > a[target="_blank"][rel="noopener nofollow"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/167195
+phimmoizz.org##div[id^="catfish"]
+phimmoizz.org##.ad-container
+phimmoizz.org###quangcao
+||phimmoizz.org/storage/files/img/*.gif
+||phimmoizz.org/storage/files/system/*.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/166383
+voicegpt.us##img[alt="ads"]
+voicegpt.us##.banner-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/164270
+tvmienphi.tv#$?##wap_bottombanner { remove: true; }
+tvmienphi.tv#$?##hivideo { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/163370
+live7.vebo3.org#$##modalasd { display: none !important; }
+live7.vebo3.org#$#.modal-backdrop { display: none !important; }
+live7.vebo3.org##div[class*=" size-"]
+live7.vebo3.org##.mcb_-linksz
+live7.vebo3.org##.mct_-bet
+live7.vebo3.org##.main-left + .sidebar-right
+||photo2.tinhte.vn^$domain=live7.vebo3.org
+||imgur.com^$domain=live7.vebo3.org|player.4shares.live
+||odds.vebo.xyz^
+||static.vebotv.app/images/blv/$third-party
+||player.4shares.live/*/img^
+||api.vebo.xyz/api/a/vebotv^
+! https://github.com/AdguardTeam/AdguardFilters/issues/163279
+ictvietnam.vn##.c-banner-ovelay
+! https://github.com/AdguardTeam/AdguardFilters/issues/162256
+||1991482557.rsc.cdn77.org^
+||upfastfile.com/upload/natogame_
+! https://github.com/AdguardTeam/AdguardFilters/issues/160992
+vnmod.net##.float-ck-center-lt
+! https://github.com/AdguardTeam/AdguardFilters/issues/160774
+||animehay.city/720x80.gif
+animehay.city##body > div[style^="position: fixed; bottom: 0px; z-index:"]
+animehay.city#%#//scriptlet('set-constant', 'adsCatFish', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/159620
+||phimlongtieng.net/*.mp4
+! https://github.com/AdguardTeam/AdguardFilters/issues/159896
+phimmoi9.net###_AM_POPUP_FRAME
+! https://github.com/AdguardTeam/AdguardFilters/issues/159092
+phimmoi.in###ads-preload
+phimmoi.in##.mp-adz
+||phimmoi.in/storage/images/banner/
+||phimmoi.in/storage/images/6686_preload.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/156681
+cafef.vn##div[id^="admzone"]
+cafef.vn##div[class^="ads_admzone"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/156210
+tinxahoivn.com##body > div[id^="myModal"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/155653
+vgt.vn##.avgt-div
+! https://github.com/AdguardTeam/AdguardFilters/issues/154982
+dafontvn.com#$#body { overflow: auto !important; }
+dafontvn.com#$##adblock_msg { display: none !important; }
+dafontvn.com#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/153853
+we25.vn##.bg_allpopupss
+we25.vn##.bgal_popndungalal
+we25.vn#%#//scriptlet('prevent-window-open', 'link')
+! https://github.com/AdguardTeam/AdguardFilters/issues/153754
+bestx.stream#%#//scriptlet("set-constant", "alert", "undefined")
+! https://github.com/AdguardTeam/AdguardFilters/issues/153408
+||minhpc.com/web/main.js
+windowslite.net#$#body { overflow: auto !important; }
+windowslite.net#$##levelmaxblock { display: none !important; }
+windowslite.net#%#//scriptlet('prevent-element-src-loading', 'script', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/152397
+nettruyento.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/151802
+ophim.vip##div[style] > a[target="_blank"] > img
+ophim.vip#%#//scriptlet('prevent-window-open')
+ophim.vip#%#//scriptlet('abort-current-inline-script', 'jQuery', 'window.open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/150148
+vlxyz.net###showpreload
+vlxyz.net##body .xx-ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/149067
+ngoisao.vnexpress.net##.text_ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/149877
+thichcode.net#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/148699
+subnhanh.cc##.ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/148844
+hh3dhay.com###sidebar > a > img
+hh3dhay.com##.text-center > a > img
+hh3dhay.com##a[href="https://868vip.mobi/"]
+hh3dhay.com#%#//scriptlet('set-constant', 'artplayerPluginAds', 'noopCallbackFunc')
+hh3dhay.com#%#(()=>{if(location.href.includes("/embed/?link=")){const i=new URL(location.href).searchParams.get("link");if(i)try{location.assign(i)}catch(i){}}})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/142327
+thuvienhd.com##a[href^="https://bit.ly/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/142197
+vietcetera.com##div[class^="styles_topBanner"]
+vietcetera.com##div[class^="styles_banner"]
+vietcetera.com##div[class^="!items-end"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/141516
+vlxx.day##.banner-preload
+vlxx.day##.catfish-bottom
+vlxx.day###header center > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/140851
+||znews-photo.zingcdn.me/*/index.js
+zingnews.vn#?#body > div#pushed_popup + div:has(> div[data-zoneid])
+zingnews.vn###Zingnews_SiteHeader
+! https://github.com/AdguardTeam/AdguardFilters/issues/140667
+hhpanda.tv##a[rel="nofollow sponsored"]
+||static.adconnect.vn^
+! https://github.com/AdguardTeam/AdguardFilters/issues/140779
+phaply.net.vn##.no-margin-ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/139499
+subnhanhz.tv##a[rel="nofollow sponsored"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/138061
+nettruyenup.com##img[src^="//st.nettruyenup.com/data/"][src*="/banner/"]
+||nettruyenup.com/data/*/banner/*.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/137880
+truyenfull.vn###shoppe_ads_fly
+! https://github.com/AdguardTeam/AdguardFilters/issues/137715
+xoilac.plvb.xyz##.odds-button
+xoilac23.net##.sk_balloon
+xoilac23.net##.block-int > a[target="_blank"] > img
+xoilac23.net##body .footer-banner:not(#style_important)
+xoilac23.net#%#//scriptlet('set-constant', 'adsRedirectPopups', 'undefined')
+xoilac23.net#%#//scriptlet("abort-current-inline-script", "jQuery", "#overlay")
+||i-imgur-com.cdn.ampproject.org/i/s/s2.fastlycdn.xyz/$domain=xoilac23.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/135568
+||la2.vnecdn.net/static/adp_banner.js
+||s1.vnecdn.net/*/ea3.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/134921
+tuoi69.app##body > div[id][style^="position: fixed; bottom:"][style*="z-index"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/134524
+phimbocn.com###ads-preload
+phimbocn.com###i9bet_top_banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/133740
+! https://github.com/AdguardTeam/AdguardFilters/issues/133739
+phym18.com#?#.black-layout > div[class][id]:has(> div > .clad)
+phym18.com##div[style^="text-align: center;"] > a[href][title] > img
+phym18.com###ds_top
+phym18.com###bnads
+! https://github.com/AdguardTeam/AdguardFilters/issues/133683
+dantri.com.vn##article ~ div.sidebar
+! https://github.com/AdguardTeam/AdguardFilters/issues/132925
+hangdep.co##.notice-content > div[align="center"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/132842
+||coccoc.com/search-static/vastPlayer.html
+! https://github.com/AdguardTeam/AdguardFilters/issues/132198
+xiaomiutilitytool.com###popup-giua-man-hinh
+! https://github.com/AdguardTeam/AdguardFilters/issues/131879
+tvhayz.top###demo
+tvhayz.top###ads-preload
+tvhayz.top##.float-ck-center-lt
+tvhayz.top#%#//scriptlet("prevent-setTimeout", "myGreeting")
+! https://github.com/AdguardTeam/AdguardFilters/issues/131447
+sexapi.xyz###banner
+javhd.news###page > div[id][style^="position: fixed;"][style*="z-index:"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/131356
+choidangcap.us##.float-ck
+choidangcap.us##.uix_contentWrapper > div[align="center"] > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/130219
+||i.imgur.com/*.gif$domain=cakhia19.tv
+cakhia19.tv##.modal-ads
+cakhia19.tv##.close-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/128356
+||95395c25b4.vws.vegacdn.vn/publisher/wiki/pc.min.js
+||kernh41.com^
+! https://github.com/AdguardTeam/AdguardFilters/issues/126624
+hentaiz.vip##a[target="_blank"] > img
+||gooqlevideo.com/*.xml
+||p.jwpcdn.com/*/vast.js$domain=gooqlevideo.com
+gooqlevideo.com#%#//scriptlet('prevent-element-src-loading', 'script', '/p\.jwpcdn.com\/.*\/vast\.js/')
+hentaiz.vip#%#//scriptlet("abort-current-inline-script", "EventTarget.prototype.addEventListener", "redirect")
+! https://github.com/AdguardTeam/AdguardFilters/issues/126611
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=vtvgiaitri.vn
+vtvgiaitri.vn#%#//scriptlet('prevent-fetch', 'www3.doubleclick.net')
+! https://github.com/AdguardTeam/AdguardFilters/issues/126350
+tokuvn.com#%#//scriptlet("abort-on-property-read", "goToURL")
+! https://github.com/AdguardTeam/AdguardFilters/issues/124285
+loukoala.blogspot.com#$#body { overflow: auto !important; }
+loukoala.blogspot.com#$##levelmaxblock { display: none !important; }
+loukoala.blogspot.com#%#//scriptlet("abort-current-inline-script", "document.createElement", "adsbygoogle.js")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=loukoala.blogspot.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/123912
+molistar.com##.ad-post-inpage
+! https://github.com/AdguardTeam/AdguardFilters/issues/123778
+.vn/zones/zone-$script
+! https://github.com/AdguardTeam/AdguardFilters/issues/123433
+vebo1.net##div[class^="col-"] > p[class^="mb-"] > a[target="_blank"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/123183
+vtv.vn##.ads
+vtv.vn###adzsticky
+! https://github.com/AdguardTeam/AdguardFilters/issues/123185
+meinvoice.vn##.banner-sticky-wrap
+meinvoice.vn##.content-post-adversite
+! https://github.com/AdguardTeam/AdguardFilters/issues/122864
+||gameviet.mobi/wp-content/*/*banner
+gameviet.mobi##div[id^="et_ads-"]
+gameviet.mobi##div[class^="code-block code-block-"][style="margin: 8px 0; clear: both;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/121075
+hadoantv.com##div[id^="gadsb"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/120530
+truongblogger.top#@#.adzone
+truongblogger.top#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'Ad-Block')
+! https://github.com/AdguardTeam/AdguardFilters/issues/117984
+||webapi.dantri.com.vn/bn/list-pos
+! https://github.com/AdguardTeam/AdguardFilters/issues/115715
+truyentranhaudio.online#$#.modal-backdrop { display: none!important; }
+truyentranhaudio.online#$#body { overflow: visible!important; }
+truyentranhaudio.online#$##modal-ads { display: none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/115585
+! https://github.com/AdguardTeam/AdguardFilters/issues/115149
+speedtest.vn###sponsorRow
+! https://github.com/AdguardTeam/AdguardFilters/issues/115086
+oneesports.vn###site-main > div[class^="container my-4"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/114606
+bachlong.vn##.advertise
+||bachlong.vn/vnt_upload/File/Image
+! https://github.com/AdguardTeam/AdguardFilters/issues/114363
+phimplus.net###pc-top-banner
+phimplus.net##center[id^="banner-top-"]
+phimplus.net##div[class^="float-ck-center-"]
+||media.discordapp.net/attachments/*/*dangkynhan150k.gif$domain=phimplus.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/114300
+sharelinkgamepc.blogspot.com#%#//scriptlet("abort-current-inline-script", "document.createElement", "adsbygoogle")
+sharelinkgamepc.blogspot.com#$#body { overflow: auto !important; }
+sharelinkgamepc.blogspot.com#$##levelmaxblock { display: none !important; }
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=sharelinkgamepc.blogspot.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/113940
+gocmod.com#%#//scriptlet("abort-current-inline-script", "document.createElement", "adsbygoogle")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=gocmod.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/113467
+cakhia.com###overlay
+cakhia.com##.modal-backdrop
+! https://github.com/AdguardTeam/AdguardFilters/issues/112518
+anhdep24.net#@#.ad_box
+||anhdep24.net/antiblock/antiadblockscript.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/110393
+docsach24.co#%#//scriptlet('prevent-fetch', 'pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/108120
+gitiho.com##p[style="text-align: justify; "] > a[target="_blank"] > img[data-src$=".gif"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/104520
+speedtest.vn##.jconfirm
+speedtest.vn###advArea
+! https://github.com/AdguardTeam/AdguardFilters/issues/106460
+snews.pro,ichi.pro###notify-adblock
+! https://github.com/AdguardTeam/AdguardFilters/issues/100406
+phim1080z.com##.turn-off-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/100384
+animet.net###inx-overlay
+animet.net###inx-content
+||api.anime3s.com/11bet.php
+! https://github.com/AdguardTeam/AdguardFilters/issues/100093
+truyenaudiocv.net#%#//scriptlet("set-constant", "adblockDetect", "noopFunc")
+truyenaudiocv.net#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad { display: block !important; }
+@@||truyenaudiocv.net/ads-prebid.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/102216
+||vinmec-prod.s3.amazonaws.com/images/vicaread
+vinmec.com###banner-middle
+! https://github.com/AdguardTeam/AdguardFilters/issues/98263
+iphimmoi.net##body > center
+iphimmoi.net##body > div.row > div[style="background-color:#151d25;"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/97812
+cryptoviet.com##p[style="text-align: center;"] > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/97878
+vidian.me##a[target="_blank"] > img[style="min-height:50px"]
+vidian.me##div[id^="hide_ads"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/96266
+vndoc.com##.adsbg
+||vndoc.com/get.aspx?q=aHR0cHM6Ly9hZHJlYWxjbGljay5jb20v
+! https://github.com/AdguardTeam/AdguardFilters/issues/94584
+vlxx.sex##.ff-banner
+vlxx.sex##div[class^="fads"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/92756
+forum.gocmod.com#%#//scriptlet("abort-current-inline-script", "$", "!document.getElementById(btoa")
+! https://github.com/AdguardTeam/AdguardFilters/issues/92310
+||bp.blogspot.com^$domain=dualeotruyen.net
+! anime47.com - ad video before real video (those are hosted on third-party domain)
+||img.anime47.com/*.mp4$media
+! https://github.com/AdguardTeam/AdguardFilters/issues/90545
+||nettruyenvip.com/data/sites/*/banner/$domain=nettruyenvip.com
+nettruyenvip.com##img[src^="http://s.nettruyenvip.com/data/sites/"][src*="/banner/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/90412
+hataphim.com#%#//scriptlet("abort-on-property-read", "goToURL")
+! https://github.com/AdguardTeam/AdguardFilters/issues/85669
+truyenqq.net###left-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/155997
+@@||googletagmanager.com/gtag/js?id=$domain=linkneverdie.net
+@@||onetag-sys.com/prebid-request$domain=linkneverdie.net
+@@||get.optad360.io/sf/*/plugin.min.js$script,redirect=noopjs,domain=linkneverdie.net
+@@||openfpcdn.io/fingerprintjs$script,redirect=noopjs,domain=linkneverdie.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/85123
+vcomic.net##.adpia_banner
+@@||vcomic.net/app/*/assets/js/prebid-ads.js
+vcomic.net#%#//scriptlet("set-constant", "canRunAds", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/78782
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,redirect=googlesyndication-adsbygoogle,important,domain=howkteam.vn
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,domain=howkteam.vn
+! https://github.com/AdguardTeam/AdguardFilters/issues/76063
+coinurl.net#%#//scriptlet("set-constant", "adsHeight", "15")
+coinurl.net#%#//scriptlet("prevent-window-open")
+coinurl.net###ads-notice
+coinurl.net##.alert-danger
+coinurl.net##div[align="center"] > a [style]
+://i.imgur.com/$domain=coinurl.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/75617
+paperzonevn.com#%#//scriptlet('prevent-addEventListener', 'load', 'XV')
+! https://github.com/AdguardTeam/AdguardFilters/issues/74402
+phimgi.tv#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/72279
+anime3s.com#%#//scriptlet("set-constant", "arrPreroll", "undefined")
+! https://github.com/AdguardTeam/AdguardFilters/issues/69544
+tvzingvn.net##.balloon-ad-wrap
+tvzingvn.net##a[class^="uniad-"]
+||tvzingvn.net/wp-content/themes/zingtv/js/qc1.js
+tvzingvn.net#%#//scriptlet("prevent-addEventListener", "load", ":'click'")
+! https://github.com/AdguardTeam/AdguardFilters/issues/68860
+truyentranhlh.net###lh-ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/67660
+nettruyen.com#%#//scriptlet("abort-current-inline-script", "document.write", "Ads.")
+! https://github.com/AdguardTeam/AdguardFilters/issues/67293
+truyentranhtuan.com###right-balloon
+! https://github.com/AdguardTeam/AdguardFilters/issues/67099
+||dongphym.net/content/rest?*=img_ads_config
+! https://github.com/AdguardTeam/AdguardFilters/issues/66763
+downfile.site##img[alt^="Banner"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/65955
+||traderviet.com/data/Siropu/$image
+! https://github.com/AdguardTeam/AdguardFilters/issues/65885
+quantrimang.com##.adbox
+! https://github.com/AdguardTeam/AdguardFilters/issues/63539
+phuongtrinhhoahoc.com##.ads_blocks_advice
+phuongtrinhhoahoc.com#%#//scriptlet("prevent-setTimeout", "adsbygoogle iframe")
+! https://github.com/AdguardTeam/AdguardFilters/issues/62283
+yan.vn##.card__FbWatch_ads
+yan.vn##.yan-app
+! https://github.com/AdguardTeam/AdguardFilters/issues/62336
+motphimzz.net##a[href^="https://bit.ly/"][target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/62027
+hhkungfu.tv#$##myframe { display: block!important; }
+hhkungfu.tv#$##LoadError { display: none!important; }
+||jsc.adskeeper.co.uk/*.js$script,redirect=noopjs,domain=hhkungfu.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/98013
+fshare.vn##.ads-login
+fshare.vn###showVideo #myElementz
+||fshare.vn/lib/jwplayer/jwplayer.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/63775
+fshare.vn###page-content-asv
+! https://github.com/AdguardTeam/AdguardFilters/issues/60826
+mmo4me.com##div[class^="ads"]
+mmo4me.com##.p-body-sidebar > .block:not(:first-child) .block-body > center > a[href][target="_blank"] > img
+mmo4me.com#?#.p-body-sidebar > .block > .block-container:has(> h3.block-minorHeader:contains(/^Advertises$/))
+! https://github.com/AdguardTeam/AdguardFilters/issues/60846
+vieon.vn#$#.pub_300x250.pub_300x250m.pub_728x90.text-ad.textAd.text_ad.text_ads.text-ads { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/61340
+tuoi69.site##div[class^="adspopup"]
+tuoi69.site##.logo1
+! https://github.com/AdguardTeam/AdguardFilters/issues/60179
+thienvadia.net##.my_responsive_ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/59524
+||kiemtinh.com/wp-content/uploads/*-banner-650x90-
+! https://github.com/AdguardTeam/AdguardFilters/issues/59351
+anonyviet.com##.jeg_ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/58456
+! https://github.com/AdguardTeam/AdguardFilters/issues/58028
+||ppcnt.*/go.php?id=$popup
+! https://github.com/AdguardTeam/AdguardFilters/issues/57612
+||storage.fshare.vn/support/*-300x600-
+fshare.vn##div[class^="quang-cao-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/55957
+hentaivn.net###over
+! https://github.com/AdguardTeam/AdguardFilters/issues/54824
+vietjack.com###lightbox_ballon
+! https://github.com/AdguardTeam/AdguardFilters/issues/54611
+win10.vn#%#//scriptlet("abort-current-inline-script", "eval", "ignielAdBlock")
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=win10.vn
+! https://github.com/AdguardTeam/AdguardFilters/issues/52380
+hhkungfu.tv###bsadsheadline
+! https://github.com/AdguardTeam/AdguardFilters/issues/52059
+quantrimang.com###adsposttop
+! https://github.com/AdguardTeam/AdguardFilters/issues/51547
+||hbplatform.com^$third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/51426
+tinhte.vn##div[style="width:320px;height:100px"]
+tinhte.vn##div[style="width:300px;height:600px"]
+tinhte.vn#?#div[class="root"] > header + div.main:has(> div.main > div[style="width:320px;height:100px"])
+tinhte.vn#?#.section > div.snd > div.main:has(> div.item > div.main > div[style="width:300px;height:250px"])
+tinhte.vn#?#.section > div.snd > div.main:has(> div.item > div.main > div[style="width:300px;height:600px"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/49323
+||biphim.tv/hphimvast*.xml
+! https://github.com/AdguardTeam/AdguardFilters/issues/48486
+vip.tiin.vn###body > div.notify-wrap
+! https://github.com/AdguardTeam/AdguardFilters/issues/48567
+||pubads.g.doubleclick.net/gampad/ads?$redirect=nooptext,important,domain=vtvgiaitri.vn
+! https://github.com/AdguardTeam/AdguardFilters/issues/47839
+phimnhe.net###pc-ballon-left
+phimnhe.net###pc-catfix
+! https://github.com/AdguardTeam/AdguardFilters/issues/47147
+||howkteam.vn/PageAd/Popup
+@@||howkteam.vn/Assets/pagead/adsbygoogle.js
+howkteam.vn#%#//scriptlet("set-constant", "canRunAds", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/49022#issuecomment-581714528
+tinhte.vn##a[href*="safelinks.protection.outlook.com/"]
+tinhte.vn##.jsx-3663401058.main
+tinhte.vn##div[style="width:320px;height:50px"]
+tinhte.vn##div[style="width:300px;height:250px"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/46759
+||thiendia.com/poplxorg.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/46765
+saostar.vn##.ads-duocsiTien
+! https://github.com/AdguardTeam/AdguardFilters/issues/45105
+! https://github.com/AdguardTeam/AdguardFilters/issues/133495
+! https://github.com/AdguardTeam/AdguardFilters/issues/138214
+||blogtruyen.vn^*.gif$image
+blogtruyen.vn##div[style*="position: fixed;"][style*="z-index: 2147483647;"]
+blogtruyen.vn##.BT-Ads
+||blogspot.com^$domain=blogtruyen.vn
+blogtruyen.vn##body > .modal ~ div[style^="display: block; position: fixed; "]
+! https://github.com/AdguardTeam/AdguardFilters/issues/44002
+softwaresblue.com#@#.ad_box
+! https://github.com/AdguardTeam/AdguardFilters/issues/43616
+phimnhe.net#%#//scriptlet("abort-current-inline-script", "createCookie", "popurl")
+! https://github.com/AdguardTeam/AdguardFilters/issues/42753
+media.zalo.me##.zsponsor-wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/42582
+ftios.vn##.ftd4-new-scroll > .ftd4-testbox
+! https://github.com/AdguardTeam/AdguardFilters/issues/42802
+||api.dable.io/widgets/
+thanhnien.vn##div[id^="dablewidget_"]
+thanhnien.vn#?#.sidebar > div:has(> div[id^="dablewidget_"])
+thanhnien.vn###headerTopBanner
+saostar.vn#?#.cache-path > div[class]:has(> div.flexbox > div > div[id^="dablewidget_"])
+bongda.com.vn##.adv
+! https://github.com/AdguardTeam/AdguardFilters/issues/40962
+win10.vn#%#//scriptlet("set-constant", "canRunAds", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/42445
+game8.vn#?#article:has(> div.row > div[class] > div.efect > a:not([href^="http://game8.vn/"]))
+! https://github.com/AdguardTeam/AdguardFilters/issues/40463
+tinhte.vn##.main > a[href^="http://bit.ly/"] > img
+||tinhte.vn/data/attachment-files/*/*_hero_banner.jpg
+kingphim.net###fanback
+kingphim.net##a[href^="https://bit.ly/"][target="_blank"] > img
+kingphim.net##a[href^="https://bit.ly/"][target="_blank"] > div[style]
+||kingphim.net/play/*.xml|
+||iamcdn.net/players/jwplayer/*/plugins/vast.js$domain=kingphim.net
+kingphim.net#%#//scriptlet("abort-on-property-read", "popunder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/41731
+! https://github.com/AdguardTeam/AdguardFilters/issues/40545
+animetvn.tv#%#//scriptlet("prevent-window-open", "banner")
+animetvn.tv#%#AG_onLoad(function() { dh_popup = function() {}; });
+! https://github.com/AdguardTeam/AdguardFilters/issues/40336
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=fptplay.vn
+! https://github.com/AdguardTeam/AdguardFilters/issues/38288
+yan.vn###playable_banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/38159
+||affiliate.k4.tinhte.vn^
+tinhte.vn##.TinhteMods_AffiliateWidget
+! https://github.com/AdguardTeam/AdguardFilters/issues/36260
+ftios.vn##.ftd4-maybest
+! https://github.com/AdguardTeam/AdguardFilters/issues/36902
+vtvgiaitri.vn##.ads-pop-up
+vtvgiaitri.vn##.ads-top-wrap
+vtvgiaitri.vn#@##adblock
+vtvgiaitri.vn#$##adblock { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/36862
+phim33.com##a[href^="https://c.bong99.com/"]
+.gif$third-party,domain=phim33.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/34010
+||hdsieunhanh.com/vast.xml
+||p.jwpcdn.com/*/vast.js$important,domain=hdsieunhanh.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/33144
+! https://github.com/AdguardTeam/AdguardFilters/issues/32976
+phimgi.net#$##wrapfabber { height: 1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/32863
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=24h.com.vn
+! https://github.com/AdguardTeam/AdguardFilters/issues/31929
+xemphimso.com##.float-ck
+xemphimso.com##.ads > center
+! https://github.com/AdguardTeam/AdguardFilters/issues/32349
+!+ NOT_OPTIMIZED
+vnexpress.net##iframe[src^="https://fado.vn/iframe/search?ref_id="]
+!+ NOT_OPTIMIZED
+vnexpress.net##.title_box_category[style*="background:url(https://scdn.vnecdn.net/doisong/restruct/i/"][style*="/graphics/bg_fado_search.jpg)"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/28791
+tivis.101vn.com###topads
+tivis.101vn.com###right_float
+tivis.101vn.com##a[href][target="_blank"][rel="nofollow"] > img
+tivis.101vn.com##div[id][style="height: 100px;width:300px;bottom:12px"]
+||gmodules.com/gadgets/proxy?container=*&url=*.gif$domain=tivis.101vn.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/29803
+baomoi.com##.is-ads
+baomoi.com#?#.sidebar > .fyi--group:has(> .is-ads)
+||w-api.baomoi.com/api/*/ad/
+! https://github.com/AdguardTeam/AdguardFilters/issues/27603
+truyenqq.com##a[target="_blank"][href*="http"]:not([href*="truyenqq.com/"]) > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/24611
+ngoisao.net##.qc_quangcao_300x250
+ngoisao.net#$##QC_TOP { min-height: 0!important; padding: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/24854
+! https://github.com/AdguardTeam/AdguardFilters/issues/24671
+blogtruyen.com##.BT-Ads
+blogtruyen.com##.advertise_pnl
+blogtruyen.com##.container > .qc-inner
+||blogtruyen.com/Data/data_script/bt_script_*_*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/23669
+saostar.vn#$#.trang-chi-tiet { margin-top: 0!important; }
+saostar.vn##.full-width-banner-ads
+saostar.vn##.banner-middle
+!
+||showbizchaua.com/wp-content/uploads/*/tutaoweb
+! https://github.com/AdguardTeam/AdguardFilters/issues/22909
+doisongphapluat.com#?#.lastest > ul > li.pkg:has(> a[href^="http://bit.ly/"])
+doisongphapluat.com#?#ul.module-vertical-list > li:has(> .info > a[href^="http://bit.ly/"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/22936
+macintosh.vn##footer > #fancybox-wrap
+macintosh.vn##footer > #fancybox-overlay
+! https://github.com/AdguardTeam/AdguardFilters/issues/22907
+!+ NOT_OPTIMIZED
+yan.vn###divInpageBanner
+! https://github.com/AdguardTeam/AdguardFilters/issues/23244
+!+ NOT_OPTIMIZED
+taifile.net###content_download > a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/22910
+antt.vn##.ads_full
+! https://github.com/AdguardTeam/AdguardFilters/issues/22508
+baodatviet.vn##.adv_160
+baodatviet.vn###left_col > center > div[style="width:468px; height: 280px; margin-top: 10px; clear: both"]
+baodatviet.vn###right_col > .box_300.width_common > div[style="height:250px; width:300px; margin-top: 5px"]
+baodatviet.vn###mid_col > .content_160 > div[style="clear: both; margin-top: 5px; margin-bottom: 2px; width: 160; height: 150px"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/22816
+megaurl.in#$#.modal-open { overflow:visible!important; }
+megaurl.in###myModal
+megaurl.in##.modal-backdrop
+! https://github.com/AdguardTeam/AdguardFilters/issues/22492
+vietnamplus.vn##.m_banner_show
+! https://github.com/AdguardTeam/AdguardFilters/issues/22536
+plo.vn###Web_AdsArticleBodyMiddle
+! https://github.com/AdguardTeam/AdguardFilters/issues/43911
+! https://github.com/AdguardTeam/AdguardFilters/issues/22161
+||tinhte.vn/data/attachment-files/*/*/*_special_banner_coccoc.jpg
+tinhte.vn##a[href^="https://new.coccoc.com/?utm_source=Specialbanner"]
+tinhte.vn##.main > .section > .snd div[style^="width:300px;height:"]
+tinhte.vn#?#.root > header + div[class^="jsx-"].main:has(> div[class^="jsx-"] > div[id^="bling-"])
+tinhte.vn#?#.root > header + div[class^="jsx-"].main:has(> div[class^="jsx-"] > div[style="width:320px;height:50px"])
+tinhte.vn#?#.root > .section > .snd > .mobile-hidden ~ .main:has(> .item > .main > div[id^="bling-"])
+tinhte.vn#?#.root > .section > .snd > .mobile-hidden + .main:has(> .item > .main > div[style="width:300px;height:600px"])
+tinhte.vn#?#div[class^="jsx-"].section > div.snd > div[class^="jsx-"].main:has(> .item > .main > div[id^="bling-"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/21571
+! https://github.com/AdguardTeam/AdguardFilters/issues/20514
+bongdaplus.vn###ad-in-page
+bongdaplus.vn##iframe[src^="http://demo.klick.vn:"]
+||bongdaplus.vn/ads/
+! https://github.com/AdguardTeam/AdguardFilters/issues/20055
+loigiaihay.com###wrapper > div[align="center"]:not([id]):not([class])
+! https://github.com/AdguardTeam/AdguardFilters/issues/20011
+! https://github.com/AdguardTeam/AdguardFilters/issues/30050
+! https://github.com/AdguardTeam/AdguardFilters/issues/19839
+tvhai.org#%#//scriptlet("abort-on-property-read", "SmartPopunder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/19239
+||licklink.net/js/full-page-script.js$script,redirect=noopjs,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/19036
+||cdn.rawgit.com/BinLate/*/arlinablock.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/18835
+@@||ani4u.org^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/18578
+@@||webkul.com/joomaddon//plugins/system/adblockerdetect^
+! https://github.com/AdguardTeam/AdguardFilters/issues/18531
+hentaivn.net##div[id^="page_ads_"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/18317
+||anonyviet.com/wp-content/uploads/2017/02/LienHeQuangCao.png
+||anonyviet.com/wp-content/uploads/2018/05/lmintArtboard-1.svg
+! https://github.com/AdguardTeam/AdguardFilters/issues/18232
+! https://github.com/AdguardTeam/AdguardFilters/issues/17323
+||hentaivn.net/js/abp.js
+hentaivn.net##.qc_main
+! https://github.com/AdguardTeam/AdguardFilters/issues/16910
+24h.com.vn###div_inpage_banner_open
+24h.com.vn###div_inpage_banner_after
+24h.com.vn##section[id^="ADS_"][id$="s_container"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/32215
+!+ NOT_OPTIMIZED
+game8.vn##.col-sm-9 > .box_text_qc
+!+ NOT_OPTIMIZED
+game8.vn##.thumb > a[href^="https://goo.gl/"][target="_blank"] > img
+!+ NOT_OPTIMIZED
+game8.vn##.box_quangcao_top > a[href^="http://goo.gl/"][rel="nofollow"] > img
+!+ NOT_OPTIMIZED
+game8.vn##a[href^="http://zxc.world/"]
+||game8.vn/media/*/images/au2-300x250.jpg.300.250.cache
+!+ NOT_OPTIMIZED
+game8.vn##.box_quangcao_top > .btn_close_popup
+!+ NOT_OPTIMIZED
+game8.vn##.box_quangcao_top > a[href][target="_blank"] > img
+!+ NOT_OPTIMIZED
+game8.vn##.bn1
+!+ NOT_OPTIMIZED
+game8.vn##.bn2
+!+ NOT_OPTIMIZED
+game8.vn##.bn3
+!+ NOT_OPTIMIZED
+game8.vn##.thumb > a[href][target="_blank"] > img[alt^="Banner"][alt$="Adsense"]
+!+ NOT_OPTIMIZED
+||game8.vn/Partial/Adv*_=
+!+ NOT_OPTIMIZED
+||game8.vn/Partial/Adv728x90
+!+ NOT_OPTIMIZED
+||game8.vn/Partial/All_*AdvPartial
+!+ NOT_OPTIMIZED
+||game8.vn/Partial/All_AdvWidth*Partial
+!+ NOT_OPTIMIZED
+||game8.vn/Partial/AdvMobileContent?IdAdv=
+!+ NOT_OPTIMIZED
+game8.vn##.box_quangcao_mobile_320x50
+! https://github.com/AdguardTeam/AdguardFilters/issues/16452
+tiengnhatpro.net###HTML8
+tiengnhatpro.net##.adsbygoogle
+! https://github.com/AdguardTeam/AdguardFilters/issues/14467
+tinhte.vn#$#.adWidget { position: absolute!important; left: -3000px!important; }
+tinhte.vn##.TinhteMods_KmThreads
+! https://github.com/AdguardTeam/AdguardFilters/issues/27224
+anime47.com##.ad-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/13756
+@@||anime47.com/*/js/your-ad.txt
+! https://github.com/AdguardTeam/AdguardFilters/issues/12884
+tv.101vn.com##div[id^="full_banner"]
+tv.101vn.com###topads
+tv.101vn.com###fl813691
+tv.101vn.com###right_float
+tv.101vn.com##a[href^="http://tv.101vn.com/img"] > img
+tv.101vn.com##.page > div[id^="sl"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/12886
+keonhacai.com###fl813691
+keonhacai.com##a[href^="http://keonhacai.com/img"] > img
+keonhacai.com##.AdsDesktop-header
+keonhacai.com###right_float
+! https://github.com/AdguardTeam/AdguardFilters/issues/12385
+! https://github.com/AdguardTeam/AdguardFilters/issues/12322
+! https://github.com/AdguardTeam/AdguardFilters/issues/12169
+||hdvietnam.com/banner^
+! https://github.com/AdguardTeam/AdguardFilters/issues/11968
+! https://github.com/AdguardTeam/AdguardFilters/issues/11462
+@@||tvhay.org/playergk/fingerprint2.min.js
+tvhay.org##.float-ck
+tvhay.org##.ad_location
+! https://github.com/AdguardTeam/AdguardFilters/issues/11440
+@@||game24h.vn/js/ads_v*.js?v=$domain=game24h.vn
+game24h.vn##.content > div[style="float:left;"] > .LRBanner
+game24h.vn#$##adv_tai_tro_id { display: none!important; }
+game24h.vn#$##game_player_container { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/9648
+techrum.vn##.sidebar_ads_img
+techrum.vn##.vip_ad_div
+techrum.vn##div[class^="k_ads_vip_"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/9553
+@@||megaurl.in/adi/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/8077
+!+ NOT_PLATFORM(windows, mac, android)
+||delivery.senvangvn.com^
+! https://github.com/AdguardTeam/AdguardFilters/issues/25822
+! https://github.com/AdguardTeam/AdguardFilters/issues/7444
+linkneverdie.com##iframe[data-src^="https://linkneverdie.com/Ads/Micro/?size="]
+linkneverdie.com##.sidebar-widgets-wrap > .canhgiua > a[href][rel="nofollow"] > img
+linkneverdie.com#$##adsqca { height: 20px!important; position: absolute!important; left: -3000px!important; }
+linkneverdie.com#$##adquangcao { position: absolute!important; left: -3000px!important; }
+@@||ad.a-ads.com/*?size=300x250$domain=linkneverdie.com
+@@||static.doubleclick.net/instream/ad_status.js$domain=linkneverdie.com
+||linkneverdie.com/Ads/Micro/?size=$redirect=nooptext,important,domain=linkneverdie.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/6587
+linkneverdie.com#$##wrapper { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/5823
+@@||linkneverdie.com^$generichide
+!
+nld.com.vn###BorderMenutop > .bordertopmenuv4
+ictnews.vn###page-wraper > .hidden-lg[style^="width:300px; height:250px;"]
+ictnews.vn##.header-banner
+kenhtao.net##.homeadv2
+congtruongit.com##.quangcao_duoi_bai_viet
+congtruongit.com##a[href^="https://goo.gl/"] > img
+congtruongit.com##a[href^="https://www.fshare.vn/partnerlink"]
+||img.masoffer.net^$domain=congtruongit.com
+||storage.fshare.vn/images/congtruongit.com_960x128.gif
+vtc.vn##.adv
+||jav22.net/mads/
+jav22.net###divExoLayerWrapper
+jav22.net##.rich-content > center > a[rel="noopener"] > img
+vnexpress.net###box_splienquan
+vnexpress.net##.box_shopvne
+linksvip.net##div[class^="banner-style-"]
+4share.vn##.affiliate
+4share.vn##.affiliate~a[target="_blank"] > img
+vaphim.com##div[id^="ad-nav"]
+phimhotjav.com##.social
+nhaccuatui.com###eventBannerLeft
+nhaccuatui.com###eventBannerTop
+nhaccuatui.com##div[class^="adv_"]
+truyenqqhot.com##div[id^="ad_"]:not([id*="_poster"])
+truyenqqhot.com##div[id^="ads_"]
+!---------------------------------------------------------------------
+!------------------------------ Fixing other filters -----------------
+!---------------------------------------------------------------------
+! SECTION: Fixing other filters
+! AdGuard platforms related only
+!
+! NOTE: Fixing other filters end ⬆️
+! !SECTION: Fixing other filters
+!-------------------------------------------------------------------------------!
+!------------------ General hiding rules----------------------------------------!
+!-------------------------------------------------------------------------------!
+!
+! This section contains generic element hiding rules that block ads.
+!
+! Good: ##.adv
+! Bad: example.org##.adv (should be in specific.txt)
+!
+!
+!
+!+ NOT_OPTIMIZED
+##.story__top__ad
+!+ NOT_OPTIMIZED
+##.amazon-auto-links
+!+ NOT_OPTIMIZED
+###ad1-placeholder
+!+ NOT_OPTIMIZED
+##.c-adSkyBox
+!+ NOT_OPTIMIZED
+###splashy-ad-container-top
+!+ NOT_OPTIMIZED
+###middle_ad
+!+ NOT_OPTIMIZED
+##.GRVVideo
+!+ NOT_OPTIMIZED
+##.div_pop
+!+ NOT_OPTIMIZED
+###ad_middle
+!+ NOT_OPTIMIZED
+##.ads-cont
+!+ NOT_OPTIMIZED
+##.adsense_block
+!+ NOT_OPTIMIZED
+##.banner-player
+!+ NOT_OPTIMIZED
+##.view-ads
+!+ NOT_OPTIMIZED
+###wp_adbn_root
+!+ NOT_OPTIMIZED
+##.AdPlaceholder
+!+ NOT_OPTIMIZED
+##.button-ad
+!+ NOT_OPTIMIZED
+##div[id^="ads300_250-widget-"]
+!+ NOT_OPTIMIZED
+##.adWrapper
+!+ NOT_OPTIMIZED
+##.center-ad
+!+ NOT_OPTIMIZED
+###div-leader-ad
+!+ NOT_OPTIMIZED
+##.ads_place_top
+!+ NOT_OPTIMIZED
+###ad-large-header
+!+ NOT_OPTIMIZED
+###ad_large
+!+ NOT_OPTIMIZED
+##.wc-adblock-wrap
+!+ NOT_OPTIMIZED
+##.ads-wrapper-top
+!+ NOT_OPTIMIZED
+##.top-site-ad
+!+ NOT_OPTIMIZED
+##.js_midbanner_ad_slot
+!+ NOT_OPTIMIZED
+##.ad-slot-wrapper
+!+ NOT_OPTIMIZED
+##.adverts_header_advert
+!+ NOT_OPTIMIZED
+##.adverts_side_advert
+!+ NOT_OPTIMIZED
+##.adverts_footer_advert
+!+ NOT_OPTIMIZED
+##.adverts_footer_scrolling_advert
+!+ NOT_OPTIMIZED
+##.bordered-ad
+!+ NOT_OPTIMIZED
+##.zox-post-ad-wrap
+!+ NOT_OPTIMIZED
+##.post__article-top-ad-wrapper
+!+ NOT_OPTIMIZED
+##.zox-post-bot-ad
+!+ NOT_OPTIMIZED
+##.ads-two
+!+ NOT_OPTIMIZED
+##AD-SLOT
+!+ NOT_OPTIMIZED
+##.ad-horizontal-top
+!+ NOT_OPTIMIZED
+##.dfpAdspot
+!+ NOT_OPTIMIZED
+##.amp-adv-wrapper
+!+ NOT_OPTIMIZED
+##.storyAd
+!+ NOT_OPTIMIZED
+##.fixadheightbottom
+!+ NOT_OPTIMIZED
+##.adHolder
+!+ NOT_OPTIMIZED
+##.connatix-wysiwyg-container
+!+ NOT_OPTIMIZED
+##.parade-ad-container
+!+ NOT_OPTIMIZED
+##.pb-slot-container
+!+ NOT_OPTIMIZED
+##.mrec-scrollable-cont
+!+ NOT_OPTIMIZED
+##.ad-dog__cnx-container
+!+ NOT_OPTIMIZED
+##.adwrap-mrec
+!+ NOT_OPTIMIZED
+##.ATF_wrapper
+!+ NOT_OPTIMIZED
+##.c-ad--header
+!+ NOT_OPTIMIZED
+##.mobile-ad-negative-space
+!+ NOT_OPTIMIZED
+##.mrf-adv__wrapper
+!+ NOT_OPTIMIZED
+###advert-banner-container
+!+ NOT_OPTIMIZED
+##.legion_primiswrapper
+!+ NOT_OPTIMIZED
+##.inarticlead
+!+ NOT_OPTIMIZED
+##.videos-ad
+!+ NOT_OPTIMIZED
+##.google-ad-manager
+!+ NOT_OPTIMIZED
+##.js_movable_ad_slot
+!+ NOT_OPTIMIZED
+###fixed-ad
+!+ NOT_OPTIMIZED
+##.movv-ad
+!+ NOT_OPTIMIZED
+##.van_vid_carousel
+!+ NOT_OPTIMIZED
+##.ad-unit
+!+ NOT_OPTIMIZED
+##.van_taboola
+!+ NOT_OPTIMIZED
+###mobile-swipe-banner
+!+ NOT_OPTIMIZED
+##.header-advert-wrapper
+!+ NOT_OPTIMIZED
+##.ads_inline_640
+!+ NOT_OPTIMIZED
+##.AdCenter
+!+ NOT_OPTIMIZED
+##.adCenter
+!+ NOT_OPTIMIZED
+##.adCenterAd
+!+ NOT_OPTIMIZED
+##.adCentertile
+!+ NOT_OPTIMIZED
+##.adcenter
+!+ NOT_OPTIMIZED
+##.rectangle_ad
+!+ NOT_OPTIMIZED
+##.top-ads-amp
+!+ NOT_OPTIMIZED
+##.aniview-inline-player
+!+ NOT_OPTIMIZED
+###advertisementTop
+!+ NOT_OPTIMIZED
+##.adv_top
+!+ NOT_OPTIMIZED
+##.vertbars
+!+ NOT_OPTIMIZED
+##.view-video-advertisements
+!+ NOT_OPTIMIZED
+##.footer-advertisements
+!+ NOT_OPTIMIZED
+##.instream_ad
+!+ NOT_OPTIMIZED
+##section[data-e2e="advertisement"]
+!+ NOT_OPTIMIZED
+##.belowMastheadWrapper
+!+ NOT_OPTIMIZED
+##.first_post_ad
+!+ NOT_OPTIMIZED
+##iframe[src^="//ad.a-ads.com/"]
+!+ NOT_OPTIMIZED
+##.ad_sidebar_bigbox
+!+ NOT_OPTIMIZED
+##amp-fx-flying-carpet
+!+ NOT_OPTIMIZED
+##.leaderboard-ad-component
+!+ NOT_OPTIMIZED
+##.top-ads-mobile
+!+ NOT_OPTIMIZED
+##.boxAd
+!+ NOT_OPTIMIZED
+##.amp-ad
+!+ NOT_OPTIMIZED
+##.ad-bottom-container
+!+ NOT_OPTIMIZED
+##.amazon_ad
+!+ NOT_OPTIMIZED
+##.headerads
+!+ NOT_OPTIMIZED
+##.story-ad
+!+ NOT_OPTIMIZED
+##.lates-adlabel
+!+ NOT_OPTIMIZED
+##.Ad-adhesive
+!+ NOT_OPTIMIZED
+##.ggads
+!+ NOT_OPTIMIZED
+##.top250Ad
+!+ NOT_OPTIMIZED
+##.dfp_ATF_wrapper
+!+ NOT_OPTIMIZED
+##.home-ad-region-1
+!+ NOT_OPTIMIZED
+##.sidebar-big-box-ad
+!+ NOT_OPTIMIZED
+##.commercial-unit-mobile-top
+!+ NOT_OPTIMIZED
+##.commercial-unit-mobile-bottom
+!+ NOT_OPTIMIZED
+###atvcap + #tvcap > .mnr-c > .commercial-unit-mobile-top
+!+ NOT_OPTIMIZED
+###taw > .med + div > #tvcap > .mnr-c:not(.qs-ic) > .commercial-unit-mobile-top
+!+ NOT_OPTIMIZED
+###topstuff > #tads
+!+ NOT_OPTIMIZED
+##.commercial-unit-mobile-top .jackpot-main-content-container > .UpgKEd + .nZZLFc > .vci
+!+ NOT_OPTIMIZED
+##.commercial-unit-mobile-top .jackpot-main-content-container > .UpgKEd + .nZZLFc > div > .vci
+!+ NOT_OPTIMIZED
+##.commercial-unit-mobile-top > .v7hl4d
+!+ NOT_OPTIMIZED
+##.commercial-unit-mobile-top > div[data-pla="1"]
+!+ NOT_OPTIMIZED
+###ad-after
+!+ NOT_OPTIMIZED
+###ad-p3
+!+ NOT_OPTIMIZED
+##.topAd
+!+ NOT_OPTIMIZED
+##.article-advert-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/170792
+!+ NOT_OPTIMIZED
+##.player-wrap > .spot-box
+! https://github.com/AdguardTeam/AdguardFilters/issues/102462
+!+ NOT_OPTIMIZED
+##.gallery-bns-bl
+! https://github.com/AdguardTeam/AdguardFilters/issues/99291
+!+ NOT_OPTIMIZED
+##.articleads
+! https://github.com/AdguardTeam/AdguardFilters/issues/99199
+!+ NOT_OPTIMIZED
+##.b-advertising__down-menu
+! https://github.com/AdguardTeam/AdguardFilters/issues/95728
+!+ NOT_OPTIMIZED
+##.ad-cls
+! https://github.com/AdguardTeam/AdguardFilters/issues/95444
+!+ NOT_OPTIMIZED
+##.tncls_ad
+!+ NOT_OPTIMIZED
+##.tncls_ad_250
+!+ NOT_OPTIMIZED
+##.tncls_ad_300
+! https://github.com/AdguardTeam/AdguardFilters/issues/84882
+!+ NOT_OPTIMIZED
+##.stky-ad-footer
+! https://github.com/AdguardTeam/AdguardFilters/issues/71832
+!+ NOT_OPTIMIZED
+##.bodyads
+! https://github.com/AdguardTeam/AdguardFilters/issues/69648
+!+ NOT_OPTIMIZED
+##.Ad__Wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/63897
+!+ NOT_OPTIMIZED
+##.ad-disclaimer-container
+! disqus ads(for apps)
+##iframe[src^="//tempest.services.disqus.com/ads-iframe/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/58506
+!+ NOT_OPTIMIZED
+###content_ad_container
+! https://github.com/AdguardTeam/AdguardFilters/issues/56937
+!+ NOT_OPTIMIZED
+###interads
+! https://github.com/AdguardTeam/AdguardFilters/issues/51287#issuecomment-599896371
+!+ NOT_OPTIMIZED
+##.ad-container--leaderboard
+! https://github.com/AdguardTeam/AdguardFilters/issues/47225
+!+ NOT_OPTIMIZED
+###videopageadblock
+!+ NOT_OPTIMIZED
+###floatingAdContainer
+! winfuture.de - left-over
+!+ NOT_OPTIMIZED
+##.ad_w300i
+!+ NOT_OPTIMIZED
+##ins.adsbygoogle[data-ad-slot]
+! https://github.com/AdguardTeam/AdguardFilters/issues/40726
+!+ NOT_OPTIMIZED
+##.ad-300
+! https://github.com/AdguardTeam/AdguardFilters/issues/30864
+!+ NOT_OPTIMIZED
+##.mobile-instream-ad-holder-single
+! https://github.com/AdguardTeam/AdguardFilters/issues/26257
+!+ NOT_OPTIMIZED
+###ad_wp_base
+! https://github.com/AdguardTeam/AdguardFilters/issues/25532
+!+ NOT_OPTIMIZED
+###adxtop
+! https://github.com/AdguardTeam/AdguardFilters/issues/19482
+!+ NOT_OPTIMIZED
+###ad_728h
+!+ NOT_OPTIMIZED
+###ad_336_singlebt
+! https://github.com/AdguardTeam/AdguardFilters/issues/16974
+!+ NOT_OPTIMIZED
+##.tjads
+!+ NOT_OPTIMIZED
+##topadblock
+! https://github.com/AdguardTeam/AdguardFilters/issues/14993
+!+ NOT_OPTIMIZED
+###ad-fullbanner2-billboard-outer
+! https://github.com/AdguardTeam/AdguardFilters/issues/14979
+!+ NOT_OPTIMIZED
+##.loop_google_ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/10524
+!+ NOT_OPTIMIZED
+##.amp_ad_wrapper
+! For example: http://vol.az/mp3-3288-Nara-Richebru-Araftayim-2016
+##div[id*="ScriptRootN"]
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/7752
+!+ NOT_OPTIMIZED
+##.ad-engage
+! https://forum.adguard.com/index.php?threads/23528/
+!+ NOT_OPTIMIZED
+###gads_middle
+! https://github.com/AdguardTeam/AdguardFilters/issues/7826
+!+ NOT_OPTIMIZED
+##.add_300x250
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/7613
+!+ NOT_OPTIMIZED
+##.ContentAd
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/186475
+##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/AdguardTeam/AdguardFilters/issues/186160
+! Popups in the video player, related to #%#//scriptlet("abort-on-property-read", "AaDetector")
+##body > div[style^="position: fixed; inset: 0px; z-index: 2147483647; background: black; opacity: 0.01;"]
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/185471
+! Popups in the video player - streamwish.com
+! Related to #%#//scriptlet('abort-on-property-read', '__Y')
+##body > div[style^="position:fixed;inset:0px;z-index:2147483647;background:black;opacity:0.01"][style*=";cursor:pointer"]:empty
+!
+! Ads on many porn sites
+##.full-ave-pl
+##.wps-player__happy-inside
+! https://github.com/easylist/easylist/commit/9e80ee067015e85804a862bb76753f0915a89b10#commitcomment-86804558
+##.ad970
+! https://github.com/AdguardTeam/AdguardFilters/issues/111638
+##a[href^="https://copytoon"][href*="/bannerhit.php?bn_id="]
+! https://github.com/AdguardTeam/FiltersRegistry/pull/435
+##.div-gpt-ad:not([style^="width: 1px; height: 1px;"])
+##[class^="div-gpt-ad"]:not([style^="width: 1px; height: 1px;"], .div-gpt-ad_adblock_test)
+! Popular ad on streaming services
+##button[data-openuri="|BTN_URL|"]
+!
+##.player-section__ad-b
+##.video.ad-w
+##.advMasthead
+##iframe[src^="https://mmmdn.net/"]
+##body .top-advert
+##iframe[src^="https://tsyndicate.com/"]
+##.roxot-dynamic
+##body > div#fixedban
+###close-fixedban
+###soldakayan
+###sagdakayan
+##.top-header-ads-mobile
+##.happy-footer
+##.gmr-bannerpopup
+##.idmuvi-topbanner
+##.idmuvi-topbanner-aftermenu
+##iframe[src^="https://vidsservices.space/"]
+##iframe[src^="https://av.ageverify.co/"]
+##.remove-spots
+##.breakout-ad
+##.ae-player__itv
+##a[href^="mailto:support@netu.tv"]
+##a[onclick*="openAuc();"]
+##a[href^="https://l.tapdb.net/"]
+##a[href^="https://ad.22betpartners.com/redirect.aspx?"]
+##.happy-player-beside
+##.happy-inside-player
+##.gads
+##.full-bns-block
+##.video-brs
+##a[href^="http://click.dtiserv2.com/"]
+##div[data-e2e="advertisement"]
+##a[href^="https://join3.bannedsextapes.com/track/"]
+##.puFloatLine > #puFloatDiv
+##.td-a-rec
+##a[href*=".ufinkln.com/"]
+##body > #overover[style="position:fixed;width:100%;height:100%;background:silver;z-index: 2;opacity: 0.1;"]
+##body > #overover[style="position:fixed;width:100%;height:100%;background:silver;z-index: 2;opacity: 0.1;"] ~ #obrazek
+##body > #overover[style="position: fixed; width: 100%; height: 100%; background: silver; z-index: 2; opacity: 0.1; display: block;"] ~ #obrazek
+~ero-advertising.com##a[href^="https://redirect.ero-advertising.com"] > img
+##.stripper > a[href*="istripper"] > img
+##a[href*="/fdh/wth.php?"]
+##.BetterJsPopOverlay
+##.videojs-hero-overlay
+##div[id^="M"][id*="Composite"]
+##.wpcnt > .wpa
+###BannerBox
+###ad-topper
+###ad_300X250
+###ad_google
+###advertRightTopPosition
+###banner-top-right
+###bannerfloat22
+###bb_banner
+###blox-top-promo
+###bp_banner
+###campaign-banner
+###extensible-banner
+###fb_300x250
+###footer-banner
+###scorecard-ad
+###topBanners
+###total_banner
+##.SC_TBlock
+##.ad_register_prompt
+##.ad_showthread_firstpost_start_placeholder
+##.adheader403
+##.b-header-banner
+##.baners_block
+##.banner_header
+##.banners-middle
+##.banners_block
+##.innerBanner
+##.main_promo_image_container
+##.menu-ads
+##.reclamTable
+##.sidebar-ads-container
+##.special-ads
+##.sponsor-div
+##.sponsored-home-page-inner
+##.sponsored-items
+##.top-adv-app
+##.top-banners
+##.top-r-ads
+##.topbannerad
+##.widget-sidebar-right-banner
+##a[href*="//sub2.bubblesmedia.ru/"]
+##a[href^="http://softexcellence.com/"]
+##img[title^="advertisement"]
+!-------------------------------------------------------------------------------!
+!------------------ General javascript, CSS and HTML extensions ----------------!
+!-------------------------------------------------------------------------------!
+!
+! This section contains the list of ad blocking rules that fall under "advanced" category.
+!
+! Good: example.org#$##rek { display: none !important; }; example.org#%#//scriptlet('set-cookie', 'ad', '0'); example.org$$script[tag-content="ad"][max-length="3000"].
+! Bad: example.org###rek (should be in specific.txt)
+!
+!-------------------
+!-------JS----------
+!-------------------
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/103930
+play.rtl.hr,rtlmost.hu#%#//scriptlet('json-prune', 'applaunch.data.player.features.ad.enabled applaunch.data.player.features.ad.dai.enabled', 'appName')
+! https://github.com/AdguardTeam/AdguardFilters/issues/53333
+crunchyroll.com#%#//scriptlet('json-prune', 'value.media.ad_breaks')
+!
+!
+!**********************************
+! START: Popular clickunders
+!
+! ExoClick (clickunder or/and ads)
+hclips.com,anysex.com,maturefatporn.com,chyoa.com,nopeporn.com,mature-girls.com,iwantmature.com,amateurs-fuck.com,cumlouder.com,sexy-youtubers.com,smplace.com,losporn.org,sexytrunk.com,gaytiger.com,gaypornmasters.com,xxxbanjo.com,24video.in,bdsmstreak.com,pornozot.com,pornyfap.com,celebrity-leaks.net,perfectgirls.net,luscious.net,imgprime.com,thisvid.com,txxx.*,hdzog.com,gotporn.com,upornia.com,pornhd.com,hotmovs.com,porndoe.com,4tube.com,porntube.com,sunporno.com,myreadingmanga.info,plusone8.com,pornerbros.com,hellporno.com,sexu.com,thefappening.pro,tubedupe.com,ah-me.com,pussyspace.com,alotporn.com,52av.tv,multporn.com,xbabe.com,vintage-erotica-forum.com,thegay.com,fux.com,ashemaletv.com,absoluporn.com,biguz.net,javbuz.com,frprn.com,8teenxxx.com,ftopx.com,realgfporn.com,pornomovies.com,thehentaiworld.com,see.xxx,fullhdxxx.com,pornobae.com,worldsex.com,imzog.com,tranny.one,pornwatchers.com,girlscanner.cc,kporno.com,xerotica.com,jizzhut.com,besteporn.com,pornl.com,pornorips.com,submityourflicks.com,japan-whores.com,tuberel.com,pornult.com,unfaithfulxxx.com,bravoerotica.com,madchensex.com,xstory-fr.com,juicygif.com,newporn24.com,gotgayporn.com,favefreeporn.com,thatpervert.com,onlygayvideo.com,eegay.com,sensualgirls.org,whichav.com,fxporn69.com,pornoheit.com,pornj.com,fuckbox.org,thegay.porn,girlscv.com,redtub3xxx.com,pornoreino.com,9gag2.com,hentaipulse.com,nakedmodelsxxx.com,deutschsex.com,yeswegays.com,pornmaki.com,fuqer.com,needgayporn.com,mrsexe.com,nude-gals.com,mypornstarbook.net,nxgx.com,erowall.com,hentaifr.net,jizzonline.com,dump.xxx,twinkhouse.com,home-made-videos.com,xxxvideos247.com,18-teen-xxx.com,pornvideoq.com,gosexpod.com,xnxxporntube.net,pornfapr.com,blobopics.biz,teenagefucking.com,sexuhot.com,xnxxvideoporn.com,eroxia.com,xfilmen.com,gameofporn.com,freexvideossex.com,homemature.net,gutesex.com,sexrura.pl,al4a.com,thisav.video,fivestarpornsites.com,upskirtporn.de,japanesefuck.com,playpornfree.net,muschitube.com,jizzbo.com,erohentai.net,pornoversion.com,nakedbabes.club,thedoujin.com,fuckhardporn.com,boysnaweb.net,onlypron.com,hotsexlove.com,area51.porn,nudistube.com,porntubexxxl.com,pervertedmilfs.com,girlsfucking.net,cartoontube.xxx,japornhd.com,hdporn8.com,okporn.com,absolugirl.com,lonely-mature.com,gifsfor.com,drunkmoms.net,picfox.org,beste-sexgeschichten.com,freeimagefap.com,pornclipsxxx.com,xboyzzz.com,misterboys.com,pornbourn.com,jemontremasextape.com,imgtorrnt.in,auntmia.com,youwatchporn.com,brazzerzxxx.com,jemontremonminou.com,g6hentai.com,tubeflv.com,obitube.com,beegsexporn.com,momthumb.com,sassygays.com,ohhgays.com,4asianporn.com,desihoes.com,sassytube.com,gaybarebacks.com,sexybabesz.com,moviesguy.com,youngsexhd.com,club-flank.com,hdmoza.com,xxx-y.com,superbgays.com,newxxxvideos.net,xxxtubesex.net,bustmonkey.com,perfectgirlsboobs.com,pornstarsadvice.com,jav789.com,trans.firm.in,picshick.com,imghost.top,petrovixxxjav.info,imageshtorm.com,xxxwebdlxxx.org,imagerar.com,gelbooru.com,imgpeak.com,motherless.com,beeg.com,movierls.net,milffox.com,pixroute.com,newpornup.com,pictoa.com,naughtyblog.org,8muses.com,doolls.org,topboard.org,youjizz.com,hipornvideo.com,imageweb.ws,planetsuzy.org,imagetwist.com,hitomi.la,torrentgalaxy.org,letmejerk7.com,letmejerk6.com,imx.to,sunporno.com,8boobs.com,eporner.com,pornofaps.com,eroprofile.com,imguur.pictures,webcamshows.org,xxxmoviestream.xyz,mangoporn.co,erome.com,imgmercy.com,playpornfree.xyz,letmejerk.com,letmejerk3.com,letmejerk4.com,letmejerk5.com,letmejerk6.com,letmejerk7.com,wantedbabes.com#%#//scriptlet("abort-on-property-read", "ExoLoader")
+imgtornado.com,shameless.com,imguur.pictures,imgdone.com,xxxdessert.com,xaoutchouc.live,simply-hentai.com,akaihentai.com#%#(function(){Object.defineProperty(window, 'ExoLoader', { get: function() { return; } }); var c=document.addEventListener;document.addEventListener=function(a,b,d,e){"getexoloader"!=a&&-1==b.toString().indexOf('loader')&&c(a,b,d,e)}.bind(document);})();
+faptor.com,truyen-hentai.com,darknessporn.com,familyporner.com,freepublicporn.com,pisshamster.com,punishworld.com,xanimu.com,javvideoporn.com,hqbang.com,hentai2w.com,hot-sex-tube.com,javtsunami.com,fastpic.org,fetishshrine.com,gaytail.com,zubby.com,hentaiarena.com,saradahentai.com,anysex.com,ytboob.com,multporn.net,fapnado.com,yespornpleasexxx.com,fux.com,fetish-bb.com,porndollz.com,xxxextreme.org,eporner.com,hotgirlclub.com,pandamovies.me,thehentaiworld.com,trueimg.xyz,jizz.us,pornhd.com,tubsexer.com,besthugecocks.com,pornomotor.org,sundukporno.com,zalupok.com,animeon.moe,xxxmaturevideos.com,daftporn.com,get-to.link,imgtorrnt.in,pornyfap.com,rumporn.com,soyoungteens.com#%#//scriptlet('prevent-addEventListener', 'getexoloader')
+starwank.com,pimpandhost.com,my18pussy.com,18pussy.porn,thisvid.com,pornhills.com,gifhq.com,nudeclap.com,hentaila.com,fapality.com,720video.me,javbuz.com,youwatchporn.com,watchpornx.com,xxxparodyhd.net,pornhat.com,hot-sex-tube.com,teen-tube-20.com,javteentube.com,asian-teen-sex.com,babesjoy.com,gottanut.com,pornkino.cc,watchpornfree.info,freee-porns.com,xxxmoviestream.xyz,mangoporn.co,besthindisexstories.com,imgmercy.com,ecoimages.xyz,youav.com,tmohentai.com,tbib.org,dailyimages.xyz,159i.com,xopenload.me,reblop.com,tubsexer.com,blameless.work,streamporn.pw,stileproject.com,watchpornfree.ws,noodlemagazine.com,pandamovies.pw,sensualgirls.org#%#//scriptlet("abort-current-inline-script", "document.dispatchEvent", "/getexoloader/")
+teencumpot.com#%#//scriptlet("abort-current-inline-script", "document.dispatchEvent", ".serve(")
+shameless.com#%#//scriptlet("abort-current-inline-script", "$LAB", "/getexoloader/")
+!
+! 'PopJSLock/PopAds'
+! #%#//scriptlet("abort-current-inline-script", "String.fromCharCode", "constructor")
+freetvsports.com,nizarstream.com,doods.pro,dooood.com,dood.yt,dood.re,dood.wf,dood.la,dood.pm,dood.so,dood.to,dood.watch,dood.ws,60fps.xyz,nowagoal2.xyz,strtapewithadblock.*,player.bizzstreams2u.xyz,strtapeadblocker.art,strtapeadblocker.*,starlive.xyz,aeblender.com,aileen-novel.online,ytstvmovies.xyz,javhay.net,mrunblock.*,hentaitube.online,ustream.to,freepornxxxhd.com,givemenflstreams.com,givemenbastreams.com,givememmastreams.com,givemeredditstreams.com,shinden.pl,ozporno.com,area51deportiva.com,xxxfree.watch,linksly.co,mhometheater.com#%#//scriptlet("abort-current-inline-script", "String.fromCharCode", "constructor")
+!
+! PopAds-a(`Privet darkv`)
+! #%#//scriptlet("abort-on-property-write", "_pop")
+watchadsontape.com,advertisertape.com,tapeadvertisement.com,adblockplustape.xyz,tapelovesads.org,lulustream.com,nobodywalked.com,retrotv.org,gettapeads.com,tapeadsenjoyer.com,streamer4u.site,remaxhd.cam,remaxhd.fun,fusevideo.io,nowlive1.me,musicpremieres.com,edwardarriveoften.com,huren.best,infosgj.free.fr,retro-fucking.com,paulkitchendark.com,camgirls.casa,stevenimaginelittle.com,gameshdlive.net,stream.lc,troyyourlead.com,denisegrowthwide.com,ytsyifymovie.com,deepgoretube.site,kathleenmemberhistory.com,diskusscan.com,acefile.co,nonesnanking.com,hdsaprevodom.com,wwwstream.pro,mixdrp.to,prefulfilloverdoor.com,fsicomics.com,manga-lek.net,gogetapast.com.br,balkanteka.net,cazztv.xyz,phenomenalityuniform.com,nectareousoverelate.com,backfirstwo.com,apinchcaseation.com,r18.best,timberwoodanotia.com,streamdav.com,simpsonizados.me,strawberriesporail.com,blurayufr.xyz,valeronevijao.com,fastreams.*,cigarlessarefy.com,ytstvmovies.*,shrink.icu,reditsports.com,watchop.live,figeterpiazine.com,noblocktape.com,streamvid.net,embed4u.xyz,yodelswartlike.com,generatesnitrosate.com,sitenable.*,filesdownloader.com,siteget.net,freeproxy.io,glodls.to,dlhd.*,mixdroop.*,fordems.live,fireload.com,doods.pro,antiadtape.com,chromotypic.com,watchpsychonline.net,gamoneinterrupted.com,streamcenter.pro,bestporn4free.com,seehdgames.xyz,nicesss.com,wolfdyslectic.com,privatenudes.com,rivofutboltv.club,stakes100.xyz,realbitsport.com,sportschamp.fun,simpulumlamerop.com,youpit.xyz,pornoflux.com,urochsunloath.com,tapewithadblock.org,nukedfans.com,torrentdosfilmeshd1.net,anidl.org,netfuck.net,counterclockwisejacky.com,filmovitica.com,availedsmallest.com,alexsportz.online,animerigel.com,jpop80ss3.blogspot.com,latinomegahd.net,tubelessceliolymph.com,streamhub.to,nopay.info,dooood.com,tummulerviolableness.com,musicriders.blogspot.com,mangaclash.com,35volitantplimsoles5.com,avcrempie.com,javleak.com,daughtertraining.com,hornylips.com,originporn.com,pickteenz.com,teen-wave.com,theblueclit.com,thesexcloud.com,tightsexteens.com,cr8soccer.online,sportea.online,seegames.xyz,mundoprogramas.net,cine20k.blogspot.com,enjoyhd.club,comohoy.com,pornleaks.in,mgnetu.com,scatch176duplicities.com,alexsports.site,nomery.ru,nsfwr34.com,watchcriminalminds.com,coolcast2.com,mimaletamusical.blogspot.com,portugues-fcr.blogspot.com,porntn.com,playdede.*,560pmovie.com,w123moviesfree.net,adblocktape.*,itopmusicx.com,antecoxalbobbing1010.com,123moviehub.org,filmesonlinexhd.biz,nu6i-bg-net.com,sexgay18.com,ahdafnews.blogspot.com,boonlessbestselling244.com,cyamidpulverulence530.com,guidon40hyporadius9.com,thaihotmodels.com,vidz7.com,myvidster.com,449unceremoniousnasoseptal.com,yourupload.com,321naturelikefurfuroid.com,sports-stream.*,turbogvideos.com,30sensualizeexpression.com,fapptime.com,19turanosephantasia.com,gameshdlive.xyz,streamers.watch,worldstreams.watch,141jav.com,toxitabellaeatrebates306.com,papahd.club,legendei.net,hentaiworld.tv,nolive.me,myoplay.club,thepiratebay10.org,ytstv.co,streamtapeadblockuser.*,enjoyhd.xyz,ohjav.com,strtapewithadblock.*,watchdoctorwhoonline.com,witanime.best,stapewithadblock.monster,hitomi.la,poapan.xyz,javboys.com,tinycat-voe-fashion.com,charexempire.com,papahd1.xyz,extrafreetv.com,sportssoccer.club,mangoporn.net,megaddl.u4m.world,sports-stream.*,realfinanceblogcenter.com,xestreams.com,crackstreamshd.click,uptodatefinishconferenceroom.com,techstips.co,tennisstreams.me,daddylivehd.*,footyhunter3.xyz,bigclatterhomesguideservice.com,9xmovie.*,animehditalia.it,juba-get.com,haho.moe,fraudclatterflyingcar.com,housecardsummerbutton.com,adblockeronstape.me,fmoviesdl.com,fittingcentermondaysunday.com,liveply.me,teamos.xyz,mangapt.com,reputationsheriffkennethsand.com,sharemods.com,launchreliantcleaverriver.com,amateurblog.tv,fashionblog.tv,latinblog.tv,silverblog.tv,xblog.tv,pxxbay.com,wwwsct.com,socialgirls.im,gawbne.com,forex-trnd.com,forex-golds.com,dogemate.com,v-o-e-unblock.com,masaporn.xyz,un-block-voe.net,xxx18.uno,claimlite.club,socceron.name,pornstreams.co,voeun-block.net,voe-un-block.com,voeunblk.com,voeunblck.com,hentaitk.net,voeunbl0ck.com,voeunblock3.com,voeunblock2.com,sgpics.net,voeunblock1.com,streamgoto.*,curvaweb.com,jiofiles.org,adslink.pw,voeunblock.com,streamadblockplus.com,voe-unblock.*,voe.sx,xn--xvideos-espaol-1nb.com,oneflix.pro,meusanimes.net,xxxxvideo.uno,read-onepiece.net,estrenosdoramas.net,nocensor.sbs,animeyt.es,mangagenki.me,rojadirectatvenvivo.com,ovamusic.com,sanet.st,tvseries.video,masahub.net,shadowrangers.live,anime-king.com,dvdplay.*,cuevana3.fan,85videos.com,javmost.*,nzbstars.com,animesonehd.xyz,rintor.*,javf.net,animestotais.xyz,leechall.com,techoreels.com,polstream.live,123-movies.*,slink.bid,shavetape.*,hesgoal.tv,themoviesflix.*,vhorizads.com,onlyfullporn.video,plylive.me,2ddl.it,tormalayalam.xyz,allplayer.tk,serijefilmovi.com,askim-bg.com,ytstv.me,androidadult.com,pahe.win,everia.club,adblockstrtape.link,adblockstrtech.link,sexdicted.com,bdnewszh.com,birdurls.com,adblockstreamtape.*,vipboxtv.*,xpornium.net,crackstreams.*,hatsukimanga.com,037jav.com,beinmatch.*,imgdawgknuttz.com,projectfreetv2.com,youjax.com,silverpic.com,okanime.tv,kuxxx.com,anicosplay.net,aotonline.org,hispasexy.org,pastemytxt.com,mangajokomik.blogspot.com,kantotinyo.com,virpe.cc,stape.fun,tokyoblog.tv,4horlover.com,crunchyscan.fr,tlin.me,flizmovies.*,yourdailypornvideos.ws,animes.vision,123movieshub.*,sakurafile.com,compartilhandobr.com,idolsblog.tv,tvply.me,dengeki-plusv2.xyz,itdmusics.com,hopepaste.download,filmi123.club,viprow.*,strikeout.*,scatfap.com,socceronline.me,gotxx.com,segurosdevida.site,anonymz.com,messitv.net,uhdstreams.club,123watchmovies.*,1stream.top,ytmp3eu.com,vidlox.me,streamta.*,bestnhl.com,egyshare.cc,swzz.xyz,animesanka.*,olympusscanlation.com,webcamrips.com,vostfree.tv,wickedspot.org,justfullporn.org,123moviesprime.com,masahub.com,viveseries.com,1tamilmv.*,olarixas.xyz,keeplinks.org,kissanimee.ru,javhun.com,findav.*,thebussybandit.com,pornofaps.com,85tube.com,bajarjuegospcgratis.com,balkanportal.net,celebrity-leaks.net,comicsmanics.com,datawav.club,directupload.net,doctormalay.com,dvdfullestrenos.com,electro-torrent.pl,femdom-joi.com,gaysex69.net,hentaistream.co,javjunkies.com,lightdl.xyz,lightdlmovies.blogspot.com,pirateiro.com,pornobr.club,pornotorrent.com.br,sexofilm.co,sportstream.tv,torrage.info,video.az,vstorrent.org,xanimeporn.com,javhoho.com,xsober.com,kinemania.tv,manga-mx.com,gambarbogel.xyz,nuoga.eu,mediapemersatubangsa.com,gomo.to,9anime.*,theicongenerator.com,javgayplus.com,strtapeadblock.me,picdollar.com,myonvideo.com,hwnaturkya.com,lechetube.com,cinema.cimatna.com,animefire.net,password69.com,film1k.com,gaydelicious.com,toonanime.xyz,prostylex.org,pepperlive.info,manyakan.com,nsfwcrave.com,tensei-shitara-slime-datta-ken.com,hitprn.com,streamzz.*,123moviesg.com,tvplusgratis.com,ask4movie.*,hollymoviehd.cc,123movieshd.*,maxitorrent.com,movi.pk,findporn.*,123movies4u.site,zeriun.cc,smallencode.me,torrentsgames.xyz,simonheloise.com,hexupload.net,123movies-hd.online,clasico.tv,adictosalatele.com,desiflix.club,filmesonlinex.org,popimed.com,adz7short.space,mixdrop.sx,gledajcrtace.xyz,embedstream.me,pewgame.com,jpopsingles.eu,movieverse.co,xxxwebdlxxx.top,anroll.net,sextgem.com,vikv.net,youdbox.net,pctmix1.com,watchseries.*,imgsto.com,imgsen.com,wowlive.info,1-2-3movies.com,ustream.to,blurayufr.com,jorpetz.com,daddylive.*,vupload.com,rapelust.com,katmoviehd4.com,videostreaming.rocks,imx.to,balkantelevizija.net,zonarutoppuden.com,yomovies.*,incestflix.com,dood.yt,dood.re,dood.wf,dood.la,dood.pm,dood.so,dood.to,dood.watch,dood.ws,sports24.*,linkebr.com,videoproxy.*,thiruttuvcd.xyz,smoner.com,movie8k.*,clipwatching.*,strtape.*,ytmp3.eu,vipbox.lc,ccurl.net,usagoals.*,xxvideoss.org,zplayer.live,janusnotes.com,streamsport.*,wigilive.com,itopmusic.org,short88.com,paidtomoney.com,givemenflstreams.com,givemenbastreams.com,givememmastreams.com,givemeredditstreams.com,proxybit.*,batoscan.net,rule34hentai.net,claimcrypto.cc,vvc.vc,projectfreetv.online,greatanimation.it,kwik.cx,racaty.net,illink.net,300mbplus.*,onlyfoot.net,hala-tube.net,hqcelebcorner.net,shrinkme.in,upstream.to,link1s.net,get-to.link,gibit.xyz,mangovideo.club,pctmix.com,mirrorace.*,300mbfilms.*,todaynewspk.win,youdbox.com,gaypornmasters.com,wordcounter.icu,darmowatv.ws,hiperdex.com,rawdex.net,verpornocomic.com,baixarhentai.net,scnlog.me,nodkey.xyz,itopmusic.com,pics4share.com,linkjust1.com,fx4vip.com,onlystream.tv,koreanaddict.net,iklandb.com,nowagoal.xyz,bestjavs.com,nocensor.*,dramahd.me,thepiratebay0.org,scat.gold,clik.pw,animeblkom.net,onceddl.org,freeomovie.to,leechpremium.link,uii.io,short.pe,intothelink.com,snahp.it,animeshouse.net,porncomix.info,7r6.com,zobacz.ws,legendas.dev,sukidesuost.info,putload.tv,exdb.net,animeuniverse.it,drycounty.com,mitly.us,ouo.io,shon.xyz,cda-tv.pl,picbaron.com,skidrowcodex.net,streamz.*,business-mortgage.pw,credits-loan.pw,business-credits.cc,business-mortgage.info,loan-trading.net,videogreen.xyz,thisav.com,filma24.*,playtube.ws,pornxbit.com,pornxday.com,autofaucets.org,rifurl.com,imgrock.net,shurt.pw,piratebay.live#%#//scriptlet("abort-on-property-write", "_pop")
+korall.xyz,vsttorrents.net,kropic.com,shorterall.com,javtiful.com,22pixx.xyz,porndish.com,mypornhd.com,europeanclassiccomic.blogspot.com,holanime.com,tamilyogi.vip,bleach-hdtv.blogspot.com,telewizja-internetowa.pl,webcamshows.org,team1x1.com,thehiddenbay.com,ask4movie.com,animeultima.eu,darmowa-telewizja.online#%#//scriptlet("abort-on-property-read", "_pop")
+mygoodstream.pw,pornyhd.com,pornxday.com,baixarhentai.net,freeservice.info,hindimean.com,22pixx.xyz,nacastle.com,eurostreaming.pink,imgbaron.com,feurl.com,animeshouse.biz,hitbits.io,scnlog.me,plytv.me,premiersport.tv,mixdrop.to,streamcdn.to,300mbfilms.io,jkanime.net,uii.io,filma24.*,anime-odcinki.pl,phim2online.com,upzone.cc,acefile.co,watchxxxfreeinhd.com,premiumleecher.com,short.pe,fjav.net,dropapk.to,aflamfree.top,mirrorace.com,egybest2.com,javplay.me,ytmp3.eu#%#//scriptlet("abort-on-property-read", "popjs")
+!
+! PopAds-b
+h.pornolomka3.com,idol69.net,javball.com,cnpics.org,gett.su,sex-empire.org,ovabee.com,rpdrlatino.com,otomi-games.com,pornososalka.org,javcock.com,javboys.com,ruangmoviez.my.id,magicemperor.online,xmoviesforyou.com,thatav.net,playpornfree.xyz,gounlimited.to,jetload.net,megapornfreehd.com,fileone.tv,javhiv.com,nyafilmer.com,gotgayporn.com,hqq.tv,pornhd.com,sextfun.com,imgoutlet.com,imgrock.net,myreadingmanga.info,porntrex.com,faselhd.co,tnaflix.com,anysex.com,filecrypt.cc,icdrama.se,faselhd.com,jawcloud.co,xmoviesforyou.com,swapsmut.com,pornwhite.com,dir50.com,pornstash.in,zeriun.cc,uraaka-joshi.com,sxyprn.net,pahe.win,javplay.me,hispasexy.org,moviecrumbs.net,segurosdevida.site,xvideos.com,technicalatg.xyz,czxxx.org,ashemaletube.com,moviesand.com,prostylex.org,faptube.xyz,erogarga.com,redhdtube.xxx,nyafilmer.*#%#//scriptlet('abort-on-property-read', 'popns')
+! PopAds
+! #%#//scriptlet('abort-current-inline-script', 'atob', '/popundersPerIP[\s\S]*?Date[\s\S]*?getElementsByTagName[\s\S]*?insertBefore|w47DisKcw5g/')
+watchadsontape.com,advertisertape.com,watchhowimetyourmother.online,dailyuploads.net,swiftload.io,jav-noni.cc,goflix.*,zpaste.net,tapeadvertisement.com,soccerstream100.to,itopmusics.com,tvappapk.com,shed4u1.cam,erosscans.xyz,downarchive.org,4drumkits.com,streaming-integrale.com,adblockplustape.xyz,jav-fun.cc,clickndownload.*,clicknupload.*,tapelovesads.org,pelisflix.*,freetvspor.lol,jav-scvp.com,lulustream.com,veev.to,kickassanimes.*,kaas.*,kickassanime.*,d000d.com,mixdrop21.net,nobodywalked.com,retrotv.org,dodz.pro,y2tube.pro,doooood.co,itopmusic.com,nlegs.com,stream.crichd.vip,d0000d.com,gettapeads.com,mixdropjmk.pw,tapeadsenjoyer.com,streamer4u.site,do0od.com,mdzsmutpcvykb.net,remaxhd.cam,remaxhd.fun,fusevideo.io,nowlive1.me,musicpremieres.com,mdfx9dc8n.net,asialiveaction.com,myeasymusic.ir,thepiratebay10.info,sportstream1.cfd,edwardarriveoften.com,adricami.com,aeblender.com,animespire.net,blackporncrazy.com,erovoice.us,filthy.family,forumchat.club,freeporncomic.net,freeuse.me,gamepcfull.com,gamesfullx.com,influencersgonewild.org,itunesfre.com,keralatvbox.com,ladangreceh.xyz,maturegrannyfuck.com,milfmoza.com,monaskuliner.ac.id,naughtypiss.com,notformembersonly.com,ojearnovelas.com,onlyfams.net,onlyfams.org,pervertgirlsvideos.com,piratefast.xyz,pmvzone.com,pornfetishbdsm.com,publicsexamateurs.com,rule34.club,sextubebbw.com,slut.mom,shadowrangers.live,shadowrangers.net,sxnaar.com,tabooflix.cc,tabooflix.org,teenporncrazy.com,torrsexvid.com,ufcfight.online,vfxmed.com,visifilmai.org,watchaccordingtojimonline.com,watchbrooklynnine-nine.com,wpdeployit.com,xxxfree.watch,paulkitchendark.com,camgirls.casa,ekasiwap.com,ds2play.com,mdy48tn97.com,pornhoarder.*,showmanga.blog.fc2.com,streamtape.*,akuma.moe,mdbekjwqa.pw,ebookhunter.net,peeplink.in,stevenimaginelittle.com,gameshdlive.net,stream.lc,troyyourlead.com,denisegrowthwide.com,ytsyifymovie.com,deepgoretube.site,kathleenmemberhistory.com,diskusscan.com,acefile.co,nonesnanking.com,hdsaprevodom.com,wwwstream.pro,mixdrp.to,prefulfilloverdoor.com,fsicomics.com,manga-lek.net,gogetapast.com.br,balkanteka.net,cazztv.xyz,phenomenalityuniform.com,nectareousoverelate.com,backfirstwo.com,apinchcaseation.com,r18.best,timberwoodanotia.com,streamdav.com,simpsonizados.me,strawberriesporail.com,blurayufr.xyz,valeronevijao.com,fastreams.*,cigarlessarefy.com,ytstvmovies.*,shrink.icu,reditsports.com,watchop.live,figeterpiazine.com,noblocktape.com,streamvid.net,kaoskrew.org,embed4u.xyz,yodelswartlike.com,generatesnitrosate.com,sitenable.*,filesdownloader.com,siteget.net,freeproxy.io,glodls.to,dlhd.*,mixdroop.*,fordems.live,fireload.com,doods.pro,antiadtape.com,chromotypic.com,watchpsychonline.net,gamoneinterrupted.com,streamcenter.pro,bestporn4free.com,seehdgames.xyz,nicesss.com,wolfdyslectic.com,privatenudes.com,rivofutboltv.club,stakes100.xyz,realbitsport.com,sportschamp.fun,simpulumlamerop.com,youpit.xyz,pornoflux.com,urochsunloath.com,tapewithadblock.org,nukedfans.com,torrentdosfilmeshd1.net,anidl.org,netfuck.net,counterclockwisejacky.com,filmovitica.com,availedsmallest.com,alexsportz.online,animerigel.com,jpop80ss3.blogspot.com,latinomegahd.net,tubelessceliolymph.com,streamhub.to,nopay.info,dooood.com,tummulerviolableness.com,musicriders.blogspot.com,mangaclash.com,35volitantplimsoles5.com,avcrempie.com,javleak.com,daughtertraining.com,hornylips.com,originporn.com,pickteenz.com,teen-wave.com,theblueclit.com,thesexcloud.com,tightsexteens.com,cr8soccer.online,sportea.online,seegames.xyz,mundoprogramas.net,cine20k.blogspot.com,enjoyhd.club,comohoy.com,pornleaks.in,mgnetu.com,scatch176duplicities.com,alexsports.site,nomery.ru,nsfwr34.com,watchcriminalminds.com,coolcast2.com,mimaletamusical.blogspot.com,portugues-fcr.blogspot.com,porntn.com,playdede.*,560pmovie.com,w123moviesfree.net,adblocktape.*,itopmusicx.com,antecoxalbobbing1010.com,123moviehub.org,filmesonlinexhd.biz,nu6i-bg-net.com,sexgay18.com,ahdafnews.blogspot.com,boonlessbestselling244.com,cyamidpulverulence530.com,guidon40hyporadius9.com,thaihotmodels.com,vidz7.com,myvidster.com,449unceremoniousnasoseptal.com,yourupload.com,321naturelikefurfuroid.com,sports-stream.*,turbogvideos.com,30sensualizeexpression.com,fapptime.com,19turanosephantasia.com,gameshdlive.xyz,streamers.watch,worldstreams.watch,141jav.com,toxitabellaeatrebates306.com,papahd.club,legendei.net,hentaiworld.tv,nolive.me,myoplay.club,thepiratebay10.org,ytstv.co,streamtapeadblockuser.*,enjoyhd.xyz,ohjav.com,strtapewithadblock.*,watchdoctorwhoonline.com,witanime.best,stapewithadblock.monster,hitomi.la,poapan.xyz,javboys.com,tinycat-voe-fashion.com,charexempire.com,papahd1.xyz,extrafreetv.com,sportssoccer.club,mangoporn.net,megaddl.u4m.world,sports-stream.*,realfinanceblogcenter.com,xestreams.com,crackstreamshd.click,uptodatefinishconferenceroom.com,techstips.co,tennisstreams.me,daddylivehd.*,footyhunter3.xyz,bigclatterhomesguideservice.com,9xmovie.*,animehditalia.it,juba-get.com,haho.moe,fraudclatterflyingcar.com,housecardsummerbutton.com,adblockeronstape.me,fmoviesdl.com,fittingcentermondaysunday.com,liveply.me,teamos.xyz,mangapt.com,reputationsheriffkennethsand.com,sharemods.com,launchreliantcleaverriver.com,amateurblog.tv,fashionblog.tv,latinblog.tv,silverblog.tv,xblog.tv,pxxbay.com,wwwsct.com,socialgirls.im,gawbne.com,forex-trnd.com,forex-golds.com,dogemate.com,v-o-e-unblock.com,masaporn.xyz,un-block-voe.net,xxx18.uno,claimlite.club,socceron.name,pornstreams.co,voeun-block.net,voe-un-block.com,voeunblk.com,voeunblck.com,hentaitk.net,voeunbl0ck.com,voeunblock3.com,voeunblock2.com,sgpics.net,voeunblock1.com,streamgoto.*,curvaweb.com,jiofiles.org,adslink.pw,voeunblock.com,tojav.net,streamadblockplus.com,voe-unblock.*,voe.sx,xn--xvideos-espaol-1nb.com,oneflix.pro,meusanimes.net,xxxxvideo.uno,read-onepiece.net,estrenosdoramas.net,nocensor.sbs,animeyt.es,mangagenki.me,rojadirectatvenvivo.com,ovamusic.com,sanet.st,tvseries.video,masahub.net,shadowrangers.live,anime-king.com,dvdplay.*,cuevana3.fan,85videos.com,javmost.*,nzbstars.com,animesonehd.xyz,rintor.*,javf.net,animestotais.xyz,leechall.com,techoreels.com,polstream.live,123-movies.*,slink.bid,shavetape.*,hesgoal.tv,themoviesflix.*,vhorizads.com,onlyfullporn.video,plylive.me,2ddl.it,tormalayalam.xyz,allplayer.tk,serijefilmovi.com,askim-bg.com,ytstv.me,androidadult.com,pahe.win,everia.club,adblockstrtape.link,adblockstrtech.link,sexdicted.com,bdnewszh.com,birdurls.com,adblockstreamtape.*,vipboxtv.*,xpornium.net,crackstreams.*,hatsukimanga.com,037jav.com,beinmatch.*,imgdawgknuttz.com,projectfreetv2.com,youjax.com,silverpic.com,okanime.tv,kuxxx.com,anicosplay.net,aotonline.org,hispasexy.org,pastemytxt.com,mangajokomik.blogspot.com,kantotinyo.com,virpe.cc,stape.fun,tokyoblog.tv,4horlover.com,crunchyscan.fr,tlin.me,flizmovies.*,yourdailypornvideos.ws,animes.vision,123movieshub.*,sakurafile.com,compartilhandobr.com,idolsblog.tv,tvply.me,dengeki-plusv2.xyz,itdmusics.com,hopepaste.download,filmi123.club,viprow.*,strikeout.*,scatfap.com,socceronline.me,gotxx.com,segurosdevida.site,anonymz.com,messitv.net,uhdstreams.club,123watchmovies.*,1stream.top,ytmp3eu.com,vidlox.me,streamta.*,bestnhl.com,egyshare.cc,swzz.xyz,animesanka.*,olympusscanlation.com,webcamrips.com,vostfree.tv,wickedspot.org,justfullporn.org,123moviesprime.com,masahub.com,viveseries.com,1tamilmv.*,olarixas.xyz,keeplinks.org,kissanimee.ru,javhun.com,findav.*,thebussybandit.com,pornofaps.com,85tube.com,bajarjuegospcgratis.com,balkanportal.net,celebrity-leaks.net,comicsmanics.com,datawav.club,desivdo.com,directupload.net,doctormalay.com,dvdfullestrenos.com,electro-torrent.pl,femdom-joi.com,gaysex69.net,hentaistream.co,javjunkies.com,lightdl.xyz,lightdlmovies.blogspot.com,pirateiro.com,pornobr.club,pornotorrent.com.br,sexofilm.co,sportstream.tv,torrage.info,video.az,vstorrent.org,watchjavidol.com,xanimeporn.com,javhoho.com,xsober.com,kinemania.tv,manga-mx.com,gambarbogel.xyz,nuoga.eu,mediapemersatubangsa.com,gomo.to,9anime.*,theicongenerator.com,javgayplus.com,strtapeadblock.me,picdollar.com,myonvideo.com,hwnaturkya.com,lechetube.com,cinema.cimatna.com,animefire.net,password69.com,film1k.com,gaydelicious.com,toonanime.xyz,prostylex.org,pepperlive.info,manyakan.com,nsfwcrave.com,tensei-shitara-slime-datta-ken.com,hitprn.com,streamzz.*,123moviesg.com,tvplusgratis.com,ask4movie.*,hollymoviehd.cc,123movieshd.*,maxitorrent.com,movi.pk,findporn.*,123movies4u.site,zeriun.cc,smallencode.me,torrentsgames.xyz,simonheloise.com,hexupload.net,123movies-hd.online,clasico.tv,adictosalatele.com,desiflix.club,filmesonlinex.org,popimed.com,adz7short.space,mixdrop.sx,gledajcrtace.xyz,embedstream.me,pewgame.com,jpopsingles.eu,movieverse.co,xxxwebdlxxx.top,anroll.net,sextgem.com,vikv.net,youdbox.net,pctmix1.com,watchseries.*,imgsto.com,imgsen.com,wowlive.info,1-2-3movies.com,ustream.to,blurayufr.com,jorpetz.com,daddylive.*,vupload.com,rapelust.com,katmoviehd4.com,videostreaming.rocks,imx.to,balkantelevizija.net,zonarutoppuden.com,yomovies.*,incestflix.com,dood.yt,dood.re,dood.wf,dood.la,dood.pm,dood.so,dood.to,dood.watch,dood.ws,sports24.*,linkebr.com,videoproxy.*,thiruttuvcd.xyz,smoner.com,movie8k.*,clipwatching.*,strtape.*,ytmp3.eu,vipbox.lc,ccurl.net,usagoals.*,xxvideoss.org,zplayer.live,janusnotes.com,dropgalaxy.com,streamsport.*,wigilive.com,itopmusic.org,short88.com,paidtomoney.com,givemenflstreams.com,givemenbastreams.com,givememmastreams.com,givemeredditstreams.com,proxybit.*,batoscan.net,rule34hentai.net,claimcrypto.cc,vvc.vc,projectfreetv.online,greatanimation.it,kwik.cx,racaty.net,illink.net,300mbplus.*,onlyfoot.net,hala-tube.net,hqcelebcorner.net,shrinkme.in,upstream.to,link1s.net,get-to.link,gibit.xyz,mangovideo.club,pctmix.com,mirrorace.*,300mbfilms.*,todaynewspk.win,youdbox.com,gaypornmasters.com,wordcounter.icu,darmowatv.ws,hiperdex.com,rawdex.net,verpornocomic.com,baixarhentai.net,scnlog.me,nodkey.xyz,itopmusic.com,pics4share.com,linkjust1.com,fx4vip.com,onlystream.tv,koreanaddict.net,iklandb.com,nowagoal.xyz,bestjavs.com,nocensor.*,dramahd.me,thepiratebay0.org,scat.gold,clik.pw,animeblkom.net,onceddl.org,freeomovie.to,leechpremium.link,uii.io,short.pe,intothelink.com,snahp.it,animeshouse.net,porncomix.info,7r6.com,zobacz.ws,legendas.dev,sukidesuost.info,putload.tv,exdb.net,animeuniverse.it,drycounty.com,mitly.us,ouo.io,shon.xyz,cda-tv.pl,picbaron.com,skidrowcodex.net,streamz.*,business-mortgage.pw,credits-loan.pw,business-credits.cc,business-mortgage.info,loan-trading.net,videogreen.xyz,thisav.com,filma24.*,playtube.ws,pornxbit.com,pornxday.com,autofaucets.org,rifurl.com,imgrock.net,shurt.pw,piratebay.live#%#//scriptlet('abort-current-inline-script', 'atob', '/popundersPerIP[\s\S]*?Date[\s\S]*?getElementsByTagName[\s\S]*?insertBefore|w47DisKcw5g/')
+! #%#//scriptlet('abort-on-stack-trace', 'parseInt', '_isDelayBetweenExpired')
+kingstreamz.lol,akuma.moe,mdbekjwqa.pw,ebookhunter.net,peeplink.in#%#//scriptlet('abort-on-stack-trace', 'parseInt', '_isDelayBetweenExpired')
+!
+! AdMaven
+! #%#//scriptlet("abort-on-property-write", "Fingerprint2")
+! below rule can conflict with normal JS rule in Chrome Extension - Error executing AG js: TypeError: Invalid value used as weak map key
+urlbluemedia.*,bluemediadownload.*,bluemediaurls.lol,bluemedialink.online,bluemediafile.*,bluemediafiles.*,zalupa.icu,cloudvideotv.stream,send.cm,gamesdatabase.net,repack-games.com,videobin.co,streamsport.pro,mywatchseries.stream,kissanime.nz,uploadrar.com,zobacz.ws,bit-url.com,hexupload.net,thehouseofportable.com,iir.ai,tii.ai,prostream.to,gomo.to,pleermp3.net,solarmovie.to,adshort.*,newepisodes.co,megaup.net,ckk.ai,uploadas.com,downloadpirate.com,gounlimited.to,shon.xyz,ask4movie.co,cmacapps.com,userscloud.com#%#//scriptlet("abort-on-property-write", "Fingerprint2")
+!
+! jsPopUnda
+javhub.net,highporn.net,xxxparodyhd.net,uptobox.com,uptostream.com,pornkino.cc,watchpornfree.info,xxxmoviestream.xyz,mangoporn.co,playpornfree.xyz,xopenload.me,streamporn.pw#%#//scriptlet("abort-on-property-read", "jsUnda")
+!
+! For scripts, which uses base64
+force-download.es,convert-me.com#%#window.atob = function() { };
+!
+! impspcabe (anti adblock clickunder)
+doodhwali.com,deutsche-porn.com,videotoolbox.com,convertfiles.com,uploads.to,drtuber.com,uplod.it,4bir.com,mcfucker.com,pipec.ru,xyya.net,imageweb.ws,linkshrink.net,userscloud.com,animeflv.net,icefilms.info,vidzi.tv,subs.ro,hdxpornx.com,thefappening.one,thefappening2015.com,thefappeningnew.com,anon-v.com,raptu.com,tubedupe.com,hentai-id.tv,thenewporn.com#%#Object.defineProperties(window, { "_impspcabe_alpha": { value: false, writable: false }, "_impspcabe_beta": { value: false, writable: false }, "_impspcabe_path": { value: 'about:blank', writable: false }, "_impspcabe": { value: false, writable: false } });
+!
+! prscripts clickunder
+! use 2nd to not break FF extension
+nosteamgames.ro#%#//scriptlet('abort-on-property-read', '_wm')
+camwhores.tv,cambabe.video,cambabe.me,tvspots.tv,sportbet.tips,crissymoran.net,bettingtips.expert,tubepornovideo.com,amateursgonebad.com,glamourmodelsgonebad.com,ukbettips.co.uk,1337x.to,pornve.com,thepiratebay.org,imagebam.com,rarbg.to#%#Object.defineProperties(window, { _wm: { get: function(){ return null; } }, _wm_settings: { get: function(){return{};} } });
+videowood.tv,cwtvembeds.com,camgirlbay.net#%#Object.defineProperties(window, { _wm: { get: function(){ return null; } }, _wm_settings: { get: function(){return{};} } });
+!
+! AdCash WebRTC popups
+animeid.tv,vidzi.tv,eztv.ag,raptu.com,vidtodo.com,noslocker.com,istockfile.com,vidzi.tv,upfile.mobi#%#(function(){var b=window.setTimeout;window.setTimeout=function(a,c){if(!/RTCPeerConnection[\s\S]*?new MouseEvent\("click"/.test(a.toString()))return b(a,c)};})();
+italiashare.life#%#(function(){var b=window.setTimeout;window.setTimeout=function(a,c){if(!/RTCPeerConnection[\s\S]*?new MouseEvent\("click"/.test(a.toString()))return b(a,c)};})();
+!
+! BetterJsPop
+cricfree.org,stream2watch.eu,firstrow1uk.eu,sportlemon.net,amateurbusters.com,ilivestream.com,porn2dl.net,streamhunter.net,vipbox.biz,phimmup.net,firstrow.top,firstrows.net,sportlemons.net,firstsrowsports.eu,ilemi.co,wiziwigs.eu,sportlemons.org,goatd.me,firstsrow.eu,streamsport.eu,globaltravel.com,safelinking.net#%#//scriptlet('set-constant', 'BetterJsPop', 'noopFunc')
+! #%#//scriptlet("abort-on-property-read", "BetterJsPop")
+pokemonlaserielatino.xyz,vipboxi.net,stbpnetu.xyz,tmdbcdn.lat,asdasd1231238das.site,animeyt2.es,filmcdn.top,ztnetu.com,vpge.link,opuxa.lat,troncha.lol,player.igay69.com,xtapes.to,rpdrlatino.com,player.streaming-integrale.com,vapley.top,fansubseries.com.br,cinecalidad.vip,shitcjshit.com,playertoast.cloud,fsohd.pro,xz6.top,javboys.cam,vzlinks.com,playvideohd.com,younetu.org,mundosinistro.com,stbnetu.xyz,diziturk.club,1069jp.com,vertelenovelasonline.com,playerhd.org,gledajvideo.top,filme-romanesti.ro,video.q34r.org,ntvid.online,porntoday.ws,netuplayer.top,netu.ac,peliculas8k.com,hqq.ac,younetu.com,ekino-tv.link,nu6i-bg-net.com,cdngee.com,yalapwl.xyz,plushd.bio,xxxbestsites.com,universanimevf.com,xkeezmovies.com,jaygay.to,europixhd.net,cuevana.*,cuevana3.*,monstream.org,javboys.cam,koreanbj.club,redload.co,streaming-french.net,ytms.one,rpdrlatino.live,vaav.top,ddl-francais.com,cuevana4.cc,watch-series.site,illimite-streaming.com,gratflix.org,multiup.us,player.koreanpornmovie.xyz,filmesonlinehd1x.pro,netu.fshd.link,oyohd.one,xxvideoss.net,kitraskimisi.com,msmini.cyou,hydrax.xyz,waaw1.tv,vido.fun,czxxx.org,pajalusta.club,streamzz.*,xtapes.to,upvideo.to,moovies.in,richhioon.eu,haes.tech,wiztube.xyz,netu.in,cineflixtv.net,vizplay.*,view47.*,streamplusvip.*,oyohd.com,hindilinks4uto.com,msubplix.com,vidxhot.net,waaw.*,justswallows.com,meucdn.vip,yandexcdn.com,firstr0w.eu,hqq.*,onlystream.tv,streamz.*,3movs.com,alltube.tv,tryboobs.com,eporner.com,vivatube.com,verystream.com,ashemale.one,kaotic.com,hentaicore.org,alltube.pl#%#//scriptlet("abort-on-property-read", "BetterJsPop")
+! #%#//scriptlet("set-constant", "BetterJsPop.add", "noopFunc")
+euroxxx.net,korall.xyz,player.unlimitedfiles.xyz#%#//scriptlet("set-constant", "BetterJsPop.add", "noopFunc")
+! #%#//scriptlet("prevent-setInterval", "BetterJsPop")
+javxxx.me,erogarga.com#%#//scriptlet("prevent-setInterval", "BetterJsPop")
+!
+! A popunder script that generates cookies with name 'ppu_main' - system.popunder
+! #%#//scriptlet("abort-on-property-read", "AaDetector")
+verdoramas.top,jogos123.site,guayhd.me,tainio-mania.online,libgen.li,edwardarriveoften.com,paulkitchendark.com,stevenimaginelittle.com,troyyourlead.com,denisegrowthwide.com,kathleenmemberhistory.com,nonesnanking.com,prefulfilloverdoor.com,phenomenalityuniform.com,nectareousoverelate.com,apinchcaseation.com,timberwoodanotia.com,strawberriesporail.com,valeronevijao.com,nopay.info,cigarlessarefy.com,figeterpiazine.com,yodelswartlike.com,2embed.cc,generatesnitrosate.com,tenies-online.best,chromotypic.com,watchpsychonline.net,gamoneinterrupted.com,zeriun.cc,wolfdyslectic.com,bflix.to,simpulumlamerop.com,urochsunloath.com,hdtoday.ru,embedsb.com,monorhinouscassaba.com,fmovies.*,tubesb.com,counterclockwisejacky.com,availedsmallest.com,tubelessceliolymph.com,tummulerviolableness.com,mcloud.to,gayteam.club,35volitantplimsoles5.com,vizcloud.co,pinloker.com,scatch176duplicities.com,hurawatch.at,pornxp.org,pornxp.com,watchcriminalminds.com,porngo.com,clicksud.biz,matriculant401merited.com,w123moviesfree.net,antecoxalbobbing1010.com,boonlessbestselling244.com,cyamidpulverulence530.com,guidon40hyporadius9.com,449unceremoniousnasoseptal.com,321naturelikefurfuroid.com,30sensualizeexpression.com,19turanosephantasia.com,familyporn.tv,toxitabellaeatrebates306.com,ymovies.vip,hentaicloud.com,toonitalia.co,btsow.beauty,watchdoctorwhoonline.com,watchlostonline.net,tinycat-voe-fashion.com,realfinanceblogcenter.com,vidstream.pro,uptodatefinishconferenceroom.com,bigclatterhomesguideservice.com,pcprogramasymas.net,123animes.*,fraudclatterflyingcar.com,housecardsummerbutton.com,fittingcentermondaysunday.com,reputationsheriffkennethsand.com,launchreliantcleaverriver.com,123movies-org.site,v-o-e-unblock.com,un-block-voe.net,tweakcentral.net,ssbstream.net,kwik.cx,animepahe.com,voeun-block.net,rawmanga.top,voe-un-block.com,voeunblk.com,send.cm,javside.com,babesaround.com,dirtyyoungbitches.com,grabpussy.com,join2babes.com,nightdreambabe.com,novoglam.com,novohot.com,novojoy.com,novoporn.com,novostrong.com,pussystate.com,redpornblog.com,rossoporn.com,sexynakeds.com,senmanga.com,mangaraw.org,novoporn.com,pbabes.com,thousandbabes.com,voeunblck.com,voeunbl0ck.com,voeunblock3.com,hdfilme.top,voeunblock2.com,kissasian.*,voeunblock1.com,voeunblock.com,obaflix.site,voe-unblock.*,voe.sx,hdhub4u.tel,ask4movie.*,masahub.net,moviesjoy.*,easyexploits.com,filmeserialeonline.org,azm.to,biqle.org,m4uhd.tv,9anime.*,vidstreamz.online,beef1999.blogspot.com,files.im,ettvcentral.com,movies07.co,playtube.ws,upstream.to,tii.ai,iir.ai,hhkungfu.tv,playhydrax.com,hydrax.net,get-to.link,ouo.press,ouo.io,xstreamcdn.com#%#//scriptlet("abort-on-property-read", "AaDetector")
+! misc
+123animes.*,europixhd.pro,9xmovies.baby,vidhd.net,linksupto.me,ssrmovies.win,gdriveplayer.*,vidsrc.*,a2zapk.com,vidload.net,gomoviesfree.page,gomo.to#%#//scriptlet("abort-on-property-write", "glxopen")
+monoschinos.com,animeshd.online,streamsport.pro,soccerstreams.net,123mkv.*,bagas31.info,akwam.*,file-upload.com,bacakomik.co,mangasee123.com,anitube.biz,dramacool9.co,downloadhub.*,videomega.co,gdriveplayer.me,vidsrc.*,skymovieshd.*#%#//scriptlet("abort-on-property-write", "GLX_GLOBAL_UUID_RESULT")
+kuyhaa.me,cosmic1.co,lodynet.link,vidbinge.com,pelismax.one,stbturbo.xyz,y2mate.is,gogoanimes.fi,vdbtm.shop,hdfilme.plus,get-to.link,zoro.se,moviekhhd.biz,drivemoe.com,fusevideo.io,watchsomuch.to,faselhd-embed.scdns.io,nxbrew.com,toonily.me,limetorrents.lol,pelisflix2.green,185.217.95.44,moviesjoyhd.to,faselhd.*,5.45.95.74,kissasian.*,opensubtitles.org,1337xx.to,praiing.monster,lookmovie2.to,poisteewoofs.monster,streamvid.net,lookmovie.foundation,1l1l.to,file-upload.org,meetdownload.com,hentaiasmr.moe,witanime.org,yugenanime.tv,kissanimefree.cc,animeyt.es,anichin.top,tinyzonetv.se,monoschinos2.com,pahe.li,klmanga.net,zinmanhwa.com,ssrmovies.singles,tuktukcinema.*,phimmoiyyy.net,futbol-libre.org,rule34hentai.net,nettruyento.com,animepahe.ru,btcmovies.xyz,vidsrc.*,123movies-hd.online,dramacool.*,123movies.*,jujmanga.com,srsone.top,phimgiz.net,himovies.to,hhdstreams.club,uhdstreams.club,holymanga.net,strims.*,kissanime.*,xmovies8.pw,sektekomik.com,moviesjoy.*,1337x.*,0gomovies.*,vipbox.lc,watch-serieshd.cc,semawur.com,tamilblasters.unblockit.dev,shingekinokyojinepisodes.com,ekinomaniak.net,rexdlfile.com,downloadhub.ink,cuturl.in,123movie.date,manganelo.link,janusnotes.com,hblinks.pro,akwams.*,1337x.is,desiupload.co,leechall.com,allcalidad.la,disasterscans.com,masteranime.es,savesubs.com,gdtot.*,mkvcinemas.*,mangakik.com,akwam.*,mirrored.to,desustream.me,streamwire.net,brbushare.com,9kmovies.fit#%#//scriptlet("json-prune", "*", "pop_type")
+kuyhaa.me,cosmic1.co,lodynet.link,vidbinge.com,pelismax.one,stbturbo.xyz,y2mate.is,gogoanimes.fi,vdbtm.shop,hdfilme.plus,get-to.link,zoro.se,moviekhhd.biz,drivemoe.com,fusevideo.io,watchsomuch.to,faselhd-embed.scdns.io,nxbrew.com,toonily.me,limetorrents.lol,pelisflix2.green,185.217.95.44,moviesjoyhd.to,faselhd.*,5.45.95.74,kissasian.*,opensubtitles.org,1337xx.to,praiing.monster,lookmovie2.to,poisteewoofs.monster,streamvid.net,lookmovie.foundation,1l1l.to,file-upload.org,meetdownload.com,hentaiasmr.moe,witanime.org,yugenanime.tv,kissanimefree.cc,animeyt.es,anichin.top,tinyzonetv.se,monoschinos2.com,pahe.li,klmanga.net,zinmanhwa.com,ssrmovies.singles,tuktukcinema.*,phimmoiyyy.net,futbol-libre.org,rule34hentai.net,nettruyento.com,animepahe.ru,btcmovies.xyz,vidsrc.*,123movies-hd.online,dramacool.*,123movies.*,jujmanga.com,otakufr.co,srsone.top,phimgiz.net,himovies.to,hhdstreams.club,uhdstreams.club,holymanga.net,strims.*,kissanime.*,xmovies8.pw,sektekomik.com,moviesjoy.*,1337x.*,0gomovies.*,vipbox.lc,watch-serieshd.cc,semawur.com,tamilblasters.unblockit.dev,shingekinokyojinepisodes.com,ekinomaniak.net,rexdlfile.com,downloadhub.ink,cuturl.in,123movie.date,manganelo.link,janusnotes.com,hblinks.pro,akwams.*,1337x.is,desiupload.co,leechall.com,allcalidad.la,disasterscans.com,masteranime.es,savesubs.com,gdtot.*,mkvcinemas.*,mangakik.com,akwam.*,mirrored.to#%#//scriptlet("json-prune", "*", "rot_url")
+! probably obsolete rules
+seehd.ws#%#(function(){var b=document.addEventListener;document.addEventListener=function(){-1==arguments[1].toString().indexOf("inXP(e.target")&&b.apply(document,arguments)};var c=window.setInterval;window.setInterval=function(){if(-1==arguments[0].toString().indexOf("pSC(ppu_main,"))return c.apply(window,arguments)};Object.defineProperty(window,"onbeforeunload",{set:function(a){return-1==a.toString().indexOf("location.href=options.url")?a:null}})})();
+1fichier.com,pornfapr.com,freepornhq.xxx,piratebays.co.uk,gameofbay.org,kickass.unlockproj.party,kickass.com.se,hdsector.com#%#(function(){var b=document.addEventListener;document.addEventListener=function(){-1==arguments[1].toString().indexOf("inXP(e.target")&&b.apply(document,arguments)};var c=window.setInterval;window.setInterval=function(){if(-1==arguments[0].toString().indexOf("pSC(ppu_main,"))return c.apply(window,arguments)};Object.defineProperty(window,"onbeforeunload",{set:function(a){return-1==a.toString().indexOf("location.href=options.url")?a:null}})})();
+animeflv.net,m4ufree.com#%#!function(b,c){function a(a,b){return typeof a!=='function'?!0:a.toString().indexOf(b)===-1}b=document.addEventListener,document.addEventListener=function(){a(arguments[1],'inXP(e.target')&&b.apply(document,arguments)},c=window.setInterval,window.setInterval=function(){return a(arguments[0],'pSC(ppu_main,')?c.apply(window,arguments):void 0},AG_defineProperty('onbeforeunload',{beforeSet:function(b){return a(b,'location.href=options.url')?b:null}})}();
+kat.sx,videoszoofiliahd.com,nopeporn.com,rarbg.to,tpbairproxy.in,piratebaai.click,proxyproxyproxy.nl,gameofbay.org,tpbunblocked.org,unblocktpb.com,piratebays.co.uk,thepiratebay.uk.net,piratebaai.club,proxyspotting.in,unblockedbay.info,kickass.cd,eztv.unblocked.sh,porn00.org,altadefinizione01.zone,tamilrockers.tw,rarbgmirror.org,vidzi.tv#%#!function(b,c){function a(a,b){return typeof a!=='function'?!0:a.toString().indexOf(b)===-1}b=document.addEventListener,document.addEventListener=function(){a(arguments[1],'inXP(e.target')&&b.apply(document,arguments)},c=window.setInterval,window.setInterval=function(){return a(arguments[0],'cookies.ppu_main')?c.apply(window,arguments):void 0},AG_defineProperty('onbeforeunload',{beforeSet:function(b){return a(b,'location.href=options.url')?b:null}})}();
+animeskai.com,animeflv.ru#%#!function(d,e){function f(g,h){return"function"!=typeof g||-1===g.toString().indexOf(h)}d=document.addEventListener,document.addEventListener=function(){f(arguments[1],"['tagName']['toLowerCase']()&&document")&&d.apply(document,arguments)},e=window.setInterval,window.setInterval=function(){return f(arguments[0],"['overlayName'])[")?e.apply(window,arguments):void 0},AG_defineProperty("onbeforeunload",{beforeSet:function beforeSet(g){return f(g,"location.href=options.url")?g:null}})}();
+albvid.com,m4ufree.tv,bludvfilmes.com,torrentrapid.com,cda-hd.cc,ettv.tv,x1337x.se,bayproxy.eu,tpbbay.eu,piratebays.co,pirateproxy.tf,piratebaymirror.eu,pirate.trade,thepiratebay-proxy.com,wearepirates.click,ukpirate.org,hyperproxy.net,duckingproxy.eu,piratebayproxy.tf,tpbmirror.us,pirateproxy.yt,piratebay.red,ukpirateproxy.xyz,piratebay247.net,thepirate.click,seehd.pl,superanimes.site,streamdreams.org,vergol.com,vidmoly.me,mp3fiber.com#%#!function(a,b){function c(i,j){return"function"!=typeof i||-1===i.toString().indexOf(j)}a=document.addEventListener,document.addEventListener=function(){c(arguments[1],"'popunder'")&&a.apply(document,arguments)},b=window.setInterval,window.setInterval=function(){return c(arguments[0],"'ppu_")?b.apply(window,arguments):void 0},AG_defineProperty("onbeforeunload",{beforeSet:function(j){return c(j,"location.href=options.url")?j:null}})}();
+biqle.ru#%#!function(a,b){function c(i,j){return"function"!=typeof i||-1===i.toString().indexOf(j)}a=document.addEventListener,document.addEventListener=function(){c(arguments[1],")]=null;")&&a.apply(document,arguments)},b=window.setInterval,window.setInterval=function(){return c(arguments[0],"popunder")?b.apply(window,arguments):void 0},AG_defineProperty("onbeforeunload",{beforeSet:function(j){return c(j,"location.href=options.url")?j:null}})}();
+vidbom.com,okanime.com,fmovies.cab,1idsly.com,updatetribun.org#%#!function(a,b){function c(i,j){return"function"!=typeof i||-1===i.toString().indexOf(j)}a=window.addEventListener,window.addEventListener=function(){c(arguments[1],"tabunder")&&a.apply(window,arguments)},b=window.setInterval,window.setInterval=function(){return c(arguments[0],"catch(_")?b.apply(window,arguments):void 0},AG_defineProperty("onbeforeunload",{beforeSet:function(j){return c(j,"location.href=options.url")?j:null}})}();
+putlockers.co,gomostream.com,punjabimoviesonline.org,suarankri.me,arabseed.tv,9xupload.me,9xmovies.cc#%#!function(a,b){function c(i,j){return"function"!=typeof i||-1===i.toString().indexOf(j)}a=window.addEventListener,window.addEventListener=function(){c(arguments[1],"'tabu")&&a.apply(window,arguments)},b=window.setInterval,window.setInterval=function(){return c(arguments[0],"catch(_")?b.apply(window,arguments):void 0},AG_defineProperty("onbeforeunload",{beforeSet:function(j){return c(j,"location.href=options.url")?j:null}})}();
+cloudvideo.tv,ckk.ai,hubfiles.ws#%#!function(a,b){function c(i,j){return"function"!=typeof i||-1===i.toString().indexOf(j)}a=window.addEventListener,window.addEventListener=function(){c(arguments[1],"window['open']")&&a.apply(window,arguments)},b=window.setInterval,window.setInterval=function(){return c(arguments[0],"['result']")?b.apply(window,arguments):void 0},AG_defineProperty("onbeforeunload",{beforeSet:function(j){return c(j,"location.href=options.url")?j:null}})}();
+fitgirlrepacks.co,series24hr.com,albvid.com,b4ucast.me,playerhost.net,holanime.com,zenomovie.com,uploadev.org,lordhd.com#%#!function(a,b){function c(i,j){return"function"!=typeof i||-1===i.toString().indexOf(j)}a=window.addEventListener,window.addEventListener=function(){c(arguments[1],"glxopen")&&a.apply(window,arguments)},b=window.setInterval,window.setInterval=function(){return c(arguments[0],"catch(_")?b.apply(window,arguments):void 0},AG_defineProperty("onbeforeunload",{beforeSet:function(j){return c(j,"location.href=options.url")?j:null}})}();
+!
+! A popunder script that generates cookies with name 'glx_pp'
+ganooll.co,underurl.com,aii.sh,oko.sh,cloudvideo.tv,file-up.org#%#//scriptlet("abort-current-inline-script", "Math", "/=function\(str,vocabulary\)/")
+!
+! initPu, puShown
+mangovideo.pw,cartoonporno.xxx,69games.xxx,mirrorace.com,xxxhost.me,thetodaypost.com,safirfilmizle1.com,filese.me,mylink.vc#%#//scriptlet("abort-on-property-read", "initPu")
+twstalker.com,xbokepfb.co,javmix.app,hdfilmseyircisi.org,shemaleporn.xxx,lizardporn.com,imgsin.com,45.133.203.223,filmdelisi.co,seyredeger.com,masterplayer.*,balfilmizle1.com,filmseyretizlet.com,milfzr.com,movies07.live,hotscopes.*,hentaianimedownloads.com,mobileflasherbd.com,eroticpub.com,boobsrealm.com,kickass.ws,naughtymachinima.com,mangovideo.club,22pixx.xyz,xxxparodyhd.net,torrentproject.cc,porcore.com,dbupload.co,mangoporn.net,pornkino.cc,watchpornfree.info,imguur.pictures,xxxmoviestream.xyz,mangoporn.co,kickass.vc,freshscat.com,playpornfree.xyz,kickass.love,xopenload.me,streamporn.pw#%#//scriptlet('set-constant', 'puShown', 'true')
+! A new/different version of "puShown" ads/popups
+mangakita.net,westmanga.info#%#//scriptlet("set-constant", "puShown1", "true")
+!
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/150836
+! https://github.com/AdguardTeam/AdguardFilters/issues/148543
+!
+! On direct visit: Unsupported path / Not Found / empty OK
+! propeller-tracking.com
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/177224
+! https://github.com/AdguardTeam/AdguardFilters/issues/164615
+primevideo.com,amazon.co.uk,amazon.de,amazon.co.jp,amazon.com#%#//scriptlet('json-prune', 'cuepointPlaylist')
+!+ NOT_PLATFORM(ext_ublock)
+primevideo.com,amazon.co.uk,amazon.de,amazon.co.jp,amazon.com#%#//scriptlet('xml-prune', 'xpath(//*[name()="Period"][.//*[@value="Ad"]] | //*[name()="Period"]/@start)', '[value="Ad"]', '.mpd')
+!
+! go.oclasrv.com clickunder/ads ('zfgloaded')
+! '#%#//scriptlet("abort-current-inline-script", "String.fromCharCode", "zfgloaded")'
+filmeonlinehd.biz,onlinework4all.com,youdbox.com,downloadtwittervideo.com,fetchtube.com,elkooora.com,lodynet.co,mega4up.com,brstej.com,tuktukcinema.com,adslinkfly.online,mvs4u.tv,arabseed.net,speedvideo.net,watchdbzsuper.tv,gsurl.in,yalla-shoot.today,earnload.co,gpmojo.co,halacima.co,mangazuki.online,televisiongratishd.com,videobin.co,todofull.net,zoom-link.com,urlcloud.us,hdfilme.cc,mangacanblog.com,stalktr.net,lelscan-vf.com,app.ignition.fun,9anime.vip,123movie.cc,123movie.sc,123movies.productions,123movies.domains,123movies2019.com,123movies2019.net,123movies2019.org,123moviesback.com,123moviese.com,123moviesgot.com,123moviesok.org,123moviesss.com,123moviestar.net,123moviies.org,123watchmovies.org,1xxx.tv,300mbmovies4u.club,33sk.tv,3sk.co,4shworld.com,9anime.cloud,9movies.tv,9putlocker.io,9xrockers.pw,adultwallpapers.co.in,afghanidata.com,aflam.io,aflam4you.tv,aflamonlinee.org,akoam.net,altadefinizione01.love,altadefinizione01.site,anime-odcinki.pl,animedoor.com,animeflv.net,animesave.com,animeskai.biz,animestreams.tv,animeunity.it,animezone.pl,aovivonatv.com,arenavision.cc,atozmp3.co,bindassbros.com,bucetasx.com,cadelanocio.com.br,cambabe.me,camgirlbay.net,caminspector.net,camwhores.adult,camwhores.tv,camwhoreshd.com,cb01.io,ceesty.com,chatrooms.org.in,chodan.com,cima5.com,cimaclub.com,cinema4tv.com,clickndownload.*,clicknupload.*,clik.pw,cloudvideo.tv,clubedoaz.com.br,cmovieshd.bz,cmovieshd.com,cmovieshd.net,cockhero.org,converto.io,crackzsoft.com,cwtvembeds.com,czech3x.net,dailyimages.xyz,darmowa-telewizja.online,denunciando.com,despreseriale.ro,dir50.com,downloadhub.org,downloadhub.ws,dp-stream.com,dramamate.com,dredown.com,ebooksz.net,egybest.site,embed.watchasian.co,extreme-d0wn.com,f-hd.net,f16f.com,fatimakhamissa.com,ffmovies.ru,filerio.in,filme-bune.net,filmywap.com,flenix.net,flix555.com,flowhot.me,foxebook.net,freeapps4y.blogspot.com,freedisc.pl,freelivesports.co,full-stream.nu,fullmaza.net,fullmovies24.net,fullmoviescenter.com,fussball-livestream.net,gameofbay.org,gaypinoyporn.com,glinks.me,gnula.se,gogomovies.net,gotdatfire.com,greenmp3.com,gsul.me,gsur.in,hdfilme.net,hdfilme.tv,hdmoviesfree.net,hdmp4mania.world,hdpopcorns.in,her69.net,hevcbay.com,hindugodsongs.com,igg-games.com,indexofmovie.com,indoakatsuki.net,ipagal.org,irp.uz,joymovies.com,justdubsanime.net,justupload.io,katmovie.de,katmoviehd.cc,kinoger.com,kinoger.to,kombatch.com,koursaros.net,kprofiles.com,kreskowkazone.pl,legendofkorra.tv,libertyvf.co,m4ufree.io,mangahasu.se,mangaindo.web.id,mehlizmovies.com,milfzr.com,momjoi.com,movie1k.pw,movie2free.com,moviebay.io,movies1234.net,movies79.com,movieshd.ru,movizland.online,mp3-pn.com,mp3-red.co,mp4mania.world,mr-hd.com,mrelhlawany.com,msphubs.com,mywatchseries.stream,nepalikanchi.com,new-mastermovie.com,newpct.com,newpct1.com,nghmaty.com,ngusman.com,olozmp3.net,onlinechat.co.in,onprojectfreetv.site,otakustream.tv,ouo.io,pagalworldm.com,panda-streaming.net,pelisencastellano.com,phimotv.net,piratebays.co.uk,pirateproxy.yt,pornlibrary.net,porntrex.com,punjabimoviesonline.org,putlocker.sk,putlockerfree.net,putlockertv.se,putlockertv.ws,rapidvideo.is,revivelink.com,rule34hentai.net,rumahminimalisbagus.com,sa7eralkutub.com,sabwap.co,savethevideo.com,sawlive.tv,scanof.net,sebn.sc,segiempat.com,sempreinter.com,sendvid.com,sexmag.biz,shaggyimg.pro,short.pe,shortmony.me,shurikenteam.com,siii.club,simitator.com,softcoretube.org,softpcfull.com,software-on.com,solarmovie.net,solarmovie.st,solarmoviefree.co,solarmoviefree.me,solarmoviesc.co,solarmoviex.to,speed4up.com,sportify365.blogspot.co.uk,sportify365.blogspot.hr,stiffgamerdown.com,stream4free.live,streaming-football.org,subsmovies.me,tamilfreemp3songs.com,tamilmv.cz,telepisodes.org,thaihotmodels.com,theseriesonline.net,toquemp3.com,torrentlocura.com,torrentmegafilme.com,torrentrapid.com,torrents9.org,torrentsmd.eu.org,tous-sports.tv,toussports.info,tubebg.com,tudotv.tv,tudotvonline.com,tugaanimado.net,tusnovelas.net,twojetv.ws,uii.io,upload.ac,upzone.cc,urgetofap.com,urgrove.net,ustreamix.com,vidcloud.icu,vidload.co,vidnode.net,vidoevo.com,vidtomp3.info,vimeotomp3.com,viralitytoday.com,vojkudee.net,watch-online.biz,watch-series.co,watch32.is,watchfilmy.com,watchncum.com,watchonlinemovies.com.pk,watchparksandrecreation.net,watchrecentmovies.co,watchseries.unblockme.xyz,wicr.me,xkeezmovies.com,xmovies8.io,xmovies8.net,xmoviesforyou.com,xxxwebdlxxx.org,yakaracolombia.com,yalla-shoot.com,yeane.org,ymovies.tv,yt2mp3s.me,zedstream.com#%#//scriptlet("abort-current-inline-script", "String.fromCharCode", "zfgloaded")
+! '#%#//scriptlet("abort-on-property-read", "zfgformats")'
+hdfungamezz.xyz,elgoles.pro,illink.net,gmanga.me,ockles.com,nowagoal.xyz,exee.io,pcgamez-download.com,gamepciso.com,youdbox.com,series.movie,shorthitz.com,moalm-qudwa.blogspot.com,vivo.sx,ustreamy.co,animeblix.com,toonily.com,mondainai.moe,pnd.*,underurl.com,vidfast.co,leechpremium.link,watchasian.to,thepiratefilmes.co,kazefuri.me,douploads.net,torrentproject.cc,nmac.to,biroads.com,exdb.net,seriesfilmestorrent.net,gdriveplayer.*,naisho.website,shurt.pw,supervideo.tv,tudogamesbr.com,masteranime.es,100count.net,playtube.ws,shortpaid.com,gogoanimee.com,wplink.online,iir.ai,citgratis.com,pirlotv.es,kora-online.tv,hindimean.com,gplinks.co,movies123.pics,fitgirlrepacks.co,supersimple.online,sickworldmusic.com,videomega.co,prostream.to,anitube.be,shortearn.eu,kisscartoon.info,what.cd,kisscartoon.love,plytv.me,aii.sh,ckk.ai,oko.sh,bitearns.com,owllink.net,repayone.net,gnula.nu,1tamilmv.com,rapidotorrents.net,megafilmes.org,gplinks.in,bit-url.com,isubsmovies.com,vidbm.com,onlinemovieswatch.com.pk,baan-series.com,acorpe.com,mvs4u.net,solarmovie.fun,fuqer.com,downloadgamepsp.com,comando4kfilmes.com,arblionz.tv,kiryuu.co,pingit.im,tvbd.live,tencentgamingbuddy.co,latestseoupdate.com,faucet.gold,trucnet.net,drhealthmag.com,mtbtutoriales.com,ddownr.com,megaurl.in,harvestofmusic.com,rockindiy.com,baomay01.com,uploadrar.com,terbit21.co,comandotorrents.com,onlystream.tv,watchxxxfreeinhd.com,5movies.cloud,telewizja-internetowa.pl,watchhowimetyourmother.online,indoxxi.center,wzayeef.com,ytmp3.mobi,mp4s.org,tamilmv.bid,streamloverx.com,is123moviesfree.com,putlocker.digital,01fmovies.com,123movies.gallery,123movies.gdn,123moviespro.net,1337x.unblock2.xyz,2movierulz.ac,animeheaven.es,bludv.tv,foxebook.net,kkiste.su,revivelink.com,seehd.ru,series9.to,short.pe,watchcartoonsonline.eu#%#//scriptlet("abort-on-property-read", "zfgformats")
+! other scriptlets
+watch-series.cc,33sk.tv#%#//scriptlet("abort-current-inline-script", "decodeURIComponent", "zfgloaded")
+bunkr-albums.io,darkino.online,allfansleak.net,getlec.blogspot.com#%#//scriptlet("abort-on-property-read", "zfgloadedpopup")
+! A new/different version of "zfgloaded" ads/popups
+! The same rule as above, but without hint. In case if scriptlet doesn't work in Firefox, for example due to race condition
+! #%#//scriptlet('abort-current-inline-script', 'String.fromCharCode', '/emZnbG9hZGVk|break;case \$\.|break;case \d{1}/')
+animeworld.*,mitaku.net,animesaturn.mx,harimanga.com,morganoperationface.com,timberwoodanotia.com,tvpclive.com,torrentmac.net,anime-sanka.com,comandotorrenthd.org,file4go.net,file4go.com,watchonlinemovies50.com.pk,kingurls.com,strcloud.*,lugatv.com,dailyuploads.net,naijaray.com.ng,multifaucet.org,pctmix1.com,vedbom.com,parisanime.com,otakufr.co,5movies.cloud,upbbom.com,r2sa.net,vidbm.com,movies2.com.pk,9putlocker.*,egydead.com,shrlink.top,mcrypto.club,downloadhub.kim,1-2-3movies.com,vidbeem.com,dlpsgame.*,123free.net,e123movies.com,warefree01.com,fileoops.com,vidbem.com,vidshar.net,pewgame.com,filmypur.info,filmy4wap1.*,movies4me.*,vipstand.se,cloudvideotv.stream,1080phds.com,123-watch.com,123moviesco.site,1kmovies.org,afilmyhouse.blogspot.com,antsmovies.com,maamusiq.com,movi.pk,thesouthflix.com,tnmoviez.net,akmm.linksme.xyz,moviesmon.cyou,linkshere.work,123movies.net,uploadev.org,nbaup.live,goalup.live,link.ltc24.com,moviedekho.in,vexfile.com,sports24.*,themovie123.org,dtefrc.online,batmanstream.*,manga.ae,pirlotvonlinehd.com,hinurls.cc,veopartidos.net,trans.firm.in,clipwatching.*,gdirect.site,linksmore.site,world4ufree.*,langitfilm.*,mydownloadtube.*,yifyhdtorrent.org,speedvideo.net,moviesub.is,animersindo.net,brbushare.xyz,1kmovies.*,7movies.com.pk,manhwa18.net,usagoals.*,ikindlebooks.com,zplayer.live,fffmovies.wtf,voody.online,watchserieshd.tv,gulf-up.com,ustream.to,drosbraift.com,thefitnesshints.com,streamsport.icu,hinlinks.club,gplinks.co,cloudvideo.tv,gogo-play.net,animeflvnet.com,animeflv.la,watchasian.cc,extreme-down.tv,mgnetu.com,vidnext.net,voe.sx,crownmakermacaronicism.com,vidsaver.net,repack-games.com,apkshrt.com,linkshorts.me,fusionmovies.to,gamepciso.com,100count.net,playerbiasa.xyz,akwams.*,videobin.co,bdupload.asia,indishare.org,livestreaming24.eu,ilinks.in,egybest.*,filmvilag.me,bitfly.io,revivelink.com,owllink.net,akwam.*,multicanais.com,upstream.to,easyload.io,readm.org,notube.net,gogo-stream.com,kissanime.nz,ouo.io,ffmovies.co,zone-annuaire.best,repackov.com,youdbox.com,putlocker.style,manhwa18.com,mangatx.com,playtube.ws,iir.ai,bolssc.com,linkjust1.com,fx4vip.com,mangazuki.online,exee.io,anonymous-links.com,doramasmp4.com,jkanime.net,pcgamez-download.com,flvto.biz#%#//scriptlet('abort-current-inline-script', 'String.fromCharCode', '/emZnbG9hZGVk|break;case \$\.|break;case \d{1}/')
+! #%#//scriptlet('abort-current-inline-script', 'document.documentElement', 'break;case $.')
+locatedinfain.com,dailytechs.shop,olalivehdplay.ru,streamhd247.info,soaper.tv#%#//scriptlet('abort-current-inline-script', 'document.documentElement', 'break;case $.')
+! #%#//scriptlet("abort-current-inline-script", "Math", "/emZnbG9hZGVk|break;case \$\./")
+myvidster.com,torrentmac.net,illink.net,skidrowcodex.net,melodelaa.link,1movies.life,soccermotor.com,bemovies.to,otomi-games.com,upfiles.io,cpm10.org,lookmovie.*,extramovies.*,asianload.cc,mylink.vc,streamani.net,rancah.com,strcloud.link,streamzz.*,pics4you.net,vcomic.net,maxitorrent.com,movieshub.top,pandrama.com,jkanime.net,m0vs4u.org,movs4u.*,vedsharr.com,vedpom.com,two.re,streamz.*,gomo.to,pewgame.com,dartsstream.me,golfstreams.me,motogpstream.me,ufcstream.me,boxingstreams.me,socceronline.me,rugbystreams.me,tennisstreams.me,nbastream.nu,mlbstream.me,game3rb.com,streamtape.*#%#//scriptlet("abort-current-inline-script", "Math", "/emZnbG9hZGVk|break;case \$\./")
+! #%#//scriptlet("abort-current-inline-script", "Promise", "delete window")
+vipbox.*,nolive.me,cat-a-cat.net,comando.to,gogoplay5.com,voirseries.io,seeeed.xyz,arabseed.*,crichd.*,mangadna.com,tomatomatela.com,akwam.*,megafilmeshd50.com,prmovies.ph,uploadrar.com,go-stream.site,mp3juice.info,gogoplay.*,freemoviesfull.com,nxbrew.com,stape.fun,gomovies.*,xsanime.com,rodanesia.com,gnula.nu,filmovi.co,123movies2022.org,thenetnaija.co,extralinks.*,4anime.gg,deportealdia.live,mangalek.com,skidrowcodex.net,katflys.com,watchonlinemovies50.com.pk,viprow.*,strikeout.*,emule-island.eu,hdfilme.cx,masteredutech.com,dl-protect.info,zone-telechargement.work,123moviesc.*,pahe.ph,adshort.*,nuroflix.club,mlsbd.shop,appvn.com,yifysubtitles.vip,oploverz.*,jkanime.net,tamilfreemp3songs.com,ostreaming.tv,govid.cyou,watchseries.*,romshub.com,mp3juices.cc,comedyshow.to,streamta.*,watchdoctorwhoonline.com,allinonedownloadzz.site,gdriveplayer.us,watchtheoffice.cc,watchcharmedonline.com,egyshare.cc,vidembed.*#%#//scriptlet("abort-current-inline-script", "Promise", "delete window")
+! #%#//scriptlet("abort-on-property-write", "zfgproxyhttp")
+nsw2u.*,cinema-3d.xyz,emovies.si,pkpakiplay.xyz,animeflv.ac,newsarena24h.com,hayalistic.com.tr,quest4play.xyz,1qwebplay.xyz,hdfungamezz.xyz,elgoles.pro,illink.net,lookmovie.ag#%#//scriptlet("abort-on-property-write", "zfgproxyhttp")
+! #%#//scriptlet("abort-current-inline-script", "Object.create", "break;case")
+watchseries.tube,chrisellisonllc.xyz,arcasiangrocer.store,hdfungamezz.xyz,rapelust.com#%#//scriptlet("abort-current-inline-script", "Object.create", "break;case")
+! #%#//scriptlet('abort-on-stack-trace', 'String.prototype.charAt', '$0')
+watchadsontape.com,advertisertape.com,nsw2u.*,tapeadvertisement.com,go-streamer.net,vgfplay.xyz,elbailedeltroleo.site,tioplayer.com,listeamed.net,adblockplustape.xyz,lol-foot.ru,coolrea.link,tapelovesads.org,bembed.net,fslinks.org,gettapeads.com,tapeadsenjoyer.com,embedv.net,vembed.net,vid-guard.com,noblocktape.com,antiadtape.com,lilymanga.net,hexupload.net,filepress.fun,apkmody.fun,daddylive.*#%#//scriptlet('abort-on-stack-trace', 'String.prototype.charAt', '$0')
+! #%#//scriptlet('abort-on-stack-trace', 'XMLHttpRequest', '/Te[\s\S]*?rr[\s\S]*?Xe/')
+nsw2u.*#%#//scriptlet('abort-on-stack-trace', 'XMLHttpRequest', '/Te[\s\S]*?rr[\s\S]*?Xe/')
+! #%#//scriptlet("prevent-setInterval", "[$."), #%#//scriptlet("prevent-setTimeout", "[$."), #%#//scriptlet("prevent-addEventListener", "", "[$.")
+antenasports.ru,dlhd.*,lewblivehdplay.ru,topcartoons.tv,hdtoday.tv,watchcartoononline.bz,hitsports.pro,chrisellisonllc.xyz,arcasiangrocer.store,1qwebplay.xyz,buffsports.me,itopmusic.com,projectfreetv.mx,streamsb.online,fstream365.com,holymanga.net,januflix.expert,mangareader.to,9animetv.to,rufiguta.com,buffsports.stream,moddroid.com,coolcast2.com,klmanga.*,manga1000.*,watchseries1.video,universanime.co,harimanga.com,theflixer.tv,gmanga.me,hentaizm.fun,apkmody.io,netcine.*,kick4ss.com,voirseries.io,mangatuli.com,theproxy.to,y2mate.com,pelismart.com,movies123.pk,manga-raw.club#%#//scriptlet("prevent-setInterval", "[$.")
+antenasports.ru,dlhd.*,lewblivehdplay.ru,topcartoons.tv,hdtoday.tv,watchcartoononline.bz,hitsports.pro,chrisellisonllc.xyz,arcasiangrocer.store,1qwebplay.xyz,buffsports.me,itopmusic.com,projectfreetv.mx,streamsb.online,fstream365.com,holymanga.net,januflix.expert,mangareader.to,9animetv.to,rufiguta.com,buffsports.stream,moddroid.com,coolcast2.com,klmanga.*,manga1000.*,watchseries1.video,universanime.co,harimanga.com,theflixer.tv,gmanga.me,hentaizm.fun,apkmody.io,netcine.*,kick4ss.com,voirseries.io,mangatuli.com,theproxy.to,y2mate.com,pelismart.com,movies123.pk,kickass.ws,kickass.love,kissanime.nz,repackov.com#%#//scriptlet("prevent-setTimeout", "[$.")
+antenasports.ru,dlhd.*,lewblivehdplay.ru,topcartoons.tv,hdtoday.tv,watchcartoononline.bz,hitsports.pro,chrisellisonllc.xyz,arcasiangrocer.store,1qwebplay.xyz,buffsports.me,itopmusic.com,projectfreetv.mx,streamsb.online,holymanga.net,januflix.expert,mangareader.to,9animetv.to,rufiguta.com,buffsports.stream,moddroid.com,coolcast2.com,klmanga.*,manga1000.*,watchseries1.video,universanime.co,harimanga.com,theflixer.tv,gmanga.me,hentaizm.fun,apkmody.io,netcine.*,ninjashare.to,kick4ss.com,voirseries.io,turkish123.com,mangatuli.com,theproxy.to,y2mate.com,pelismart.com,downloadingadda.com,hhdstreams.club,uhdstreams.club,beef1999.blogspot.com,movies123.pk,sportstreamtv.live,samehadaku.vip,kickass.ws,kickass.love,animafan.biz,manga-raw.club,kissanime.nz,repackov.com#%#//scriptlet("prevent-addEventListener", "", "[$.")
+! 28.01.22 Probably previous rules can be replaced by the rule below
+! It seems, this rule works on iOS(original - cannot)
+! #%#//scriptlet("abort-current-inline-script", "document.createElement", "delete window")
+dbsullca.com,bong.ink,crackstreams.dev,tutlehd4.com,topembed.pw,redditsoccerstream.online,fiveyardlab.com,xsportbox.com,theflixertv.to,linksly.co,anidl.org,hxfile.co,embedstream.me,up-load.one,aniworld.to,bclikeqt.com,serien.cam,190.115.18.20,pikafile.com,superfilmes.tv,gofilmes.me,warezcdn.com,gowatchseries.*,onlinevideoconverter.com,shadowrangers.live,serienstream.to,goyabu.com,190.115.18.20,tlin.me,databasegdriveplayer.*,mycima.wiki,watchomovies.*,stream-complet.biz,jujutsukaisenonline.net,hh3dhay.com,animesonehd.xyz,cinemakottaga.*,mangahere.today,manganatos.com,animepahe.*,moviesverse.*,tuktukcinema.co,playlist-youtu.be,pelishouse.me,polstream.live,messitv.net,tamilyogi.best,slink.bid,shavetape.*,imgbase.ru,klubsports.xyz,world4ufree1.*,birdurls.com,vhorizads.com,webhostingpost.com,simsdom.com,send.cm,sampledrive.in,telefullenvivo.com,futbolfullenvivo.com,streamtapeadblock.*,bflix.to,speedostream.com,yomovies.*,gum-gum-stream.com,9xmovie.click,acervofilmes.com,airportseirosafar.com,assistirseriados.net,cmp3.ru,filmovi.ws,gentlewasher.com,mobilephonedir.com,mobiro.org,mp3-gratis.it,mp3-vk.ru,peliculontube.net,putlocker68.com,rojadirectahd.online,serijefilmovi.com,stickerdeals.net,thingstomen.com,u123movies.com,vbox7-mp3.info,vkmp3s.ru,zeidgh.com,fanproj.net,getmega.net,mobdropro.com,askim-bg.com,comofuncionaque.com,hdzone.org,hwnaturkya.com,i123movies.net,ibrasoftware.com,mega-mkv.com,nosong.ru,onlinesubtitrat.com,vkmp3.*,needrombd.com,e123movies.com,vudeo.io,gogoplay4.com,4anime.biz,crystal-launcher.net,crystal-launcher.pl,streamz.ws,animefreak.*,streaming-french.com,watchserieshd.*,lrepacks.net,animeonline.ninja,ssoap2day.*,bmovies.*,techgeek.digital,hurawatch.*,jujutsukaisen-manga.online,pelismart.com,pelismarthd.com,up-load.io,cima-club.*,repelis.in,yesmovies.*,a123movies.net,adblockstrtape.link,adblockstrtech.link,yodbox.com,vidoo.org,gomoviefree.*,bdnewszh.com,mangceh.cc,extreme-down.plus,mcubd.host,noob4cast.com,cricplay2.xyz,nba-streams.online,mangasco.com,masengwa.com,adblockstreamtape.*,lucaphim.com,hurawatch.at,tainio-mania.online,vipboxtv.*,upbam.org,myviid.com,vidbam.org,stardima.net,stardima.com,unblockedsites.net,serieskao.*,dartsstream.me,golfstreams.me,motogpstream.me,rugbystreams.me,socceronline.me,tennisstreams.me,boxingstreams.me,ufcstream.me,mlbstream.me,nbastream.nu,divicast.com,uploadflix.org,gdriveplayer.to,lookmoviess.com,beinmatch.*,imgdawgknuttz.com,tv.hd44.net,123-movies.*,dramacool.*,vanime.co,kiss-anime.*,s4p2.shingekinokyojin.tv,okanime.tv,wat32.tv,eplayvid.*,tvply.me,projectfreetv2.com,faselhd.*,123movie.*,mycima.ink,nocensor.*,shahed4u.*,animeunity.tv,series9.me,mp4upload.com,fmovies.*#%#//scriptlet("abort-current-inline-script", "document.createElement", "delete window")
+! Do not add new domains, if the rule above works.
+! clickunder - {delete window[$.g] (similar to 'zfgloaded')
+! #%#//scriptlet("abort-current-inline-script", "Math", "delete window")
+worldsports.me,kenitv.me,sportsonline.*,mkvhub.*,octanime.net,mangastream.mobi,unblocksite.pw,try2link.com,ytmp3.cc,1link.club,123moviesprime.com,attvideo.com,baixartorrents.org,userscloud.com,ssrmovies.world,yomovies1.xyz,ymovies.vip,194.163.183.129,asianload1.com,tny.so,fbstream.me,leechpremium.link,pelisplus.*,kissanimee.ru,sbplay.*,zone-annuaire.work,citpekalongan.com,mailnesia.com,repack-games.com,movizland.top,racaty.net,club-vinyl.ru,naijal.com,recetas.arrozconleche.info,vibehubs.com,1stkissmanga.com,bukatoko.my.id,fitasdeled.com,9anime.*,simpledownload.net,1mlsbd.com,ogario.ovh,mp3fusion.net,8-ball-magic.com,pelisstar.com,tajpoint.com,youtubetoany.com,strtapeadblock.me,atdhe.pro,filme-bune.biz,musiklip.ru,phc.web.id,web.livecricket.is,cydiasources.net,insurancebillpayment.net,mobilemovies.info,mp3cristianos.net,simonetwealth.net,livesport24.net,nullpk.com,empireg.ru,canonprintersdrivers.com,mega-p2p.net,1234movies.show,fakaza.com,moviesonline.fm,readingbd.com,subtitlecat.com,wifi4games.com,watchopm.net,xmovies.is,filmesonlinex.co,hwnaturkya.com,247movie.net,cinema.cimatna.com,crackevil.com,foreverwallpapers.com,neomovies.net,rojadirecta.global,uppboom.com,appsfree4u.com,bengalisite.com,beastlyprints.com,briefwatch.com,ch-play.com,clickforhire.com,dailyinsta.xyz,dtmaga.com,jewelry.com.my,johnwardflighttraining.com,kabarportal.com,lespassionsdechinouk.com,livestreamtv.pk,myfernweh.com,orangeink.pk,osoft.xyz,serijehaha.com,shrugemojis.com,talaba.su,tatabrada.tv,thetechzone.online,thripy.com,turcasmania.com,urdubolo.pk,comandotorrentshds.org,123movies-official.site,123moviesg.com,watchseri.net,123moviesmix.com,filmyone.com,123fox.net,123hbo.com,8putlocker.com,123gostream.fun,01234movies.email,123movies4up.com,123pirate.com,gogoanimes.*,py.md,arnaqueinternet.com,ate9ni.com,elevationmap.net,hahasports.co,hd44.com,kurdmovie.net,linkotes.com,linksdegrupos.com.br,mettablog.com,mozkra.com,naijahits.com,nbch.com.ar,onlineproxy.eu,pagodesparabaixar.org,romfast.com,stalkface.com,theismailiusa.org,viralitytoday.com,xxxwebdlxxx.top,fulltube.online,mangareader.site,tei.ai,gamato3.com,updatesmovie.xyz,watchsao.tv,haikyuu3.com,watchnoblesse.com,watchdrstone.com,demonslayeranime.com,watchblackclover.com,watchoverlord2.com,watchrezero2.com,123movies.net,hdmo.tv,comandotorrents.org,avimobilemovies.net,claimcrypto.cc,stream2watch.*,jackstreams.com,jetanimes.com,hdmoviehubs.in,earncoin.site,animefenix.com,9xmovies.*,freemovies4u.xyz,leermanga.xyz,extreme-down.video,series9.ac,liveonscore.tv,files.im,1primewire.com,animafan.biz,gdriveplayer.io,fitgirlrepacks.co,tii.ai,hakie.net,vidcloud9.com,watchseries.movie,xcine.tv,xsanime.com,icouchtuner.club,file-upload.com,shugraithou.com,gameslay.net,www.4bac.ro,www.spyloaded.net,skyshutter.com,hasi-thate.com,wordandobject.com,xsanime.com,try2link.com,uploadrar.com,theproxy.app,japscan.ws,123moviesgo.*,beinmatchtv.tv,janjua.tv,vidembed.*,animehay.tv#%#//scriptlet("abort-current-inline-script", "Math", "delete window")
+! 11.04.22 - new variant(Probably 'delete window' in actual rule can be replaced by 'break;case')
+! #%#//scriptlet("abort-current-inline-script", "document.createElement", "break;case $.")
+cinema-3d.xyz,emovies.si,animeflv.ac,hayalistic.com.tr,swiftload.io,teamoney.site,nossoprato.online,noxscans.com,movieshubweb.com,dattebayo-br.com,caroloportunidades.com.br,superembeds.com,kenitv.me,vidsrc2.*,lrepacks.net,totalsportek.pro,1ststream.shop,olalivehdplay.ru,vivosoccer.xyz,noromax.my.id,gdflix.cfd,pahe.plus,qqwebplay.xyz,lookmovie2.to,hdtodayz.to,xn--algododoce-j5a.com,uqload.ws,gdrivelatino.net,bakashi.tv,ads.dblink.us,0123movies.live,myflixer.is,ogladajanime.pl,moviesnation.win,9anime.pe,movies4u.*,mp3.pm,vudeo.ws,hdtoday.cc,viwlivehdplay.ru,putlocker.vip,itopmusics.com,streamed.su,libre.futbol,topcartoons.tv,hdtoday.tv,japscan.lol,watchcartoononline.bz,hitsports.pro,chrisellisonllc.xyz,arcasiangrocer.store,1qwebplay.xyz,faselhds.*,faselhdwatch.*,dlhd.so,lewblivehdplay.ru,mlwbd.*,file-upload.org,androidonepro.com,gdrivelatinohd.net,cineplus123.org,nxbrew.com,cinemitas.org,onepiecepower.com,fstream365.com,gidplayer.online,rahim-soft.com,downarchive.org,cricstream.me,olympicstreams.*,streambtw.com,buffsports.me,smashy.stream,movieuniverse.li,kisscartoon.sh,ridomovies.tv,filecrypt.*,arcasiangrocer.store,faselhd-watch.shop,bongsport.com,chatgptchatapp.com,mywatchseries.cyou,telepisodes.org,yuramanga.my.id,bongsports.stream,redditsoccerstream.online,myflixertv.to,footybite.to,flixhq.to,freetvspor.lol,furher.in,yu2be.com,lulustream.com,f1box.me,mlbbox.me,mlbbox.me,mmastreams.me,nbabox.me,nflbox.me,nhlbox.me,tennisonline.me,veev.to,projectfreetv.cyou,16bit.pl,majorscans.com,hianime.to,theflixertv.to,hdtoday.to,filecrypt.co,d000d.com,anitaku.to,luluvdo.com,mangasusuku.xyz,animetak.top,animtap.shop,uqload.to,d0000d.com,cocolamanhua.com,soccerinhd.com,limpaso.com,harryaudiobooks.net,do0od.com,mangaokutr.com,coolrea.link,aniwatchtv.to,faselhd-embed.scdns.io,tranimaci.*,online-filmek.ac,uzaymanga.com,yeppuu.com,afroditscans.com,ruya-manga.com,forum.release-apk.com,kkiste.tel,filmesonlinexhd.biz,stbemucode.com,megacloud.tv,aniwatch.to,likemanga.io,freewsad.com,mangareader.to,ds2play.com,french-stream.moe,shinden.pl,online-filmek.me,myflixerz.to,webdramaturkey.com,watchop.live,streamvid.net,embed4u.xyz,akw.cam,vidstream.pro,dlhd.*,swatchseries.is,foot2live.cc,exego.app,doods.pro,animeunity.to,bolly2tolly.wiki,serielatinobobesponja.com,fakedetail.com,gotaku1.com,exeo.app,temps-mail.com,uqload.io,playertv.net,mega4upload.com,123chill.to,lilymanga.net,hexupload.net,ak.sv,animeunity.cc,9animetv.to,akw-cdn1.link,ssyoutube.com,stakes100.xyz,arb-softwares.com,up-4ever.net,youpit.xyz,tapewithadblock.org,leercapitulo.com,projectlive.info,piraproxy.page,animerigel.com,goku.sx,dooood.com,solarmovies.video,watchtvseries.bz,dopebox.to,jockantv.com,niadd.com,bflix.gg,mgnetu.com,streamlord.com,streamcloud.*,ak4ar.*,seegames.xyz,hinatasoul.com,mundoprogramas.net,animeblkom.net,akw.to,xn--mgba7fjn.*,f123movies.com,flexyhit.com,vipleague.*,seufilme.net,ak4eg.*,atglinks.com,torrentdosfilmes.se,instamod.net,khsm.io,eurekaddl.mom,bacakomik.co,crackstreams.*,shahiid-anime.net,uqload.co,series4pack.com,iptvxtreamcode.blogspot.com,sportcast.life,henaojara2.com,youtubevanced.com,hesgoals.top,gameshdlive.xyz,worldstreams.watch,skincarie.com,financerites.com,watchseries1.video,universanime.co,cimaa4u.*,torrentmac.net,shaheed4u.*,nolive.me,govad.xyz,vidshar.org,vadbam.com,myoplay.club,yt-download.org,animefenix.tv,123ecast.me,gocast123.me,comando.la,gocast2.com,manga1001.su,gogohd.net,viprow.nu,kickassanime.ro,exee.app,fmoviefree.net,exep.app,myoplay.club,betteranime.net,asianplay.*,charexempire.com,kat.mn,footyhunter3.xyz,vumoo.to,exe.app,sports-stream.*,theflixer.tv,mrpcgamer.co,crackstreamshd.click,komikindo.id,sockshare1.com,liveply.me,daddylivehd.*,bakotv.com,sflix.se,boost.ink,animehditalia.it,720pstream.me,adslink.pw,vipbox.*,eio.io,cuevana3.*,mangapt.com,wupfile.com,uqload.com,turkish123.com,pelisplus.uproxy.page,waploaded.com,streamsport.*,animesup.*,kingdomfiles.com,forex-trnd.com,allosoccer.com,mangarawjp.*,novelroom.net,jkanime.video,bitcomarket.net,ngomik.net,pelismartv.com,yseries.tv,hds-streaming-hd.com,exey.io,hh3dhay.xyz,roms-download.com,freeromsdownload.com,roms-hub.com,animesultra.com,anime-sanka.com,animes.vision,vudeo.net,animeflv.cc,tinymkv.net,milfzr.com,miraculous.to,uploadmaza.com,uptomega.me,9tsu.*,pelispoptv.com,kissmovies.io,mangaraw.*,starlive.xyz,123moviesfree.*,filmvilag.me,voiranime.stream,putlockers.*,gdplayer.*,cool-etv.net,fmovies2.cx,modsfire.com,atomohd.*,ouo.press,yugen.to,buffstreams.*,apkmody.io,mycima.cloud,couchtuner.show,kimoitv.com,gdtot.*,cuevanahd.net,anavidz.com,2embed.*,armagedomfilmes.top,movieskafanda.xyz,streamingcommunity.*,s.to,atomixhq.*,anitube.*,ymovies.to,manhuascan.*,dembed1.com,file4go.net,file4go.com,hothit.me,sflix.to,animesanka.*,cima4u.*,shrink.*,divicast.com,manhwa68.com,filma24.*,mp3yeni.org,upload-4ever.com,futebolplayhd.com,witanime.com,thetodaypost.com,hentaizm.fun,hitmovies4u.com,embedflix.net,moviesjoy.*,animespank.com,hhdmovies.*,short.katflys.com,hindilinks4u.*,topflix.*,flixtor.gg,upvid.*,mangas-raw.com,bbb.fm,clipconverter.cc,megafilmeshd20.pro,watchseries.*,animesonline.cz,superflix.*,kick4ss.com,jpscan-vf.com,rawkuma.com,pobreflix.top,losmovies.*,123movieshub.*,seriesflix.top,intereseducation.com,vizer.re,123movies-official.site,querofilmehd.*,gogoanime.*,animixplay.to,dood.yt,dood.re,dood.wf,dood.la,dood.pm,dood.so,dood.to,dood.watch,dood.ws,anime4up.*,watchmovie.*,myflixer.*,pahe.li,filmyzilla.*,megafilmeseseriesonline.com#%#//scriptlet("abort-current-inline-script", "document.createElement", "break;case $.")
+! In some cases it causes that embedded video player doesn't work when third-party cookies are blocked, for example - https://github.com/AdguardTeam/AdguardFilters/issues/114074 and https://github.com/AdguardTeam/AdguardFilters/issues/111455
+! It seems that popunder script is deleting window.localStorage and overwriting it if there is no access to localStorage, rule below does something similar, so it's not needed to allow third-party cookies
+p-api.c19.space,databasegdriveplayer.xyz,vidsrc.*,vido.*,sendvid.com,uptostream.com,animeid.to,mcloud.to,uploadrar.com,gogoplay1.com,gogoplay2.com,membed.net,goload.*#%#(()=>{if(window.self!==window.top)try{if("object"==typeof localStorage)return}catch(a){delete window.localStorage,window.localStorage={setItem(){},getItem(){},removeItem(){},clear(){}}}})();
+p-api.c19.space,databasegdriveplayer.xyz,vidsrc.*,vido.*,sendvid.com,uptostream.com,animeid.to,mcloud.to,uploadrar.com,gogoplay1.com,gogoplay2.com,membed.net,goload.*#%#//scriptlet("abort-current-inline-script", "document.createElement", "break;case $.")
+!
+! FastPops
+sleazyneasy.com,watchfree.to,vidbull.com#%#if (typeof localStorage != 'undefined' && localStorage.setItem) { localStorage.setItem('InfNumFastPops', '1'); }
+sleazyneasy.com,watchfree.to,vidbull.com#%#if (typeof localStorage != 'undefined' && localStorage.setItem) { localStorage.setItem('InfNumFastPopsExpire', new Date(new Date().setYear(2020))); }
+!
+! FastPop rule not working in this case
+! popMagic ("var adConfig")
+! #%#//scriptlet('prevent-addEventListener', 'click', 'popMagic')
+javfull.net,gaystream.click,lover934.net,gay-streaming.com,gayteam.club,fullporner.com,hitomi.la,kemono.su,hentaila.com,porno90.online,mrdeepfakes.com,youxxx.cc,xmateur.com,upskirt.tv,xkeezmovies.com,bunkr.*,bestgirlsexy.com,mairimashitairuma-kun.com,sundukporno.video,pornoxata.net,pornososalka.org,simpcity.su,prothots.com,hotleak.vip,thotslife.com,hentaiteca.net,tktube.com,hitomi.la,hentai-share.one,gaypornhdfree.com,pornognomik.info,gifcandy.net,desijugar.net,manhwas.net,bondagevalley.cc,hachiraw.net,hiperdex.com,thekingofcave.com,fitnakedgirls.com,cutiecomics.com,javroi.com,hentaihaven.red,fap16.net,hcbdsm.com,pervertium.com,kissjav.com,herexxx.com,gayxx.net,meumundogay.net,drochka.vip,pornfuzzy.com,archivebate.com,hdgay.net,ebooxa.com,pornborne.com,iceporn.tv,house.porn,givemeaporn.com,rule34.paheal.net,pornvibe.org,gaystream.pw,gayforfans.com,kissjav.li,watchporninpublic.com,deepfakeporn.net,deepfakesporn.com,simpcity.su,freepublicporn.com,kubo-san.com,dandadanmanga.org,xnxx.fit,pornhd.porn,javjavhd.com,hentai-ani.me,porn3dx.com,rule34porn.net,porngrey.com,javvideoporn.com,hentaiyes.com,gayfor.us,r18hd.com,picyield.com,pictwn.com,pornrewind.com,dewimg.com,outletpic.com,tezzpic.com,meetimgz.com,sex-pornuha.com,tioanime.com,watchhentai.net,sexbixbox.com,pornopuk.com,holaporno.xxx,leaktube.org,tryboobs.com,holaporno.xxx,x18.xxx,javmobile.net,javdoge.com,javstor.com,jav101.online,javcensored.net,javbake.com,javtsunami.com,jpvhub.com,freepornhdonlinegay.com,torrentgalaxy.to,javuncensored.watch,javporn.tv,javneon.tv,hero-porn.com,drochka.me,bdsmstreak.com,gaymaletubes.*,kr18plus.com,japteenx.com,javenspanish.com,jav-asia.top,webtoonscan.com,javideo.net,javf.net,hentaihd.xyz,pornktube.tv,vipornia.com,dailyporn.club,hentai2read.com,hentai2w.com,domahatv.com,domaha.tv,movies.meetdownload.com,cocomanga.com,javraveclub.com,yesvids.com,videovak.com,tubxporn.xxx,fivestarpornsites.com,5moviesporn.net,pusatporn18.com,povaddict.com,zetporn.com,pornxxxxtube.net,dailyjav.co,reifporn.de,filmindir.site,javtiful.com,lewdweb.net,redwap.me,redwap2.com,redwap3.com,javpornfull.com,mp4porn.space,mobileporn.cam,mangahub.io,mejortorrents1.*,mrcong.com,icyporno.com,31vakti.*,3prn.com,493428493428c.monster,8muses.xxx,aagmaal.com,ablefast.com,aii.sh,al4a.com,amateurporn.me,animeindo.cc,animeindo.fun,animeindo.to,animeon.moe,anysex.com,assesphoto.com,bangx.org,bestporncomix.com,biguz.net,birdurls.com,bitearns.com,bitfly.io,blowxtube.com,boobshere.com,boobsnbuns.com,boolwowgirls.com,camarchive.tv,camcam.cc,celebsepna.com,cerdas.com,clicporn.com,cryptoads.space,daftsex.org,ehotpics.com,ero18.cc,exe.app,fastpic.ru,fastpic.org,fc.lc,felizporno.com,fetish-bb.com,fileone.tv,filman.cc,freepornxxxhd.com,ftopx.com,gaypornlove.net,get-to.link,gigmature.com,gntai.net,gotporn.com,haho.moe,hdpicsx.com,hentaiarena.com,hentaicore.org,hentaienglish.com,hentaiporno.xxx,hentaisea.com,highporn.net,homeporn.tv,horrortube.fun,hotpornfile.org,huyamba.tv,iir.ai,imgbaron.com,imgdew.com,imgrock.net,imgtown.net,javbangers.com,javbix.com,javfun.me,javix.net,javnew.net,javrave.club,juicygif.com,kenzato.uk,kiaporn.com,kiminime.com,klikmanga.com,kropic.com,lesbian8.com,lesboluvin.com,letsjerk.is,lewdweb.net,likuoo.video,linkurl.me,m-hentai.net,mangamovil.net,milftoon.xxx,multporn.net,mycumx.com,myporntape.com,myreadingmanga.info,nesaporn.com,netfapx.com,nightlifeporn.com,novojoy.com,novoporn.com,nsfw247.to,nudebeachpussy.com,ohmanhua.com,ok.xxx,onemanhua.com,otube.pl,owllink.net,perfectgirls.net,picbaron.com,plusone8.com,pornchimp.com,pornditt.com,pornhat.*,pornhd.com,pornhd8k.net,pornkino.cc,pornktube.porn,pornky.com,pornleech.io,pornoakt.*,pornone.com,pornopicshub.com,pornovideoshub.com,primewire.li,prostream.to,rapidzona.tv,repicsx.com,rule34hentai.net,saradahentai.com,savelink.site,shelovesporn.com,short.croclix.me,stileproject.com,sunporno.com,taxi69.com,teenskitten.com,thehentaiworld.com,thepiratebay.org,thisvid.com,tii.ai,tmohentai.com,topsitestreaming.info,tubxporn.com,tubxxporn.com,tuhentaionline.com,uflash.tv,uncensoredleak.com,up-load.io,upicsz.com,ver-comics-porno.com,ver-mangas-porno.com,videosection.com,vidspace.io,watchfreenet.org,webcamshows.org,wetpussy.sexy,xanimeporn.com,xkeezmovies.com,xlecx.org,xmoviesforyou.net,xpicse.com,xpornzo.com,xsexpics.com,xxxhardcoretube.com,xxxmaturevideos.com,xxxrapid.com,xxxtor.com#%#//scriptlet('prevent-addEventListener', 'click', 'popMagic')
+! popMagic - another variants
+! #%#//scriptlet("abort-on-property-write", "adConfig")
+4kporn.xxx,technoob.info,crazyporn.xxx#%#//scriptlet("abort-on-property-write", "adConfig")
+! #%#//scriptlet("prevent-addEventListener", "load", "popMagic")
+faptube.com,gotxx.net,javmilf.xyz,redtub.club,spermogon.com,pornopics.site,men4menporn.eu,gayzerhd.club,hdporn-movies.com,pornpapa.com,gettubetv.com,crownimg.com#%#//scriptlet("prevent-addEventListener", "load", "popMagic")
+! #%#//scriptlet("abort-current-inline-script", "document.cookie", "popMagic")
+veryfreeporn.com,titshub.com,nsfwmonster.com,bustybloom.com,viralxvideos.es#%#//scriptlet("abort-current-inline-script", "document.cookie", "popMagic")
+! #%#//scriptlet('abort-current-inline-script', 'document.querySelectorAll', 'popMagic')
+javcl.com,trannyline.com,shemaletoonsex.com,coomer.su,javheroine.com,xn--algododoce-j5a.com,boysxclusive.com,hentaidays.com,otakuraw.net,freegayporn.me,mangarawjp.asia,lewdcorner.com,jojolandsmanga.com,bestgirlsexy.com,isekaitube.com,hentai-for.net,hentaicity.com,4fans.gay,daemonanime.net,daemon-hentai.com,gayboystube.top,camgirls.casa,boystube.link,recordbate.com,pornheal.com,jpg2.su,overhentai.net,kawai.pics,hentaiteca.net,amateurporn.co,freepdfcomic.com,iusedtobeaboss.com,cpasmieux.homes,str8ongay.com,influencersgonewild.com,wowxxxtube.com,arcjav.com,gaypornhot.com,javprime.net,cdimg.blog.2nt.com,adultporn.com.es,thaihotmodels.com,asiaontop.com,nukedfans.com,erogarga.com,zonavideosx.com,manga18.club,mlookalporno.com,imagetwist.netlify.app,adslink.pw,fapdrop.com,manhwas.men,krx18.com,javstream.com,javtv.to,thekingofcave.com,dataporn.pro,sexvideos.host,arabxforum.com,porncomics.to,xforum.live,animetoast.cc,netfuck.net,javbob.co,eahentai.com,a-hentai.tv,deepfucks.com,tokyomotion.com,pornxp.org,manga-scantrad.io,fetishburg.com,560pmovie.com,pianmanga.me,secondcomingofgluttony.com,hentaipins.com,manhwascan.net,micmicidol.club,buondua.com,mrjav.net,seriesyonkis.cx,pornxp.com,iceporn.tv,house.porn,xfantazy.org,otomi-games.com,animeshouse.net,severeporn.com,cosxplay.com,turbogvideos.com,bigwank.tv,lubedk.com,ibecamethewifeofthemalelead.com,watchfreekav.com,freeomovie.to,darknessporn.com,pisshamster.com,punishworld.com,jizz.us,spycock.com,pvip.gratis,iporntoo.com,milfzr.com,xanimu.com,hentaiprn.com,jav.monster,javmovieporn.com,tabooporn.tv,scat.gold,bootyexpo.net,webcams.casa,aav.digital,sfmcompile.club,hanime.space,javhd.icu,porn78.info,eroti.ga,3dhentai.club,mangahatachi.com,dbs-manga.online,pussymaturephoto.com,porn00.org,javbull.tv,javpro.cc,saint.to,7mmtv.sx,exee.app,asianpornfilms.com,toon69.com,exep.app,milf300.com,porntrex.pro,hentaiworld.tv,cat3movie.org,desisexmasala.com,tokyomotion.net,onejav.online,thothd.com,mushoku-tensei.online,1piece.online,arifuretamanga.online,bermanga.online,blacksummoner.online,callofnight.com,classroomofelite.online,danmachimanga.com,dr-stone.org,hxmanga.com,isekaimeikyuudeharem.com,kimetsu.online,komi-san.net,madeinabyssmanga.online,opomanga.com,overlordmanga.org,readchainsaw.online,rentagirlfriendmanga.online,unceleb.com,pornwatchers.com,xxxfiles.com,ilikecomix.com,glavmatures.com,bjhub.me,micmicidol.com,uporn.icu,hentai3z.com,mangadass.com,gayfor.us,gaygo.tv,spy-x-family.online,onepiece-manga-online.net,besthdgayporn.com,risefromrubble.com,hentaisenpai.*,hentai-senpai.*,tomb-raider-king.com,arabxd.com,gay-tubes.cc,pornken.com,eshentai.tv,javsaga.ninja,tojav.net,kill-the-hero.com,animesex.me,caitlin.top,nhentai.*,readfireforce.com,solomax-levelnewbie.online,pornblade.com,pornfelix.com,meetdownload.com,waploaded.com,sekaikomik.live,supremebabes.com,watchfreejavonline.co,javfullmovie.com,animeidhentai.com,hentai.tv,hentaihaven.com,mypornhere.com,latino69.fun,japaneseasmr.com,chinesesexmovie.net,sexoverdose.com,hentai-cosplays.com,cervezaporno.com,csrevo.com,jav.one,scatkings.com,familyporner.com,pornhub-teen.com,hentaila.com,javxxxporn.com,urgayporn.com,manhwaid.org,bestpornflix.com,4porn4.com,nudevista.com,mangadna.com,porn77.info,tittykings.com,videojav.com,returnofthedisasterclasshero.com,beginningmanga.com,hqpornero.com,hentaiasmr.moe,porner.tv,pornmonde.com,latinohentai.com,tokyorevengersmanga.com,sankakucomplex.com,porntry.com,sexkbj.com,ho6ho.com,madouqu.com,gifhq.com,comicsporno.xxx,filmstreamy.com,turboimagehost.com,ibomma.*,javhoho.com,hentai-asia.com,gotxx.com,camgreat.com,bigwank.com,frprn.com,alotporn.com,sexmutant.com,pornpaw.com,asiaon.top,daftporn.com,fapguru.com,jav-torrent.org,xvideis.cc,cfake.com,hentaibros.com,beemtube.com,ahentai.top,manhwa18.cc,poseidonhd.in,milkporntube.com,pissingporn.com,xemales.com,grigtube.com,b4watch.com,freshscat.com,megapornfreehd.com,sexyhive.com,darkleia.com,pornrabbit.com,hentai20.com,javmoviexxx.com,xszav.club,85tube.com,fapnado.com,videosputas.xxx,animecast.net,pornsai.com,nuoga.eu,trahodom.com,pixl.is,xxu.mobi,sextubefun.com,everia.club,xanimehub.com,pinsexygirls.com,xfreehd.com,descargaranimes.com,celebwhore.com,hitprn.com,porno-japones.top,sexpuss.org,simply-hentai.com,javmobile.net,film1k.com,vcp.xxx,vermangasporno.com,y-porn.com,yporn.tv,japanxxxmovie.com,sexpox.com,xxr.mobi,nsfwalbum.com,javhun.com,solarmovie.*,gay4porn.com,short.croclix.me,cc-comic.com,pictoa.com,pinayvids.com,pasend.*,manyakan.com,jujmanga.com,hmanga.asia,mypornstarbook.net,xfreepornsite.com,hentaitk.net,anybunny.com,celebsnudeworld.com,pornbox.cc,pornhex.com,xxxhub.cc,zthots.com,cartoon.porn,fapcat.com,porn88.org,westmanga.info,ggbases.com,manga18fx.com,watchseries.video,pixhost.to,cine-calidad.*,womennaked.net,theyarehuge.com,animejpg.com,ytanime.tv,hanimesubth.com,sitarchive.com,mangaonline.fun,folgenporno.com,toonanime.co,uniqueten.net,subdivx.com,celebritynakeds.com,ffjav.com,hotntubes.com,ibradome.com,hornyfanz.com,javmelon.com,pornchimp.com,mangamovil.net,exe.app,bitfly.io,bustybloom.com,hentaienglish.com,hentaiporno.xxx,jav380.com,savelink.site,tuhentaionline.com,animeon.moe,javix.net,pornone.com,hentaiarena.com,saradahentai.com,aagmaal.com,plusone8.com,perfectgirls.net,animeindo.cc,xmoviesforyou.net,xlecx.org,multporn.net,filman.cc,31vakti.*,watchfreenet.org,up-load.io,linkurl.me,camarchive.tv,cryptoads.space,savelink.site,short.croclix.me,primewire.li,fc.lc,xxxrapid.com,kropic.com,kenzato.uk,animeindo.fun,tii.ai,klikmanga.com,nsfw247.to,javrave.club,thepiratebay.org,taxi69.com,uflash.tv,pornditt.com,topsitestreaming.info,imgrock.net,fetish-bb.com,ero18.cc,hentaicore.org,stileproject.com,fileone.tv,rapidzona.tv,xxxtor.com,pornovideoshub.com,rule34hentai.net,haho.moe,kiminime.com,teenskitten.com,pornleech.io,javnew.net,birdurls.com,vidspace.io,hentaihand.com,prostream.to,ftopx.com,thehentaiworld.com,myreadingmanga.info,imgtown.net,imgbaron.com,bitearns.com,owllink.net,get-to.link,animeindo.to#%#//scriptlet('abort-current-inline-script', 'document.querySelectorAll', 'popMagic')
+!
+! 'popit' (in general it is popular on fake NSFW sites, and prevets to close a tab)
+xxxvideos.ink,alohatube.xyz,xxxstreams.org,24animeporn.com,3dhentaicomics.com,3dpornpics.pro,3dsex.pics,3dsexcomics.pro,3dsexpictures.net,3xcuties.com,41tube.com,4maturesex.com,4xxxtube.com,6asianporn.com,6bdsmporn.com,6gayvideos.com,6indianxxx.com,6japaneseporn.com,6lesbianporn.com,6maturesex.com,6maturetube.com,6momporn.com,6sextube.com,6xxxvideos.com,8xxxvideos.com,adultvideotop.com,alfabbwporn.com,alfablackporn.com,alfahairyporn.com,alfavoyeurporn.com,allbesthairy.com,allbondagetube.com,allmomsex.com,allretrotube.com,allsexhub.com,alohaxxxsex.com,alsobdsmporn.com,alsoporn.com,alsovintagetube.com,alsoxxxshemales.com,amateurfreetube.com,amateurgirllab.com,amateurpussyass.com,amateursexbox.com,amazingvintagesex.com,animeporn.pro,animepornxxx.com,animesex.pro,animesexclip.com,animexxxsex.com,anudeart.com,anyindianporn.com,anylesbiansex.com,anymilfporn.com,anyxxxanime.com,asia-xxx.net,asianasssex.com,asianpornfuck.com,asiansexcilps.com,asiansexmov.com,asiansextube.me,asiantube.xyz,asianxxxass.com,asianxxxmovs.com,asiaxxxmovies.com,azpornvideos.com,bbwsexporn.com,bbwxxxclips.com,bdsmporn.club,bdsmsex.pro,bdsmsexxxx.com,bdsmxxxmovies.com,bdsmxxxtubes.com,beautymaturegirl.com,beeg-videos.net,beegvideoz.com,bestindiansex.com,bestlesbiantube.com,bestmilfpussy.com,bestsexhub.com,betavintageporn.com,bigbbwporn.com,bigindiansex.com,bigjapanesesex.com,bigsexhub.com,bigtitsmix.com,bigtitsslutspics.com,bigvintageporn.com,bigyoungsex.com,bitchmomporn.com,blacksex.me,blackteenpictures.com,blacktube.pro,blackzaur.com,bobmovs.com,bondagepornsex.com,bondagesexfilms.com,bondagesexporn.com,bustyhornypics.com,bustymompics.com,cartoonsexcomix.com,cartoonxxxcomix.com,checklesbianporn.com,chinatownav.com,classicpussyporn.com,classymomsex.com,coolasianporn.com,cougarpornpics.net,coxyteens.com,cupidonmilf.com,curvyteenpics.com,daindianporn.com,dapornvideos.com,desipornfilm.com,desipornfilms.com,desipornxxx.com,desisexfilms.com,desixxxporn.com,dirtyindiansex.com,domilfsex.com,doretrosex.com,doxxxindians.com,easyteensex.com,ebonypornsex.com,ebonysexporn.com,ebonyteenpictures.com,ebonytube.pro,ebonytube.video,elitelesbianporn.com,enjoyasianporn.com,enterjapaneseporn.com,eroticartlab.com,eroticgirlbox.com,everyamateurteen.com,everyhairypussy.com,extraindiansex.com,extrajapaneseporn.com,extrateensex.com,exvintagetube.com,family-sex.biz,fantasticxxxteen.com,fantasticyoungporn.com,fapporn.me,fastteenporn.com,fastteensex.com,fastvintageporn.com,fatporn.pro,fatsexfilms.com,favteenporn.com,finehub.com,firstasianpussy.com,firstasiansex.com,firstvintageporn.com,firstyoungporn.com,foxsexvideos.com,free-xhamster.com,free-xxx-free.com,freegayxxxtube.com,freekinkysex.net,freemomxxxtube.com,freerealvideo.com,freesexpics.pro,freexxxteeny.com,freeyoungvideos.com,freshamateursex.com,freshsexonly.com,fuckgayporn.com,fuckhairytube.com,fuckindianporn.com,fuckindianpussy.com,fuckmaturesex.com,fuckmaturevideos.com,fuckretrotube.com,fucksexhub.com,fuckteenclips.com,fuckteenvids.com,fucktube.me,fuckvintageporn.com,fuckyoungsex.com,fullasiantube.com,fullindiansex.com,fulljapanesetube.com,fullporn.pro,fullshemaletube.com,fullteenporn.com,fullxhamster.com,gaycockfilms.com,gaydickvideos.com,gayfuckass.com,gaymenboy.com,gayporn.pro,gaytube.pro,gaytubefuck.com,gayxxxtv.com,getpornpics.com,gfasianpussy.com,glossytube.com,goindiansex.com,goldanimeporn.com,golddesisex.com,golderotica.com,goldfatporn.com,goldhentaiporn.com,goldindianporn.com,goldmaturesex.com,goldmomsex.com,goldmomtube.com,goldpussytube.com,goldretrosex.com,goldsexvideos.com,goldteenporn.com,goldxxxmovies.com,goldxxxsex.com,goldxxxtube.com,gosexvideos.com,goteentube.com,gotrannyporn.com,goyoungporn.com,grandmatureporn.com,grannypornpics.pro,grannytubedot.com,greatindianporn.com,greenpornclips.com,hairyasspussy.com,hairymaturetube.com,hairyporn.me,hairyporn.pro,hairysexporn.com,hairytube.pro,hairyxxxtubes.com,hamsterfucktube.com,hamstermaturetube.com,hamsterxxxtube.com,hardasiansex.com,hardbondageporn.com,harddesitube.com,hardhairysex.com,hardindiansex.com,hardindianvideos.com,hardretrosex.com,hardsex8.com,hardsextube-teens.com,hardvintagetube.com,hardxxxmoms.com,hardyoungsex.com,hd-sex.me,hdfuckporn.com,hdgaycock.com,hdhotasiansex.com,hdyoungpussy.com,hentaipornfilms.com,hentaipornmovs.com,hentaisex.pro,hentaisexfilms.com,hentaisexporn.com,hnntube.com,homesex.bid,hometeentube.com,hornybabepics.com,hornyindianporn.com,hornyindiansex.com,hot-mature-movies.com,hotbdsmvideos.com,hotindiantube.com,hotindianxxxsex.com,hotmatureclips.com,hotorientalporn.com,hotxxxbdsmporn.com,hq-jav.com,hqasiananal.com,hqasiangirls.com,hqasianhotties.com,hqhotmoms.com,hqindiantube.com,hqjapanesegirls.com,hqjapanesepussy.com,hqjapanesesex.com,hqjavporn.com,hqmaturehub.com,hqteensexmovies.com,hqxxxfuck.com,hugefatporn.com,hussyasian.com,indianassvideos.com,indianporn.pro,indianpussymovies.com,indiansexbar.com,indiansexpussy.com,indiansexyxxx.com,indiantube.pro,itshemales.com,itsporn.net,ivintageporn.com,jane-safo.ru,japaneseasstube.com,japanesesex.me,japanesetube.video,japanesexxx.pro,japanesexxxfuck.com,japanpornmovs.com,japans.me,japansporno.com,japanxxxass.com,japanxxxsex.com,javmimi.com,javteens.com,juicyteenie.com,kindindianporn.com,kindteenporn.com,kinkyteensex.com,kissteenporn.com,kittypornvideos.com,largepornclips.com,largeteensex.com,leafindiansex.com,lesbiangirlspussy.com,lesbianpornxxx.com,lesbianpussygirls.com,lesbianpussytube.com,lesbianpussyxxx.com,lesbiansex.pro,lesbiansexclip.com,lesbianvaginatube.com,lifestyletribune.com,likeasianporn.com,likehairyporn.com,limeteensex.com,lingeriexxxtubes.com,lolanimesex.com,longasiansex.com,longblacksex.com,longmilfsex.com,longyoungporn.com,lookgayporn.com,lookindianporn.com,lookmaturewoman.com,lovemomporn.com,lustfulbabespics.com,madfap.com,madgaytube.com,madgrannytube.com,madhairytube.com,madmomtube.com,madrabbitsex.com,mainxxxtube.com,manpornvideos.com,manyvintageporn.com,mastergaytube.com,mature-ptv.com,matureanalpics.com,matureathome.com,maturefuckclips.com,maturemagic.com,matureporn.pro,matureporner.com,maturepornmovs.com,maturesex.me,maturesexvideos.pro,maturevideosex.com,maxasiantube.com,maxretroporn.com,megaasiansex.com,megablackporn.com,megafatporn.com,megahentaitube.com,megaindianporn.com,megaindiantube.com,megavintageporn.com,megayoungporn.com,megayoungsex.com,mikesmatures.com,milfasiantube.com,milfporn.pro,milfpussypic.com,milfsex.me,milfzporn.com,mixasiansex.com,mixbdsmsex.com,mixblacksex.com,mixgaysex.com,mixhairysex.com,mixindiansex.com,mixlesbiansex.com,mixsexvideos.com,mixshemalesex.com,mixvintagesex.com,mixvoyeursex.com,mommygranny.com,mommyporn.pro,mommypornvideos.com,mompornfilms.com,mompornpics.net,momsex.xyz,momsexfilms.com,momsextube.pro,momtube.pro,momvideos.me,momxxxass.com,momxxxclips.com,morebdsmporn.com,moreblackporn.com,mostindiantube.com,mybbwporn.com,myhairyphotos.com,myhotasian.com,myperfectebony.com,mysuperaffiliatementor.com,myteenphotos.com,nakedasiansex.com,nakedboysmovies.com,nakedmensex.com,nakedmomtube.com,nakedolders.com,nakedyoungvideos.com,nakehub.com,nakevideos.com,nastyhairypussy.com,naturallesbiansex.com,newbdsmsex.com,newlesbiansex.com,newmomporn.com,newpornclips.com,newpornfilms.com,newpornpic.com,newsexpics.net,newxxxpornvideo.com,newyoungsex.com,nextlesbianporn.com,nextmatureporn.com,nextsexvideos.com,nextteenporn.com,niceblacksex.com,niceretrotube.com,nicesexvideos.com,niceshemaleporn.com,niceteenvideos.com,nicevintageporn.com,nicevintagesex.com,nowteensex.com,nudehairytube.com,nudemilftube.com,nudemilfwomen.com,nudemomxxx.com,nudetuber.com,nudevoyeursex.com,nudexxxmovies.com,nylonbabesporn.com,ohahoh.com,okteenporn.com,oldgirlsporn.com,onasianporn.com,onindiansex.com,onlesbianporn.com,onlymaturetube.com,onlymomporn.com,onlyteasephoto.com,onlyteenbeauty.com,onxxxtube.com,orientalasianporn.com,originalindianporn.com,originalretroporn.com,originalteentube.com,otherporntube.com,othershemaleporn.com,paulsmatures.com,paulsporn.com,pepperclips.com,pepperdesitube.com,peppermomporn.com,petiteasiantube.com,petitenakedgirl.com,picgrandma.com,picseroticgirl.com,plainasianporn.com,playyoungsex.com,playyoungtube.com,pornaf.com,pornblackporn.com,porncliphub.com,porncomics.me,pornfattube.com,pornhubcom.org,pornjapanesesex.com,pornmovs.pro,pornoplum.com,pornvideotop.com,pornzvideo.com,primehairysex.com,primeindianporn.com,primelesbianporn.com,primematureporn.com,primemomsex.com,primevintagesex.com,privatepornfilms.com,proasiansex.com,progaysex.com,promomporn.com,prosextube.com,proyoungporn.com,psmatureporn.com,publicfuckvideo.com,publicxxxvideo.com,purebbwfuck.com,puremilfporn.com,pussylesbiansex.com,pussymomsex.com,qsextube.com,rawasiansex.com,realclassicporn.com,realjapansex.com,realmomsex.com,realporntubes.com,redmatureporn.com,redpornpictures.com,redsexhub.com,redteensex.com,redxxxvideos.com,reteenporn.com,retroclassicporn.com,retroclassicsex.com,retroporn.me,retroporn.pro,retrosexclips.com,retrosexfilms.com,retrosexporn.com,retrotube.xyz,rightxxxtube.com,rocksextube.com,rootdesisex.com,roughbdsmsex.com,rudevintageporn.com,rushteenporn.com,rushteentube.com,rxphoto.com,schoolgirlsexpics.com,searchxxxvideos.com,seegayvideos.com,seeindianporn.com,seematurevideos.com,seeshemaleporn.com,sexasianfuck.com,sexbdsmsex.com,sexcliphub.com,sexclipshd.com,sexfilmstube.com,sexhubmovs.com,sexindianvideos.com,sexjapansex.com,sexlesbianvideos.com,sexmomsex.com,sexprontube.com,sexretrotube.com,sextubeclip.com,sextubehub.com,sexvintagefilms.com,sexxxxfilms.com,sexyclassicporn.com,sexyindianpussy.com,sexylesbiansex.com,sexymomsex.com,sexyorientalporn.com,sexyoungmovies.com,sexypussypic.com,sexytoonporn.com,sexytuber.com,sexyvintageporn.com,shehairy.com,shemaleasstube.com,shemaleclip.com,shemaleporn.pro,shemalepornfilms.com,shemaletube.pro,shemalexxxsex.com,slickyoungporn.com,slimteenporn.com,smoothteentube.com,sohornymature.com,sohornyteen.com,soindianporn.com,sonudepics.com,sooldsluts.com,soteenpics.com,sourceclassicporn.com,spicyvintageporn.com,stepmaturesex.com,sucking.cc,superjapanesesex.com,sweetjapanporn.com,sweetyoungtube.com,teenagedtube.com,teenagesexpics.com,teenagexxxvideos.com,teenfuck.party,teenpornbomb.com,teenpornpics.pro,teenpornvideos.pro,teenpussylab.com,teens-fuck-movies.com,teensexass.com,teensexpics.pro,teensextubez.com,teensxxxvideos.net,teentube.pro,teentubeme.com,teenvaginapics.com,teenxxxmovs.com,teenxxxtube.me,theasiansextube.com,thismaturesex.com,thisxxxsex.com,toonpornpics.com,toonsex.pics,topasianvideos.com,topbbwporn.com,toplesbiantube.com,topmaturepussy.com,topteenpussy.com,totalbbwporn.com,totalclassicsex.com,totalmansex.com,totalxxxtube.com,trannysexporn.com,trendteenporn.com,trueasiansex.com,trueretroporn.com,trueteenporn.com,trylesbiansex.com,tryyoungporn.com,tube-matures.com,tube8-teens.com,tube8.pro,tubegift.com,tubepornhot.com,tubezporno.com,tvshemalesex.com,ujapanesesex.com,ultrabdsmporn.com,ultraindiansex.com,ultralesbianporn.com,ultrateenpussy.com,ultrateensex.com,ultraxxxtube.com,ultrayoungsex.com,upasiansex.com,uphentaiporn.com,upmatureporn.com,upmomtube.com,upvintagesex.com,upvintagetube.com,upxxxmatures.com,upxxxporn.com,upxxxretro.com,usematuretube.com,useyoungsex.com,uteentube.com,variousteenporn.com,vintagesex.pro,vintagetube.pro,vintagetube.video,vintagexxxfilms.com,vintagexxxsex.com,voyeurpornsex.com,voyeurporntube.me,voyeursextubes.com,voyeursexvideos.com,voyeurxxxtube.com,voyeurxxxtubes.com,watchretrosex.com,webcamfuckvideo.com,wellasianporn.com,wellmatureporn.com,wellmaturetube.com,wellsextube.com,whoreasianporn.com,whorelesbianporn.com,whoreteenporn.com,whoreteensex.com,whorevintagesex.com,wildasianmovies.com,wildbbwtube.com,wildindianporn.com,wildindiantube.com,wildindianvideos.com,wildjapaneseporn.com,wildteenvideos.com,wildvintageporn.com,wildvintagesex.com,wildvoyeurporn.com,wildxxxsex.com,willyporn.com,winmatureporn.com,worldpornvideos.com,wotube.com,wowindianporn.com,wowindiansex.com,wowjapansex.com,wowmilfporn.com,wowmomsex.com,wowvintagesex.com,wowyoungporn.com,xasiananal.com,xasianbeauties.com,xasianorgy.com,xasianporn.net,xhardcoreaunts.com,xknock.com,xnakedwomen.com,xnmodels.com,xnxxcomvideos.com,xnxxsexclips.com,xpics.me,xpimper.com,xvideoscom.me,xvintagevideos.com,xxindianporn.com,xxx3dcomix.com,xxxanimemovies.com,xxxasianfuck.com,xxxboobsporn.com,xxxcartoonporn.pro,xxxclassicporno.com,xxxclassictube.com,xxxdesitube.com,xxxdig.com,xxxfuckmom.com,xxxgayfuck.com,xxxgaytubez.com,xxxhairymovies.com,xxxhamstertube.com,xxxhotgays.com,xxxhubvideos.com,xxxindian.pro,xxxindianfilms.com,xxxindiantv.com,xxxjapaneseclips.com,xxxjapanesesex.com,xxxjapanesevideos.com,xxxjapanporno.com,xxxlesbianfilms.com,xxxlesbiantv.com,xxxmaleporn.com,xxxmaturepussypics.com,xxxmilftoon.com,xxxmomz.com,xxxmovies.pro,xxxmoviesfuck.com,xxxpornmovs.com,xxxporntranny.com,xxxretromovies.com,xxxsex.pro,xxxsexcinema.com,xxxsexmoviez.com,xxxsexpussy.com,xxxshemalefilms.com,xxxteenpussy.net,xxxteensextube.com,xxxteenvagina.com,xxxteenyporn.com,xxxtube.pro,xxxtubegay.com,xxxvintagefilms.com,xxxvintagepussy.com,xxxvintagesex.com,xxxvintagesextube.com,xxxvintagevideos.com,xxxvoyeurtube.com,xxxyoungxxx.com,xxyoungporn.com,yesnude.com,yoasiangirls.com,yoasiansex.com,yobatube.com,youngfucktube.com,youngjizztube.com,youngpornclip.com,youngpornfilms.com,youngsex.video,youngtinysex.com,youngtitstube.com,youngtube.me,youngtube.pro,youngtube.video,youngtube.xyz,youngxxxass.com,youngxxxsex.com,youpornteens.com,yourasianporn.com,yourpornbus.com,yourtube.xxx,yourvintagetube.com,yousexfilms.com,youxxxmovies.com,youxxxsex.com#%#//scriptlet("abort-on-property-read", "popit")
+! asgPopScript
+homemade.xxx,onscreens.me,xn--mgbkt9eckr.net,streamsb.net,4kporn.xxx,javct.net,xozilla.xxx,sexu.*,eroticmv.com,4kpornmovs.com,pornvideos4k.com,seemysex.com,yts.rs,lesbianexpert.com,hdpornvideo.xxx,xozilla.com,octanime.net,japanesexxxtube.org,cda-hd.cc,xyzcomics.com,savelink.site,turboimagehost.com,moresisek.net,pornxday.com,streamingporn.xyz,xxxstreams.org,turbobit.net,vidoza.org,tubsexer.com,vintagetube.xxx#%#//scriptlet("abort-on-property-read", "asgPopScript")
+!
+! #%#//scriptlet("abort-on-property-read", "pop")
+idol69.net,javmvp.com,videogreen.xyz,hentai4.me,gaobook.review#%#//scriptlet("abort-on-property-read", "pop")
+! #%#//scriptlet("prevent-addEventListener", "click", "window.open")
+vcdn.io,fembed.com,pelispop.net,meowkuplayer.xyz,films5k.com,mrdhan.com,bs.to,burningseries.co,vidohd.com,fembed.net,videobb.site,proxyplayer.xyz,streamhoe.online,animetemaefiore.club,anime789.com,redanimedatabase.cloud,javmvp.com,31vakti-cdn.*,vfilmesonline.net,ns21.online,asianclub.tv,megahdfilmes.me,player-megahdfilmes.com,hd-stream.to,gaobook.review,embedsito.com,pussyspace.com,animeshouse.biz,gcloud.live,videogreen.xyz,feurl.com,cdn-myhdjav.info,there.to#%#//scriptlet("prevent-addEventListener", "click", "window.open")
+! #%#//scriptlet('abort-on-property-read', '__Y')
+kissmovies.net,wishonly.site,jwplayerhls.com,vidhidepro.com,dwish.pro,strwish.com,kamehamehaa.xyz,kamehaus.net,vidhidepre.com,swdyu.com,fdewsdc.sbs,recordplay.biz,jodwish.com,anitaku.to,alions.pro,vidhidevip.com,moviekhhd.online,cdnwish.com,anime4low.sbs,anime7u.com,flaswish.com,obeywish.com,guccihide.store,fsdcmo.sbs,gaystream.cloud,javlion.xyz,fviplions.com,sfastwish.com,cabecabean.lol,wishfast.top,vhmovies.to,awish.pro,fc2stream.tv,sub123.xyz,leakslove.net,mwish.pro,embedwish.com,javhahaha.us,streamvid.top,playertv.net,sbrity.com,doodporn.xyz,mycloud123.top,streamsb.click,streamxxx.online,sblona.com,filelions.*,ahvsh.com,sbrapid.com,streaamss.com,louishide.com,projectfreetv.lol,streamwish.to,lvturbo.com,javb1.com,sbface.com,rbtstream.info,vidgo.top,sbhight.com,sbbrisk.com,streamhide.to,cloudrls.com,mm9846.com,sbchill.com,fbjav.com,imfb.xyz,sbrulz.xyz,javbigo.xyz,dizivap.*,dvapizle.*,sblongvu.com,mavavid.com,fembed9hd.com,xsub.cc,sbthe.com,sbanh.com,mm9844.*,faptiti.com,javsubbed.xyz,sblanh.com,av4asia.com,playerjavseen.com,pornhubed.com,streamsss.net,sbspeed.com,vcdn-stream.xyz,javuncen.xyz,javenglish.me,ssbstream.net,zojav.com,watch-jav-english.live,javpornhd.online,embed-media.com,obaplayer.xyz,cdn-myhdjav.info,dlmovies.link,watchjavnow.xyz,nsfwzone.xyz,viplayer.cc,sbfast.com,iframe2videos.xyz,streamas.cloud,jav247.top,viewsb.com,myvideoplayer.monster,cloudemb.com,jvembed.com,javleaked.com,pornhole.club,ndrama.xyz,fembed-hd.com,netflav.com,cutl.xyz,playerjavhd.com,suzihaza.com,embedsb.com,layarkacaxxi.icu,nekolink.site,javhdfree.icu,streamsb.net,javside.com,gdstream.net,animepl.xyz,watchsb.com,sbplay2.*,hentai4.me,playersb.com,streamabc.xyz,ns21.online,diasfem.com,milfnut.net,pelispop.net,tubesb.com,fplayer.info,mm9842.com,sbplay1.com,javmvp.com,japopav.tv,pelistop.co,vidcloud.*,mavplayer.xyz,sbplay.*,sbvideo.net,sbembed4.com,dfmagazine.co.uk,embedsito.com,serverf4.org#%#//scriptlet('abort-on-property-read', '__Y')
+!
+! '#%#//scriptlet("abort-current-inline-script", "decodeURI", "4zz.")'
+skidrowreloaded.com,files.im,uploadbuzz.cc,asia-mag.com,clik.pw#%#//scriptlet("abort-current-inline-script", "decodeURI", "4zz.")
+! another variant - '#%#//scriptlet("set-constant", "D4zz", "noopFunc")'
+gayxx.net,archivebate.com,sexdiaryz.us,pornwiss.com,igay69.com,javsub.buzz,nozomi.la,thothub.vip,sexgayplus.com,vtube.to,masalaseen.net,peladas69.com,amateurblog.tv,fashionblog.tv,latinblog.tv,silverblog.tv,xblog.tv,fetishtube.cc,onlyfansleaks.tv,uporn.icu,shorterall.com,familyporn.tv,biqle.com,verhentai.top,lovefap.com,sdefx.cloud,info-english.ru,alluretube.com,anyxvideos.com,fucktheporn.com,hugetits.win,italianporn.com.es,mommysucks.com,mzansinudes.com,napiszar.com,onlineporn24.com,pornvdoxxx.com,sexavgo.com,store-of-beats.ru,pinayvids.com,dvdplay.*,sxyprn.*,mmopeon.ru,acervodaputaria.com.br,animefenix.com,masahub.net,rule34porn.net,hispasexy.org,tokyoblog.tv,idolsblog.tv,sturls.com,sexphimhd.net,freeporn.org.uk,xvideos2020.me,pornovidea.net,youporn.red,animesanka.*,85tube.com,pornobr.club,ekasiwap.com,hentaidexy.com,pornoruhe.net,girl2sex.com,xpornass.com,javhd.icu,mxtube.net,juicyoldpussy.com,sexofilm.co,xnxx66.com,illink.net,xxxlucah.com,mangaraw.org,pornbox.cc,pornhex.com,xxxhub.cc,sexe-libre.org,zplayer.live,ccurl.net,datawav.club,xxxpicz.com,canyoublockit.com,mypornhere.com,skidrowcodex.net#%#//scriptlet("set-constant", "D4zz", "noopFunc")
+!
+! '#%#//scriptlet("abort-on-property-read", "runAdblock")'
+unblocked.*,yifyhdtorrent.org,dudestream.com,webserver.one,eztv.yt,sanoybonito.club,freestreams-live1.com,f1livegp.me,1bit.space,kiwiexploits.com,proxybit.casa,1337x.to,c-ut.com,picbaron.com,imgbaron.com,onlystream.tv,ouo.press,newepisodes.co,mp4upload.com,openloadmovies.ws,yts.mx#%#//scriptlet("abort-on-property-read", "runAdblock")
+! flashvars - clickunder or popunder
+pornbimbo.com,hentai-moon.com,alotporn.com,amateurporn.co,onlinestars.net,someonesister.com,pornrabbit.com,lusttaboo.com,xhomealone.com,mangovideo.club,love4porn.com,hoes.tube,jizzonme.org,partycelebs.com,jizzoncam.com,mrpeepers.net,cluset.com,celebwhore.com,sexcams-24.com,amateurporn.me,pornfay.org,fapnado.com,xgirls.webcam,cambay.tv#%#//scriptlet("set-constant", "flashvars.popunder_url", "")
+severeporn.com,watchmdh.to,watchporn.to,fuckcelebs.net,perverttube.com,sexlist.tv,mangovideo.club,cwtvembeds.com#%#//scriptlet('set-constant', 'flashvars.video_click_url', '')
+camwh.com#%#//scriptlet("trusted-replace-node-text", "script", "kt_player", "/popunder_url: '.*?'/", "popunder_url: ''")
+! flashvars - preroll ad
+everydayporn.co,bussyhunter.com,danude.com,adultdeepfakes.com,katestube.com,pornfappy.com,tktube.com,hdtube.porn,yourporngod.com,theporngod.com,camfox.com,hubroporn.com,bigassex.com,motherporno.com,bigtitslust.com,lesbian8.com,sortporn.com,webcamvau.com#%#//scriptlet('set-constant', 'flashvars.adv_pre_vast', '')
+everydayporn.co,bussyhunter.com,hdtube.porn,yourporngod.com,theporngod.com#%#//scriptlet('set-constant', 'flashvars.adv_pre_vast_alt', '')
+! END: Popular clickunders
+!
+!
+! 'adthrive'
+jocooks.com,tasteandtellblog.com,allaboutcats.com,cookingperfected.com,curbsideclassic.com,fortsettings.com,gethealthyu.com,goldendoodleadvice.com,housingaforest.com,letthemeatgfcake.com,listcaboodle.com,makinglemonadeblog.com,moneyning.com,nanascraftyhome.com,parentingpod.com,psychreg.org,runeterraccg.com,spacedmagazine.com,strengthandsunshine.com,tdalabamamag.com,thisisraleigh.com,ticotimes.net,unconventionalbaker.com,whereverwriter.com#%#//scriptlet("abort-on-property-read", "window.adthrive.config")
+!
+! Ads by Galaksion
+hhdstreams.club,uhdstreams.club,9xmovies.app,toonily.com,kiminime.com,katmoviehd.nl,a2zapk.com,vidload.net,movies123.pics,nsfwyoutube.com,ckk.ai,adsafelink.com,isekaiscan.com,uppit.com,watchhowimetyourmother.online,arabseed.tv,updatetribun.org,putlockers.co#%#//scriptlet("abort-on-property-read", "Object.prototype.Focm")
+!
+! adshares/adaround
+bitcomarket.net,mcrypto.club,claimbits.net,cashearn.cc,nevcoins.club,11bit.co.in,lbprate.com,drivelinks.in,luckydice.net,coinsearns.com,mixfaucet.com,uploadbaz.me,algorandfaucet.com,hinurls.cc,policiesforyou.com,fastcoin.ga,hblinks.pro,hdhub4u.cc#%#//scriptlet("abort-current-inline-script", "document.createElement", "document?document:null")
+!
+! adfpoint
+dlhd.*,daddylivehd.*,cashearn.cc#%#//scriptlet("abort-on-property-write", "u_cfg")
+1337x.to,mexa.sh#%#//scriptlet("abort-current-inline-script", "openedWindows", "adfpoint")
+worldstreams.watch,leaknud.com#%#//scriptlet('abort-on-property-write', 'afStorage')
+freetvspor.lol,akw.cam,dlhd.*,daddylivehd.*,ak.sv,akw-cdn1.link,ak4ar.*,akw.to,xn--mgba7fjn.*,ak4eg.*,extramovies.*,eg-akw.com,khsm.io,crackstreamshd.click,coinsparty.com,daddylive.*,iguarras.com,iputitas.net,coinsurl.com,luckydice.net,coinsearns.com,easymp3converter.com,fastconv.com,akwam.*,dogemate.com,promo-visits.site#%#//scriptlet('abort-on-property-read', 'afScript')
+! sadbl
+anarchy-stream.com,freckledine.net,viwlivehdplay.ru,playertv.net,tirexo.ink,dlhd.*,mega4upload.com,liveon.sx,seehdgames.xyz,dl-protect.link,extreme-down.moe,up-4ever.net,futemax.app,footybite.to,unbiasedsenseevent.com,seegames.xyz,anroll.net,vipleague.*,1l1l.to,livesport24.net,legendei.net,coolcast2.com,techclips.net,markkystreams.com,sportcast.life,sports-stream.*,cricplay2.xyz,olacast.live,tennisstreams.me,daddylivehd.*,sportsonline.*,footyhunter3.xyz,720pstream.me,socceronline.me,daddylive.*,oxtorrent.fi,f1livegp.me,mrpcgamer.co,x1337x.*,atomixhq.*,vipboxtv.*,1337x.*,filmi123.club,vipbox.*,wigistream.to,watchseries.*,1stream.top,allinonedownloadzz.site,game3rb.com,lordchannel.com,uwatchfree.*,yts.*,1337x.unblockit.*,strikeout.*,eztv.re,liveonscore.tv#%#//scriptlet("prevent-setTimeout", "sadbl")
+anarchy-stream.com,freckledine.net,viwlivehdplay.ru,playertv.net,tirexo.ink,dlhd.*,mega4upload.com,liveon.sx,seehdgames.xyz,dl-protect.link,extreme-down.moe,up-4ever.net,futemax.app,footybite.to,unbiasedsenseevent.com,seegames.xyz,anroll.net,vipleague.*,1l1l.to,livesport24.net,legendei.net,coolcast2.com,techclips.net,markkystreams.com,sportcast.life,sports-stream.*,cricplay2.xyz,olacast.live,tennisstreams.me,daddylivehd.*,sportsonline.*,footyhunter3.xyz,720pstream.me,socceronline.me,daddylive.*,oxtorrent.fi,f1livegp.me,mrpcgamer.co,x1337x.*,atomixhq.*,vipboxtv.*,1337x.*,filmi123.club,vipbox.*,wigistream.to,watchseries.*,1stream.top,allinonedownloadzz.site,game3rb.com,lordchannel.com,uwatchfree.*,yts.*,1337x.unblockit.*,strikeout.*,eztv.re,liveonscore.tv#%#//scriptlet('abort-current-inline-script', 'atob', 'aclib.runPop')
+zone-telechargement.ing#%#//scriptlet('abort-current-inline-script', 'setTimeout', 'aclib.runPop')
+hentaila.com#%#//scriptlet('json-prune', '*', '*.adcashLib')
+sportsurge.club,1stream.eu,sanet.st,lewblivehdplay.ru,streameast.*#%#//scriptlet('abort-on-property-read', 'aclib.runPop')
+!
+! e6QQ/IS_POP_COIN
+!+ NOT_PLATFORM(ext_ublock)
+igg-games.com#%#//scriptlet('abort-on-stack-trace', 'Date', '_0x')
+cyberfile.me,playkrx18.site,zpaste.net,severeporn.com,readcomiconline.li,vdbtm.shop,urlbluemedia.*,get-to.link,zoro.se,bluemediadownload.*,bluemediaurls.lol,coolrea.link,bluemedialink.online,limetorrents.lol,updown.ninja,urlcut.ninja,moviesjoyhd.to,f2movies.to,kissasian.*,arponag.xyz,streamvid.net,1l1l.to,fireload.com,kissanimefree.cc,cineb.rs,anichin.top,tinyzonetv.se,himovies.sx,pahe.li,klmanga.net,tuktukcinema.*,truyengihotnhat.com,123-movies.zone,mangago.me,dlpanda.com,w123moviesfree.net,oxtorrent.sk,bluemediafile.*,exee.app,exep.app,exe.app,bluemediafiles.*,igg-games.co,javhd.today,ziperto.com,allmoviesforyou.net,1337xx.to,dropgalaxy.com,just-upload.com,pelisplushd.net,coinsurl.com,luckydice.net,coinsearns.com,torrentmac.net,cuevana3.*,igg-games.com,soap2day.*#%#//scriptlet("abort-current-inline-script", "globalThis", "break;case")
+eio.io#%#//scriptlet("abort-current-inline-script", "String.prototype.replace", "break;case")
+cyberfile.me#%#//scriptlet('prevent-eval-if', '/globalThis[\s\S]*?break;case/')
+sitenable.*,filesdownloader.com,siteget.net,freeproxy.io,glodls.to#%#//scriptlet('abort-current-inline-script', 'fetch', 'IS_POP_COIN')
+!
+! FingerprintJS
+1337x.*#%#//scriptlet('abort-on-property-write', 'LAST_CORRECT_EVENT_TIME')
+sitenable.*,filesdownloader.com,siteget.net,freeproxy.io,glodls.to#%#//scriptlet('abort-on-stack-trace', 'navigator', 'Object.isFlashEnabled')
+mirrored.to,hd-streams.org,skidrowreloaded.com#%#//scriptlet("abort-current-inline-script", "Promise", "FingerprintJS")
+evernia.site,worldsports.me,vidsrc2.*,viprow.nu,olkuj.com,ijvam.com,olympicstreams.*,buffsports.me,uploadhaven.com,yoykp.com,arcjav.com,mc-hacks.net,mycivillinks.com,woiden.com,wonderapk.com,megaup.net,exeo.app,vidsrc.*,cricstream.me,vipleague.*,socceronline.me,igg-games.co,crackstreams.*,torrentmac.net,vipboxtv.*,vipbox.*,userscloud.com,game3rb.com,soap2day.*,soccerworldcup.me,igg-games.com,miraculous.to,coloredmanga.com,hentaispark.com,send.cm#%#//scriptlet("abort-current-inline-script", "navigator", "FingerprintJS")
+!
+! ad script wpadmngr.com
+rahim-soft.com,poop.com.co,dodz.pro,y2tube.pro,doooood.co,nuuuppp.*,fuxnxx.com,pornxp.org,pornxp.com,sukkisukki.com,hitomi.la,komiklokal.me,amateurblog.tv,fashionblog.tv,idolsblog.tv,latinblog.tv,silverblog.tv,tokyoblog.tv,xblog.tv,ilikecomix.com,edoujin.net,klmanga.net,porncomixonline.net,tokyoblog.tv,monoschinos2.com,idolsblog.tv,zetporn.com,javtiful.com,torlock.com,javhub.net,kisscos.net,javfor.tv,highporn.net,kissanimex.com#%#//scriptlet('abort-current-inline-script', 'EventTarget.prototype.addEventListener', '0x')
+!
+! __aaZoneid
+! #%#//scriptlet('abort-on-property-read', '__aaZoneid')
+ds2play.com,doods.pro,dooood.com,xxxtik.com,dood.yt,dood.re,dood.wf,dood.la,dood.pm,dood.so,dood.to,dood.watch,dood.ws,forums.socialmediagirls.com,veporno.net,javhd.icu#%#//scriptlet('abort-on-property-read', '__aaZoneid')
+! #%#//scriptlet('abort-on-property-write', '__aaZoneid')
+truyengihotnhat.com,rule34hentai.net,zinchanmanga.com,streamhub.to,javstream.com,sxyprn.net,tokyomotion.com,mrjav.net,yurineko.net,azel.info,clip-sex.biz,justpicsplease.com,mihand.ir,nudecelebsimages.com,overwatchporn.xxx,xnxxw.net,xxxymovies.com,nozomi.la,nhentai.to,masahub.net,vidsgator.com,nudostar.com,slutmesh.net,movieffm.net#%#//scriptlet('abort-on-property-write', '__aaZoneid')
+! In case if rule with __aaZoneid doesn't work
+smashy.stream,bestgirlsexy.com,nhentai.to,masahub.net#%#//scriptlet('abort-on-property-write', 'handleException')
+!
+! dancers `Popping Tool` (domain.com/t28193693144.js) / TotemTools
+! #%#//scriptlet("set-constant", "loadTool", "undefined")
+asianlbfm.net,schoolgirls-asia.org,silverpic.com,pics4you.net,naughtymachinima.com,kropic.com,imgbaron.com,torrents-club.info,pornorips.com,mactorrent.co,erowall.com,adultwalls.com,motaen.com,camwhores.biz,imageteam.org,cambabe.video,cambabe.me,caminspector.net,free-strip-games.com,camwhores.tv,torrents-club.net,free-porn.games,picusha.net,porno-tracker.com,torrents-club.org,windows-soft.info,nudepatch.net,bustybloom.com,girlwallpaper.pro#%#//scriptlet("set-constant", "loadTool", "undefined")
+! TotemTools
+camwhores.film,x-movies.top,gamecopyworld.eu,pics4share.com,gamecopyworld.com#%#//scriptlet("abort-on-property-read", "TotemToolsObject")
+!
+!**********************************
+!
+! KickassTorrent
+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.*,kickasstracker.*,katfreak.*,kickasshydra.*,katbay.*,kickasst.*,kkickass.*,kattracker.*,topkickass.*,thekat.*,kat.*,kat2.*,kick4ss.*,kickass.*,kickass2.*,kickasstorrents.*,kat.fun,kat2.app,kat2.space,kat2.website,kat2.xyz,kick4ss.net,kickass.cd,kickass.earth,kickass.id,kickass.kim,kickass.love,kickass.name,kickass.one,kickass.red,kickass.vc,kickass.ws,kickass2.app,kickass2.fun,kickass2.mobi,kickass2.online,kickass2.space,kickass2.top,kickass2.website,kickass2.xyz,kickassgo.com,kickasstorrent.cr,kickasstorrents.fun,kickasstorrents.icu,kickasstorrents.mobi,kickasstorrents.to,kickasstorrents2.net,kickassz.com,kkat.net,thekickass.org,kickasstorrents.space,thekat.cc,topkickass.org,kattracker.com#%#//scriptlet('abort-on-property-write', 'ospen')
+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.*,kickasstracker.*,katfreak.*,kickasshydra.*,katbay.*,kickasst.*,kkickass.*,kattracker.*,topkickass.*,thekat.*,kat.*,kat2.*,kick4ss.*,kickass.*,kickass2.*,kickasstorrents.*,kat.fun,kat2.app,kat2.space,kat2.website,kat2.xyz,kick4ss.net,kickass.cd,kickass.earth,kickass.id,kickass.kim,kickass.love,kickass.name,kickass.one,kickass.red,kickass.vc,kickass.ws,kickass2.app,kickass2.fun,kickass2.mobi,kickass2.online,kickass2.space,kickass2.top,kickass2.website,kickass2.xyz,kickassgo.com,kickasstorrent.cr,kickasstorrents.fun,kickasstorrents.icu,kickasstorrents.mobi,kickasstorrents.to,kickasstorrents2.net,kickassz.com,kkat.net,thekickass.org,kickasstorrents.space,thekat.cc,topkickass.org,kattracker.com#%#//scriptlet("abort-on-property-read", "ini1Pu")
+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.*,kickasstracker.*,katfreak.*,kickasshydra.*,katbay.*,kickasst.*,kkickass.*,kattracker.*,topkickass.*,thekat.*,kat.*,kat2.*,kick4ss.*,kickass.*,kickass2.*,kickasstorrents.*,kat.fun,kat2.app,kat2.space,kat2.website,kat2.xyz,kick4ss.net,kickass.cd,kickass.earth,kickass.id,kickass.kim,kickass.love,kickass.name,kickass.one,kickass.red,kickass.vc,kickass.ws,kickass2.app,kickass2.fun,kickass2.mobi,kickass2.online,kickass2.space,kickass2.top,kickass2.website,kickass2.xyz,kickassgo.com,kickasstorrent.cr,kickasstorrents.fun,kickasstorrents.icu,kickasstorrents.mobi,kickasstorrents.to,kickasstorrents2.net,kickassz.com,kkat.net,thekickass.org,kickasstorrents.space,thekat.cc,topkickass.org,kattracker.com#%#//scriptlet("prevent-addEventListener", "click", "checkxarget")
+!
+!
+!
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/189322
+! A fix for issue with constantly loading website, it's required when DNS filtering is enabled
+wsj.com#%#//scriptlet('google-ima3')
+wsj.com#%#//scriptlet('prevent-element-src-loading', 'script', '/static\.adsafeprotected\.com|imasdk\.googleapis\.com\/js\/sdkloader\/ima3\.js/')
+wsj.com#%#(()=>{window.googleImaVansAdapter={init(){},dispose(){}};})();
+wsj.com#%#(()=>{let t=window?.__iasPET?.queue;Array.isArray(t)||(t=[]);const s=JSON.stringify({brandSafety:{},slots:{}});function e(t){try{t?.dataHandler?.(s)}catch(t){}}for(t.push=e,window.__iasPET={VERSION:"1.16.18",queue:t,sessionId:"",setTargetingForAppNexus(){},setTargetingForGPT(){},start(){}};t.length;)e(t.shift())})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/188594
+marketjs.cdn.start.gg#%#(()=>{const e={apply:(e,t,o)=>(o[0]=!0,Reflect.apply(e,t,o))};let t,o=!1;Object.defineProperty(window,"ig",{get:function(){return"function"!=typeof t?.RetentionRewardedVideo?.prototype?.rewardedVideoResult||o||(t.RetentionRewardedVideo.prototype.rewardedVideoResult=new Proxy(t.RetentionRewardedVideo.prototype.rewardedVideoResult,e),o=!0),t},set:function(e){t=e}})})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/187638
+stbemucodes.xyz#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'script')
+stbemucodes.xyz#$?#iframe[src="about:blank"] { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/187111
+4porno365.biz#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/185377
+mkvcinemas.*#%#//scriptlet('prevent-addEventListener', 'DOMContentLoaded', 'shown_at')
+! https://github.com/AdguardTeam/AdguardFilters/issues/182403
+tempmailhub.org#%#//scriptlet('prevent-addEventListener', 'DOMContentLoaded', 'popup-background')
+! https://github.com/AdguardTeam/AdguardFilters/issues/182111
+ipabox.net#%#//scriptlet('prevent-setTimeout', 'afterRedirectUrl')
+! https://github.com/AdguardTeam/AdguardFilters/issues/181960
+sons-stream.com,anarchy-stream.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/181535
+cambay.tv#%#//scriptlet('set-constant', 'flashvars.adv_post_src', '')
+cambay.tv#%#//scriptlet('set-constant', 'flashvars.adv_post_url', '')
+cambay.tv#%#//scriptlet('set-constant', 'flashvars.adv_pre_url', '')
+cambay.tv#%#//scriptlet('set-constant', 'flashvars.adv_pre_src', '')
+! https://github.com/AdguardTeam/AdguardFilters/issues/181917
+uploady.io#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/181167
+sexvideos.host,xxx-sex.fun#%#//scriptlet('trusted-set-cookie-reload', 'clckcnt', '1')
+sexvideos.host,xxx-sex.fun#%#//scriptlet('trusted-set-cookie-reload', 'clicked', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/181406
+mylocation.org#%#//scriptlet('trusted-replace-node-text', 'td', '', '(change)', '')
+! https://github.com/AdguardTeam/AdguardFilters/issues/181328
+mod1s.com#%#//scriptlet('prevent-setTimeout', 'adsPost')
+dl.apkmoddone.com#%#//scriptlet('prevent-setTimeout', '?window[_0x')
+! https://github.com/AdguardTeam/AdguardFilters/issues/181318
+closedjelly.net,sportsonline.*#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/181284
+! Fixes video player
+worldstarhiphop.com,worldstar.com#%#(()=>{let e,n=!1;const t=function(){};Object.defineProperty(window,"videojs",{get:function(){return e},set:function(o){e=o,!n&&e&&"function"==typeof e.registerPlugin&&(n=!0,e.registerPlugin("skipIma3Unskippable",t))}}),window.SlotTypeEnum={},window.ANAWeb=function(){},window.ANAWeb.prototype.createVideoSlot=function(){},window.ANAWeb.prototype.createSlot=function(){},window.ANAWeb.VideoPlayerType={},window.addEventListener("load",(function(){document.dispatchEvent(new CustomEvent("ANAReady"))}))})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/181171
+! It looks like that someone added a comment with onerror attribute and it redirects to ads
+! Rules below removes this attribute
+toonitube.com#%#//scriptlet('trusted-replace-xhr-response', '/(img.{1,50})onerror="location\.replace.{1,50}?"/', '$1', '/comments')
+! zoechip.com - popup
+zoechip.com#%#//scriptlet('prevent-addEventListener', 'mousedown', 'shown_at')
+! https://github.com/AdguardTeam/AdguardFilters/issues/180944
+clk.kim#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/180648
+giphy.com#%#//scriptlet('trusted-replace-node-text', 'script', 'adUnits', '"adsEnabled\":true', '"adsEnabled\":false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/180652
+freespoke.com#%#//scriptlet('json-prune', 'messaging', 'context')
+! https://github.com/AdguardTeam/AdguardFilters/issues/180207
+notube.re#%#//scriptlet('prevent-window-open', 'notube.re/p')
+! https://github.com/AdguardTeam/AdguardFilters/issues/180061
+leakshaven.com#%#//scriptlet('prevent-window-open', 'jump/next.php')
+leakshaven.com#%#//scriptlet('abort-on-stack-trace', 'localStorage', 'openAds')
+! https://github.com/AdguardTeam/AdguardFilters/issues/179282
+movies2watch.tv#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/179507
+yeptube.com#%#//scriptlet('abort-on-property-read', 'initBetter')
+! https://github.com/AdguardTeam/AdguardFilters/issues/179587
+iir.la,lnbz.la,oei.la#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/178994
+gayvidsclub.com#%#//scriptlet('set-constant', 'openAuc', 'noopFunc')
+1069boys.net,gayvidsclub.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/179189
+tmail.io,fc-lc.xyz#%#//scriptlet('prevent-eval-if', 'ppuQnty')
+! https://github.com/AdguardTeam/AdguardFilters/issues/178564
+swhoi.com,gayteam.club#%#//scriptlet("prevent-window-open")
+! https://cyberpunk.fandom.com/wiki/Adam_Smasher - Click the search button.
+fandom.com#%#//scriptlet('json-prune', 'sponsored')
+! https://github.com/AdguardTeam/AdguardFilters/issues/179064
+novelfull.com#%#//scriptlet('abort-on-property-read', 'yeac')
+novelfull.com#%#//scriptlet('abort-on-stack-trace', 'setTimeout', '_0x')
+! https://github.com/AdguardTeam/AdguardFilters/issues/178947
+best-links.org,fansmega.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/178733
+rpdrlatino.com,rpdrlatino.live#%#//scriptlet('prevent-window-open')
+rpdrlatino.com#%#//scriptlet('set-constant', 'doSecondPop', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/178731
+nzbstars.com#%#//scriptlet('abort-on-property-write', 'Pub2')
+! https://github.com/AdguardTeam/AdguardFilters/issues/178728
+smashy.stream#%#//scriptlet('abort-current-inline-script', 'String.prototype.concat', 'popup')
+! https://github.com/AdguardTeam/AdguardFilters/issues/178514
+englishtorrent.co#%#//scriptlet("abort-on-property-read", "openPopunderInTab")
+! https://github.com/AdguardTeam/AdguardFilters/issues/177972
+lnk.to#%#//scriptlet('remove-node-text', 'script', 'onHeaderAdEvent')
+! https://github.com/AdguardTeam/AdguardFilters/issues/177277
+soccer100.shop#%#//scriptlet("abort-on-property-write", "u_cfg")
+! https://github.com/AdguardTeam/AdguardFilters/issues/177229
+standard.co.uk#%#//scriptlet('adjust-setTimeout', '/Autoplay|Piano|Request timeout|player|hlsjs\.start|r\|\|\(e\(\)/', '*', '0.001')
+standard.co.uk#%#(()=>{const a=function(){};window.apstag={fetchBids(c,a){"function"==typeof a&&a([])},init:a,setDisplayBids:a,targetingKeys:a}})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/176869
+onloop.pro#%#//scriptlet("abort-on-property-read", "PopUnder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/176835
+mybestgames.dk#%#//scriptlet('adjust-setInterval', 'PrerollAd', '*', '0.001')
+! https://github.com/AdguardTeam/AdguardFilters/issues/176436
+linksbypasser.com#%#//scriptlet('prevent-window-open', '/previewcontent')
+! https://github.com/AdguardTeam/AdguardFilters/issues/176233
+! TODO: use href-sanitizer scriptlet when it will be available
+movies4u.*#%#AG_onLoad((function(){document.querySelectorAll('.downloads-btns-div > a[href*="&url="]').forEach((t=>{const e=t.getAttribute("href").split("&url=")[1];e&&e.startsWith("http")&&t.setAttribute("href",decodeURIComponent(e))}))}));
+! https://github.com/AdguardTeam/AdguardFilters/issues/175978
+nuuuppp.*#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/175863
+hotstar.com#%#//scriptlet('json-prune', 'success.page.spaces.player.widget_wrappers.*.widget.data.intervention_data.interventions.*.meta.preroll success.page.spaces.player.widget_wrappers.*.widget.data.intervention_data.sources.*.meta.midroll')
+! https://github.com/AdguardTeam/AdguardFilters/issues/175771
+ukpunting.com#%#//scriptlet('remove-node-text', 'script', 'puTS')
+! https://github.com/AdguardTeam/AdguardFilters/issues/175668
+adpaylink.com#%#//scriptlet('remove-attr', 'href', '.box-main > a[href][target="_blank"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/175076
+lostshorts.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/175422
+syok.my#%#//scriptlet('set-constant', 'com_adswizz_synchro_getListenerId', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/175273
+lulustream.com#%#//scriptlet('abort-current-inline-script', 'String.prototype.concat', 'popup')
+! https://github.com/AdguardTeam/AdguardFilters/issues/175152
+veev.to#%#//scriptlet('trusted-click-element', '.wwc-play-button > .bc-content > .wc-play, .wwc-play-button > .bc-content > .wc-play')
+! filemoon
+! https://github.com/AdguardTeam/AdguardFilters/issues/174871
+altyazilivipx3.shop,filemoon.*#%#//scriptlet('abort-on-property-read', 'Hirsan')
+altyazilivipx3.shop,fmembed.cc,rgeyyddl.skin,kerapoxy.cc,fmoonembed.*,defienietlynotme.com,embedme.*,filemoon.*,finfang.*,hellnaw.*,moonembed.*,sulleiman.com,vpcxz19p.xyz,z12z0vla.*#%#//scriptlet('abort-on-property-read', 'popns')
+altyazilivipx3.shop,fmembed.cc,rgeyyddl.skin,kerapoxy.cc,fmoonembed.*,defienietlynotme.com,embedme.*,filemoon.*,finfang.*,hellnaw.*,moonembed.*,sulleiman.com,vpcxz19p.xyz,z12z0vla.*#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/174521
+xmateur.com#%#//scriptlet('set-constant', 't8660acdc24.adv_pre_html', 'undefined')
+xmateur.com#%#//scriptlet('set-constant', 't8660acdc24.protect_block', 'undefined')
+! https://github.com/AdguardTeam/AdguardFilters/issues/174598
+work.ink#%#//scriptlet('prevent-window-open', '/jump/next.php')
+! https://github.com/AdguardTeam/AdguardFilters/issues/174065
+bestmp3converter.org#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/173386
+thehackernews.com#%#//scriptlet('abort-current-inline-script', 'onload', '/[Bb]anner|\.innerHTML/')
+thehackernews.com#%#//scriptlet('abort-current-inline-script', 'Math.random', '/[Bb]anner|\.innerHTML/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/173397
+hentai2read.com#%#//scriptlet('set-constant', 'hasAb', 'false')
+hentai2read.com#%#//scriptlet('prevent-window-open', 'trcktr.com')
+hentai2read.com#%#//scriptlet('abort-on-stack-trace', 'open', 'assets/js/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/173409
+eroasmr.com#%#//scriptlet('trusted-replace-node-text', 'script', 'fluidPlayer', '/("vastTag": ")[\s\S]*?(",)/g', '$1$2')
+! https://github.com/AdguardTeam/AdguardFilters/issues/182339
+! https://github.com/AdguardTeam/AdguardFilters/issues/178567
+! https://github.com/AdguardTeam/AdguardFilters/issues/172928
+forge.plebmasters.de#%#(()=>{window.JSON.parse=new Proxy(JSON.parse,{apply(r,e,t){const s=Reflect.apply(r,e,t),l=s?.results;try{if(l&&Array.isArray(l))s?.results&&(s.results=s.results.filter((r=>{if(!Object.prototype.hasOwnProperty.call(r,"adTitle"))return r})));else for(let r in s){const e=s[r]?.results;e&&Array.isArray(e)&&(s[r].results=s[r].results.filter((r=>{if(!Object.prototype.hasOwnProperty.call(r,"adTitle"))return r})))}}catch(r){}return s}});})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/172930
+bypass.city#%#//scriptlet('prevent-window-open', '/jump/next.php')
+bypass.city#%#//scriptlet('set-local-storage-item', 'ads_enabled', 'false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/172763
+mmtv01.xyz#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/173012
+doodss.*#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/173184
+dodz.pro,y2tube.pro,doooood.co#%#//scriptlet('prevent-window-open')
+dodz.pro,y2tube.pro,doooood.co#%#//scriptlet('abort-current-inline-script', '$', 'window.open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/173052
+uflash.tv#%#//scriptlet('abort-current-inline-script', 'String.prototype.concat', 'sessionStorage')
+! https://github.com/AdguardTeam/AdguardFilters/issues/172857
+moviekhhd.biz#%#//scriptlet('prevent-setTimeout', 'ads/Ads')
+! https://github.com/AdguardTeam/AdguardFilters/issues/172609
+tnaflix.com#%#//scriptlet('trusted-set-cookie', 'prerollAdsSeenVideos', '3')
+tnaflix.com#%#//scriptlet('set-constant', 'ads', 'emptyObj')
+! https://github.com/AdguardTeam/AdguardFilters/issues/172661
+movierr.site#%#//scriptlet('trusted-set-constant', 'dtGonza.playeradstime', '"-1"')
+! https://github.com/AdguardTeam/AdguardFilters/issues/172504
+movies4u.*#%#//scriptlet('abort-on-property-write', 'app_advert')
+! https://github.com/AdguardTeam/AdguardFilters/issues/172069
+javcock.com#%#//scriptlet('abort-current-inline-script', 'String.prototype.split', 'Popunder')
+! https://github.com/AdguardTeam/AdguardFilters/issues/171867
+fusevideo.io#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/171810
+ipalibrary.me#%#//scriptlet('prevent-setTimeout', 'afterRedirectUrl')
+! https://github.com/AdguardTeam/AdguardFilters/issues/171768
+xkeezmovies.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/171582
+123moviesclub.to#%#//scriptlet('remove-node-text', 'script', 'xepo_ad')
+! https://github.com/AdguardTeam/AdguardFilters/issues/171525
+sssinstagram.com#%#//scriptlet('prevent-window-open')
+sssinstagram.com#%#//scriptlet('set-constant', 'clickAds.init', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/171445
+x-x-x.tube#%#//scriptlet('prevent-popads-net')
+! https://github.com/AdguardTeam/AdguardFilters/issues/171300
+pluto.tv#%#//scriptlet('json-prune', 'adBreaks.*')
+!+ NOT_PLATFORM(ext_ublock)
+!pluto.tv#%#//scriptlet('xml-prune', 'xpath(//*[name()="Period"][.//*[name()="BaseURL" and contains(text(),"_ad")]] | //*[@type="static"]//*[name()="Period"]/@start | //*[@type="static"]//*[name()="Period"]/@duration', '', '.mpd')
+! https://github.com/AdguardTeam/AdguardFilters/issues/170495
+hentai-moon.com#%#//scriptlet('set-constant', 'flashvars.adv_pre_html', '')
+! https://github.com/AdguardTeam/AdguardFilters/issues/170827
+you.com#%#//scriptlet('json-prune', 'data.ads')
+! https://github.com/AdguardTeam/AdguardFilters/issues/170766
+metrolagu.cam#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/170497
+haes.tech#%#//scriptlet('prevent-window-open')
+! scoresports*.com - frequently changed domains
+scoresports786.com#%#//scriptlet('abort-on-property-read', 'newTab')
+scoresports786.com#%#//scriptlet('abort-on-property-write', 'xorEncryptDecrypt')
+! https://github.com/AdguardTeam/AdguardFilters/issues/170296
+filmcomment.com#%#//scriptlet('trusted-set-cookie', 'fc_global_ad', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/8265
+xxxx.se#%#//scriptlet('set-cookie', 'pu_count', '1')
+! https://forum.adguard.com/index.php?threads/5-missed-ads-19-nsfw.24974/
+vidsvidsvids.com#%#//scriptlet('set-cookie', 'pu_count', '1')
+! https://hanime.tv/ - click one of the videos.
+hanime.tv#%#//scriptlet('set-cookie', 'in_d0', '1')
+hanime.tv#%#//scriptlet('set-cookie', 'in_d4', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/180587
+! https://github.com/AdguardTeam/AdguardFilters/issues/172154
+! https://github.com/AdguardTeam/AdguardFilters/issues/169606
+idlixofficial.net,idlixofficial.co,idlixofficials.com#%#//scriptlet('trusted-set-constant', 'dtGonza.playeradstime', '"-1"')
+! https://github.com/AdguardTeam/AdguardFilters/issues/172212
+! https://github.com/AdguardTeam/AdguardFilters/issues/170688
+! https://github.com/AdguardTeam/AdguardFilters/issues/169878
+! https://github.com/AdguardTeam/AdguardFilters/issues/169492
+lootdest.org,lootdest.com,loot-link.com,lootlinks.co,loot-links.com#%#//scriptlet('prevent-window-open', '', '5')
+! https://github.com/AdguardTeam/AdguardFilters/issues/169200
+player.euroxxx.net#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/168786
+tokuzilla.net#%#//scriptlet('remove-attr', 'onclick', '.post-tape > li > a[href]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/168705
+hentaipaw.com#%#//scriptlet('prevent-eval-if', '_0x')
+! popup
+player.bestrapeporn.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/168499
+eporner.com#%#//scriptlet('set-cookie', 'ADBp', 'yes')
+eporner.com#%#//scriptlet('abort-on-property-write', 'initEPNB')
+eporner.com#%#//scriptlet('prevent-setTimeout', '/click[\s\S]*?window.location.replace/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/168442
+nba.com#%#//scriptlet('trusted-replace-xhr-response', '/#EXT-X-DATERANGE:ID="AD-BREAK:[\s\S]*?(\.googlevideo\/|fwmrm\.net)[\s\S]*?#EXT-X-DISCONTINUITY/', '', '/nbalpng\.akamaized\.net\/vod-.*\/.*\/hls-.*\/.*\.m3u8/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/168146
+ninja.io#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/168149
+tapeantiads.com#%#//scriptlet('trusted-click-element', '.play-overlay, .play-overlay', '', '1000')
+tapeantiads.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/45044 - on 4th video click redirect to random website
+sweetshow.com,tubepleasure.com#%#//scriptlet('trusted-set-cookie', 'acjcl', '-9999999999')
+! camgirls.casa - popups
+camgirls.casa#%#//scriptlet("abort-on-property-write", "p$00a")
+! https://github.com/AdguardTeam/AdguardFilters/issues/174785
+! https://github.com/AdguardTeam/AdguardFilters/issues/168256
+finfang.cc,designparty.sx#%#//scriptlet('prevent-window-open')
+finfang.cc,designparty.sx#%#//scriptlet('abort-on-property-read', 'Barracuda')
+finfang.cc,designparty.sx#%#//scriptlet('json-prune', '*', 'skipClicks')
+finfang.cc,designparty.sx#%#//scriptlet('prevent-eval-if', 'popunder')
+finfang.cc,designparty.sx#%#//scriptlet('abort-on-stack-trace', 'navigator.userAgent', '_getBrowserCapabilities')
+! https://pelis24.gratis/pelicula/guardianes-de-la-galaxia-volumen-3/ popup
+cine24.online#%#//scriptlet('disable-newtab-links')
+! https://github.com/AdguardTeam/AdguardFilters/issues/167859
+4gay.fans#%#//scriptlet('trusted-click-element', '#overlay a.close')
+! https://github.com/AdguardTeam/AdguardFilters/issues/167956
+limetorrents.lol#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/167788
+breitbart.com#%#//scriptlet('set-constant', 'BB_G.doing_popup', 'undefined')
+! https://github.com/AdguardTeam/AdguardFilters/issues/180532
+! https://github.com/AdguardTeam/AdguardFilters/issues/168121
+! skip video ads timer
+lookmovie.fyi,lookmovie2.la,lookmovie2.to#%#//scriptlet('trusted-replace-xhr-response', '/"adTimeout":\d+/', '"adTimeout":0', '/api/v')
+! https://github.com/AdguardTeam/AdguardFilters/issues/167674
+musicbusinessworldwide.com#%#//scriptlet('trusted-click-element', '.uberad__button', '', '500')
+! https://github.com/AdguardTeam/AdguardFilters/issues/167012
+inxxx.com#%#//scriptlet('abort-current-inline-script', 'Symbol', 'egoTab')
+! https://github.com/AdguardTeam/AdguardFilters/issues/167518
+xxx18.uno#%#//scriptlet('prevent-setTimeout', 'window[a0b(\'0x')
+xxx18.uno#%#//scriptlet('set-cookie-reload', 'hasShownPromo', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/167001
+uploadsea.com#%#//scriptlet('set-constant', 'openLink', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/131500
+discoveryplus.*,go.discovery.com,investigationdiscovery.com,go.tlc.com,sciencechannel.com#%#//scriptlet('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#%#//scriptlet('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/165997
+play.max.com#%#//scriptlet('json-prune', 'ssaiInfo fallback.ssaiInfo')
+play.max.com#%#//scriptlet('json-prune', 'adtech-brightline adtech-google-pal adtech-iab-om')
+play.max.com#%#//scriptlet('xml-prune', 'xpath(//*[name()="Period"][not(.//*[name()="SegmentTimeline"])][not(.//*[name()="ContentProtection"])])', '', '.mpd')
+! https://github.com/AdguardTeam/AdguardFilters/issues/166545
+onejav.com#%#//scriptlet('abort-on-stack-trace', 'Number', '_0x')
+! https://github.com/AdguardTeam/AdguardFilters/issues/166953
+yts.mx#%#//scriptlet('abort-current-inline-script', 'document.write')
+! https://github.com/AdguardTeam/AdguardFilters/issues/166723
+draplay2.pro#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/166633
+secure.goskippy.com#%#//scriptlet('remove-class', 'async-hide', 'html')
+! https://github.com/AdguardTeam/AdguardFilters/issues/166543
+stbemucode.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/166444
+bbc.com#%#//scriptlet('set-constant', 'dotcom.reinitAds', 'noopFunc')
+! popup
+javturbo.xyz,javguard.xyz#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/166210
+linkvertise.com#%#//scriptlet('json-prune', 'data.getTaboolaAds.*')
+! https://github.com/AdguardTeam/AdguardFilters/issues/166123
+pastepvp.org#%#//scriptlet('prevent-addEventListener', 'DOMContentLoaded', 'adclicker')
+! https://github.com/AdguardTeam/AdguardFilters/issues/165995
+gayvidsclub.com#%#//scriptlet('abort-current-inline-script', 'onload', 'atob(link)')
+! mdy48tn97.com player (mixdrop server)
+mdy48tn97.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/168134
+! https://github.com/AdguardTeam/AdguardFilters/issues/165284
+upornia.com,pornclassic.tube,tubepornclassic.com#%#//scriptlet('set-constant', 'prerollMain', 'undefined')
+! popunder
+ggjav.com,ggjav.tv#%#//scriptlet('abort-current-inline-script', '$', 'popunder')
+! ads
+xnxx-sexfilme.com#%#//scriptlet('prevent-setTimeout', 'appendChild')
+! https://javideo.net/fc2ppv-3941012 VGT#01 server popup
+av-cdn.xyz#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/164560
+ign.com#%#//scriptlet('set-constant', 'Object.prototype.sliderAdsDisabled', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/164494
+watchmoviesss.*#%#//scriptlet('close-window', '/watch/hd-movie')
+! https://github.com/AdguardTeam/AdguardFilters/issues/164399
+link.paid4link.com#%#//scriptlet('remove-class', 'get-link', 'a.get-link[target="_blank"]')
+link.paid4link.com#%#//scriptlet('prevent-addEventListener', 'click', 'tampilkanUrl')
+! https://github.com/AdguardTeam/AdguardFilters/issues/164045#issuecomment-1767666555
+mlsbd.shop#%#//scriptlet('prevent-addEventListener', 'DOMContentLoaded', 'hasRedirected')
+! https://github.com/AdguardTeam/AdguardFilters/issues/163755
+mamahawa.com,10short.pro#%#//scriptlet('trusted-replace-node-text', 'script', '/function openLink\(\)[\s\S]*?window\.location\.href/', '/(function openLink\(\)[\s\S]*?)window\.location\.href.*;/', '$1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/163835
+y2down.cc#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/163867
+xanimu.com#%#//scriptlet('prevent-element-src-loading', 'script', 'magsrv.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/163937
+! https://github.com/AdguardTeam/AdguardFilters/issues/162859
+qiwi.gg#%#//scriptlet('trusted-click-element', 'button[class^="DownloadButton_AdButton"]', '', '500')
+qiwi.gg#%#//scriptlet('trusted-click-element', 'button[class^="DownloadButton_ButtonSoScraperCanTakeThisName"]', '', '500')
+qiwi.gg#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/162901
+pokemonlaserielatino.xyz,stbpnetu.xyz,tmdbcdn.lat,asdasd1231238das.site,animeyt2.es,filmcdn.top,ztnetu.com,vpge.link,opuxa.lat,troncha.lol,player.igay69.com,xtapes.to,rpdrlatino.com,player.streaming-integrale.com,vapley.top,fansubseries.com.br,cinecalidad.vip,shitcjshit.com,playertoast.cloud,fsohd.pro,xz6.top,javboys.cam,vzlinks.com,playvideohd.com,younetu.org,mundosinistro.com,stbnetu.xyz,diziturk.club,1069jp.com,vertelenovelasonline.com,rpdrlatino.live,ntvid.online,playerhd.org,gledajvideo.top,filme-romanesti.ro,peliculas8k.com,video.q34r.org,korall.xyz,porntoday.ws,netuplayer.top,wiztube.xyz,netu.ac,speedporn.net,meucdn.vip,yandexcdn.com,waaw1.tv,waaw.*,czxxx.org,hqq.*#%#//scriptlet('abort-on-property-read', 'popUrl')
+! https://github.com/AdguardTeam/AdguardFilters/issues/162669
+liveon.sx#%#//scriptlet('prevent-eval-if', 'popups')
+! https://github.com/AdguardTeam/AdguardFilters/issues/162691
+tktube.com#%#//scriptlet('abort-on-property-read', 'StripchatSpot')
+! https://github.com/AdguardTeam/AdguardFilters/issues/162415
+porntrex.video#%#//scriptlet("set-constant", "univresalP", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/162383
+! https://github.com/AdguardTeam/AdguardFilters/issues/144785
+! https://github.com/AdguardTeam/AdguardFilters/issues/104441
+gaystream.click,gaystream.pw#%#//scriptlet('trusted-click-element', '.streams .overlay-close > button', '', '500')
+gaystream.click,gaystream.pw#%#//scriptlet("abort-on-property-read", "adsbyjuicy")
+gaystream.click,gaystream.pw#%#//scriptlet("prevent-window-open")
+gaystream.click,gaystream.pw#%#//scriptlet('set-cookie', 'popcashpu', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/162158
+newslive.com#%#//scriptlet('abort-current-inline-script', 'onload', 'atob(link)')
+! https://github.com/AdguardTeam/AdguardFilters/issues/169300
+! https://github.com/AdguardTeam/AdguardFilters/issues/162161
+jeniusplay.com#%#//scriptlet('prevent-window-open')
+idlixplus.*#%#//scriptlet('trusted-set-constant', 'dtGonza.playeradstime', '"-1"')
+! https://github.com/AdguardTeam/AdguardFilters/issues/180487
+worldsurfleague.com#%#(()=>{const n=function(n){if("function"==typeof n)try{n.call()}catch(n){}},i={addAdUnits:function(){},adServers:{dfp:{buildVideoUrl:function(){return""}}},adUnits:[],aliasBidder:function(){},cmd:[],enableAnalytics:function(){},getHighestCpmBids:function(){return[]},libLoaded:!0,que:[],requestBids:function(n){if(n instanceof Object&&n.bidsBackHandler)try{n.bidsBackHandler.call()}catch(n){}},removeAdUnit:function(){},setBidderConfig:function(){},setConfig:function(){},setTargetingForGPTAsync:function(){},rp:{requestVideoBids:function(n){if("function"==typeof n?.callback)try{n.callback.call()}catch(n){}}}};i.cmd.push=n,i.que.push=n,window.pbjs=i})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/161263
+! Fixes video player, required in case of DNS filtering
+uniladtech.com,gamingbible.com,ladbible.com,sportbible.com,unilad.com,tyla.com#%#//scriptlet('set-constant', 'pbjs.rp', 'noopFunc')
+uniladtech.com,gamingbible.com,ladbible.com,sportbible.com,unilad.com,tyla.com#%#//scriptlet('set-constant', 'pbjs.rp.requestVideoBids', 'noopFunc')
+uniladtech.com,gamingbible.com,ladbible.com,sportbible.com,unilad.com,tyla.com#%#//scriptlet('prevent-element-src-loading', 'script', 'adsafeprotected')
+uniladtech.com,gamingbible.com,ladbible.com,sportbible.com,unilad.com,tyla.com#%#//scriptlet('adjust-setTimeout', 'e()', '3500', '0.001')
+uniladtech.com,gamingbible.com,ladbible.com,sportbible.com,unilad.com,tyla.com#%#(()=>{const c=function(){[...arguments].forEach((c=>{if("function"==typeof c)try{c(!0)}catch(c){console.debug(c)}}))},n=[];n.push=c,window.PQ={cmd:n,getTargeting:c}})();
+uniladtech.com,gamingbible.com,ladbible.com,sportbible.com,unilad.com,tyla.com#%#(()=>{const n=function(n){if("function"==typeof n)try{n.call()}catch(n){}},i={addAdUnits:function(){},adServers:{dfp:{buildVideoUrl:function(){return""}}},adUnits:[],aliasBidder:function(){},cmd:[],enableAnalytics:function(){},getHighestCpmBids:function(){return[]},libLoaded:!0,que:[],requestBids:function(n){if(n instanceof Object&&n.bidsBackHandler)try{n.bidsBackHandler.call()}catch(n){}},removeAdUnit:function(){},setBidderConfig:function(){},setConfig:function(){},setTargetingForGPTAsync:function(){}};i.cmd.push=n,i.que.push=n,window.pbjs=i})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/145816
+!ladbible.com,unilad.com,unilad.co.uk,gamingbible.com,tyla.com,sportbible.com#%#//scriptlet('set-constant', 'PQ', 'emptyObj')
+!ladbible.com,unilad.com,unilad.co.uk,gamingbible.com,tyla.com,sportbible.com#%#//scriptlet('set-constant', 'PQ.cmd', 'emptyArr')
+!ladbible.com,unilad.com,unilad.co.uk,gamingbible.com,tyla.com,sportbible.com#%#//scriptlet('prevent-element-src-loading', 'script', '/pub.doubleverify.com|static.adsafeprotected.com/')
+uniladtech.com,ladbible.com,unilad.com,unilad.co.uk,gamingbible.com,tyla.com,sportbible.com#%#//scriptlet('adjust-setTimeout', 'loadVideo', '*', '0.02')
+uniladtech.com,ladbible.com,unilad.com,unilad.co.uk,gamingbible.com,tyla.com,sportbible.com#%#(()=>{const a=function(){};window.apstag={fetchBids(c,a){"function"==typeof a&&a([])},init:a,setDisplayBids:a,targetingKeys:a}})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/162041
+animexin.vip#%#//scriptlet('abort-current-inline-script', 'onload', 'atob(link)')
+! https://github.com/AdguardTeam/AdguardFilters/issues/161847
+scribegeser.weebly.com#%#//scriptlet('abort-current-inline-script', 'document.write', 'atob')
+! https://github.com/AdguardTeam/AdguardFilters/issues/161900
+r18.best#%#//scriptlet("abort-on-property-read", "_cpp")
+r18.best#%#//scriptlet('set-cookie', '_popprepop', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/161818
+vidmoly.me,vidmoly.net,vidmoly.to#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/161760
+reshare.pm#%#//scriptlet('abort-current-inline-script', 'String.prototype.split', 'Popunder')
+! https://github.com/AdguardTeam/AdguardFilters/issues/161729
+! Minute Media
+! Fixes infinite loading articles when scrolling
+mentalfloss.com,90min.com,fansided.com,90min.de,12thmanrising.com,1428elm.com,8points9seconds.com,acceptthisrose.com,airalamo.com,allcougdup.com,allfortennessee.com,allstokedup.com,allucanheat.com,alongmainstreet.com,amazonadviser.com,animeaway.com,apptrigger.com,aroundthefoghorn.com,aroyalpain.com,arrowheadaddict.com,artofgears.com,askeverest.com,audiophix.com,autzenzoo.com,awaybackgone.com,awinninghabit.com,badgerofhonor.com,balldurham.com,bamahammer.com,bamsmackpow.com,bayernstrikes.com,bealestreetbears.com,beargoggleson.com,beaverbyte.com,behindthebuckpass.com,beyondtheflag.com,bigredlouie.com,birdswatcher.com,blackandteal.com,blackhawkup.com,blackoutdallas.com,bladesofteal.com,bleedinblue.com,bloggingdirty.com,blogoflegends.com,blogredmachine.com,bluelinestation.com,bluemanhoop.com,boltbeat.com,boltsbythebay.com,bosoxinjection.com,broadstreetbuzz.com,buffalowdown.com,bustingbrackets.com,bvbbuzz.com,calltothepen.com,caneswarning.com,cardiaccane.com,catcrave.com,causewaycrowd.com,champagneandshade.com,chopchat.com,chowderandchampions.com,cincyontheprowl.com,claireandjamie.com,claretvillans.com,climbingtalshill.com,clipperholics.com,cubbiescrib.com,culturess.com,dailyddt.com,dailyknicks.com,dairylandexpress.com,dawgpounddaily.com,dawindycity.com,dawnofthedawg.com,dearoldgold.com,deathvalleyvoice.com,detroitjockcity.com,devilsindetail.com,diredota.com,districtondeck.com,dodgersway.com,dogoday.com,dorksideoftheforce.com,dunkingwithwolves.com,ebonybird.com,editorinleaf.com,empirewritesback.com,everythingbarca.com,everythingontap.com,eyesonisles.com,factoryofsadness.co,fantasycpr.com,fightinggobbler.com,flameforthought.com,flywareagle.com,foodsided.com,foreverfortnite.com,fourfourcrew.com,foxesofleicester.com,friarsonbase.com,garnetandcocky.com,gbmwolverine.com,geeksided.com,gigemgazette.com,glorycolorado.com,gmenhq.com,gojoebruin.com,goldengatesports.com,gonepuckwild.com,greenstreethammers.com,guiltyeats.com,hailfloridahail.com,hailwv.com,halohangout.com,hardwoodhoudini.com,hiddenremote.com,hookemheadlines.com,hoopshabit.com,hoosierstateofmind.com,horseshoeheroes.com,hotspurhq.com,houseofhouston.com,housethathankbuilt.com,howlinhockey.com,huskercorner.com,insideibrox.com,insidetheiggles.com,insidetheloudhouse.com,interheron.com,jaysjournal.com,jetswhiteout.com,justblogbaby.com,kardashiandish.com,kckingdom.com,keepingitheel.com,kingjamesgospel.com,kingsofkauffman.com,krakenchronicle.com,lakeshowlife.com,lasportshub.com,lastnighton.com,lawlessrepublic.com,lobandsmash.com,localpov.com,lombardiave.com,mancitysquare.com,marlinmaniac.com,maroonandwhitenation.com,milehighsticking.com,mlsmultiplex.com,motorcitybengals.com,musketfire.com,netflixlife.com,newcastletoons.com,nflmocks.com,nflspinzone.com,ninernoise.com,nolanwritin.com,northbankrsl.com,nothinbutnets.com,nugglove.com,octopusthrower.com,oilonwhyte.com,oldjuve.com,olehottytoddy.com,onechicagocenter.com,orangeintheoven.com,orlandomagicdaily.com,otowns11.com,paininthearsenal.com,pelicandebrief.com,penslabyrinth.com,phinphanatic.com,pippenainteasy.com,pistonpowered.com,playingfor90.com,pokespost.com,precincttv.com,predlines.com,predominantlyorange.com,princerupertstower.com,progolfnow.com,psgpost.com,puckettspond.com,puckprose.com,pucksandpitchforks.com,pucksofafeather.com,raisingzona.com,ramblinfan.com,ranchesandreins.com,raptorsrapture.com,rayscoloredglasses.com,razorbackers.com,redbirdrants.com,reddevilarmada.com,redshirtsalwaysdie.com,reignoftroy.com,releasetheknappen.com,reportingkc.com,reviewingthebrew.com,rhymejunkie.com,riggosrag.com,rinkroyalty.com,ripcityproject.com,risingapple.com,roxpile.com,rubbingtherock.com,rumbunter.com,rushthekop.com,sabrenoise.com,saintsmarching.com,saturdayblitz.com,scarletandgame.com,section215.com,senshot.com,showsnob.com,sidelionreport.com,sircharlesincharge.com,skyscraperblues.com,slapthesign.com,soaringdownsouth.com,sodomojo.com,soundersnation.com,southboundanddown.com,southsideshowdown.com,spacecityscoop.com,spartanavenue.com,sportdfw.com,stairwayto11.com,starsandsticks.com,stillcurtain.com,stormininnorman.com,stormthepaint.com,stripehype.com,survivingtribal.com,swarmandsting.com,teaandbanter.com,tenntruth.com,terrapinstationmd.com,thatballsouttahere.com,thecanuckway.com,thecelticbhoys.com,thehuskyhaul.com,thejetpress.com,thejnotes.com,thelandryhat.com,theparentwatch.com,thepewterplank.com,theprideoflondon.com,therattrick.com,therealchamps.com,thesixersense.com,thesmokingcuban.com,thetimberlean.com,thetopflight.com,theviewfromavalon.com,thevikingage.com,throughthephog.com,thunderousintentions.com,tipofthetower.com,titansized.com,torontoreds.com,torotimes.com,tripsided.com,trumanstales.com,undeadwalking.com,underthelaces.com,unionandblue.com,valleyofthesuns.com,vegashockeyknight.com,venomstrikes.com,victorybellrings.com,vivaligamx.com,whitecleatbeat.com,whodatdish.com,wildcatbluenation.com,winteriscoming.net,withthefirstpick.com,wizofawes.com,wreckemred.com,writingillini.com,dbltap.com,fansidedmma.com,poppicante.com,yanksgoyard.com,yellowjackedup.com,zonazealots.com#%#//scriptlet('set-constant', 'OBR', 'noopFunc')
+mentalfloss.com,90min.com,fansided.com,90min.de,12thmanrising.com,1428elm.com,8points9seconds.com,acceptthisrose.com,airalamo.com,allcougdup.com,allfortennessee.com,allstokedup.com,allucanheat.com,alongmainstreet.com,amazonadviser.com,animeaway.com,apptrigger.com,aroundthefoghorn.com,aroyalpain.com,arrowheadaddict.com,artofgears.com,askeverest.com,audiophix.com,autzenzoo.com,awaybackgone.com,awinninghabit.com,badgerofhonor.com,balldurham.com,bamahammer.com,bamsmackpow.com,bayernstrikes.com,bealestreetbears.com,beargoggleson.com,beaverbyte.com,behindthebuckpass.com,beyondtheflag.com,bigredlouie.com,birdswatcher.com,blackandteal.com,blackhawkup.com,blackoutdallas.com,bladesofteal.com,bleedinblue.com,bloggingdirty.com,blogoflegends.com,blogredmachine.com,bluelinestation.com,bluemanhoop.com,boltbeat.com,boltsbythebay.com,bosoxinjection.com,broadstreetbuzz.com,buffalowdown.com,bustingbrackets.com,bvbbuzz.com,calltothepen.com,caneswarning.com,cardiaccane.com,catcrave.com,causewaycrowd.com,champagneandshade.com,chopchat.com,chowderandchampions.com,cincyontheprowl.com,claireandjamie.com,claretvillans.com,climbingtalshill.com,clipperholics.com,cubbiescrib.com,culturess.com,dailyddt.com,dailyknicks.com,dairylandexpress.com,dawgpounddaily.com,dawindycity.com,dawnofthedawg.com,dearoldgold.com,deathvalleyvoice.com,detroitjockcity.com,devilsindetail.com,diredota.com,districtondeck.com,dodgersway.com,dogoday.com,dorksideoftheforce.com,dunkingwithwolves.com,ebonybird.com,editorinleaf.com,empirewritesback.com,everythingbarca.com,everythingontap.com,eyesonisles.com,factoryofsadness.co,fantasycpr.com,fightinggobbler.com,flameforthought.com,flywareagle.com,foodsided.com,foreverfortnite.com,fourfourcrew.com,foxesofleicester.com,friarsonbase.com,garnetandcocky.com,gbmwolverine.com,geeksided.com,gigemgazette.com,glorycolorado.com,gmenhq.com,gojoebruin.com,goldengatesports.com,gonepuckwild.com,greenstreethammers.com,guiltyeats.com,hailfloridahail.com,hailwv.com,halohangout.com,hardwoodhoudini.com,hiddenremote.com,hookemheadlines.com,hoopshabit.com,hoosierstateofmind.com,horseshoeheroes.com,hotspurhq.com,houseofhouston.com,housethathankbuilt.com,howlinhockey.com,huskercorner.com,insideibrox.com,insidetheiggles.com,insidetheloudhouse.com,interheron.com,jaysjournal.com,jetswhiteout.com,justblogbaby.com,kardashiandish.com,kckingdom.com,keepingitheel.com,kingjamesgospel.com,kingsofkauffman.com,krakenchronicle.com,lakeshowlife.com,lasportshub.com,lastnighton.com,lawlessrepublic.com,lobandsmash.com,localpov.com,lombardiave.com,mancitysquare.com,marlinmaniac.com,maroonandwhitenation.com,milehighsticking.com,mlsmultiplex.com,motorcitybengals.com,musketfire.com,netflixlife.com,newcastletoons.com,nflmocks.com,nflspinzone.com,ninernoise.com,nolanwritin.com,northbankrsl.com,nothinbutnets.com,nugglove.com,octopusthrower.com,oilonwhyte.com,oldjuve.com,olehottytoddy.com,onechicagocenter.com,orangeintheoven.com,orlandomagicdaily.com,otowns11.com,paininthearsenal.com,pelicandebrief.com,penslabyrinth.com,phinphanatic.com,pippenainteasy.com,pistonpowered.com,playingfor90.com,pokespost.com,precincttv.com,predlines.com,predominantlyorange.com,princerupertstower.com,progolfnow.com,psgpost.com,puckettspond.com,puckprose.com,pucksandpitchforks.com,pucksofafeather.com,raisingzona.com,ramblinfan.com,ranchesandreins.com,raptorsrapture.com,rayscoloredglasses.com,razorbackers.com,redbirdrants.com,reddevilarmada.com,redshirtsalwaysdie.com,reignoftroy.com,releasetheknappen.com,reportingkc.com,reviewingthebrew.com,rhymejunkie.com,riggosrag.com,rinkroyalty.com,ripcityproject.com,risingapple.com,roxpile.com,rubbingtherock.com,rumbunter.com,rushthekop.com,sabrenoise.com,saintsmarching.com,saturdayblitz.com,scarletandgame.com,section215.com,senshot.com,showsnob.com,sidelionreport.com,sircharlesincharge.com,skyscraperblues.com,slapthesign.com,soaringdownsouth.com,sodomojo.com,soundersnation.com,southboundanddown.com,southsideshowdown.com,spacecityscoop.com,spartanavenue.com,sportdfw.com,stairwayto11.com,starsandsticks.com,stillcurtain.com,stormininnorman.com,stormthepaint.com,stripehype.com,survivingtribal.com,swarmandsting.com,teaandbanter.com,tenntruth.com,terrapinstationmd.com,thatballsouttahere.com,thecanuckway.com,thecelticbhoys.com,thehuskyhaul.com,thejetpress.com,thejnotes.com,thelandryhat.com,theparentwatch.com,thepewterplank.com,theprideoflondon.com,therattrick.com,therealchamps.com,thesixersense.com,thesmokingcuban.com,thetimberlean.com,thetopflight.com,theviewfromavalon.com,thevikingage.com,throughthephog.com,thunderousintentions.com,tipofthetower.com,titansized.com,torontoreds.com,torotimes.com,tripsided.com,trumanstales.com,undeadwalking.com,underthelaces.com,unionandblue.com,valleyofthesuns.com,vegashockeyknight.com,venomstrikes.com,victorybellrings.com,vivaligamx.com,whitecleatbeat.com,whodatdish.com,wildcatbluenation.com,winteriscoming.net,withthefirstpick.com,wizofawes.com,wreckemred.com,writingillini.com,dbltap.com,fansidedmma.com,poppicante.com,yanksgoyard.com,yellowjackedup.com,zonazealots.com#%#//scriptlet('set-constant', 'OBR.extern', 'noopFunc')
+mentalfloss.com,90min.com,fansided.com,90min.de,12thmanrising.com,1428elm.com,8points9seconds.com,acceptthisrose.com,airalamo.com,allcougdup.com,allfortennessee.com,allstokedup.com,allucanheat.com,alongmainstreet.com,amazonadviser.com,animeaway.com,apptrigger.com,aroundthefoghorn.com,aroyalpain.com,arrowheadaddict.com,artofgears.com,askeverest.com,audiophix.com,autzenzoo.com,awaybackgone.com,awinninghabit.com,badgerofhonor.com,balldurham.com,bamahammer.com,bamsmackpow.com,bayernstrikes.com,bealestreetbears.com,beargoggleson.com,beaverbyte.com,behindthebuckpass.com,beyondtheflag.com,bigredlouie.com,birdswatcher.com,blackandteal.com,blackhawkup.com,blackoutdallas.com,bladesofteal.com,bleedinblue.com,bloggingdirty.com,blogoflegends.com,blogredmachine.com,bluelinestation.com,bluemanhoop.com,boltbeat.com,boltsbythebay.com,bosoxinjection.com,broadstreetbuzz.com,buffalowdown.com,bustingbrackets.com,bvbbuzz.com,calltothepen.com,caneswarning.com,cardiaccane.com,catcrave.com,causewaycrowd.com,champagneandshade.com,chopchat.com,chowderandchampions.com,cincyontheprowl.com,claireandjamie.com,claretvillans.com,climbingtalshill.com,clipperholics.com,cubbiescrib.com,culturess.com,dailyddt.com,dailyknicks.com,dairylandexpress.com,dawgpounddaily.com,dawindycity.com,dawnofthedawg.com,dearoldgold.com,deathvalleyvoice.com,detroitjockcity.com,devilsindetail.com,diredota.com,districtondeck.com,dodgersway.com,dogoday.com,dorksideoftheforce.com,dunkingwithwolves.com,ebonybird.com,editorinleaf.com,empirewritesback.com,everythingbarca.com,everythingontap.com,eyesonisles.com,factoryofsadness.co,fantasycpr.com,fightinggobbler.com,flameforthought.com,flywareagle.com,foodsided.com,foreverfortnite.com,fourfourcrew.com,foxesofleicester.com,friarsonbase.com,garnetandcocky.com,gbmwolverine.com,geeksided.com,gigemgazette.com,glorycolorado.com,gmenhq.com,gojoebruin.com,goldengatesports.com,gonepuckwild.com,greenstreethammers.com,guiltyeats.com,hailfloridahail.com,hailwv.com,halohangout.com,hardwoodhoudini.com,hiddenremote.com,hookemheadlines.com,hoopshabit.com,hoosierstateofmind.com,horseshoeheroes.com,hotspurhq.com,houseofhouston.com,housethathankbuilt.com,howlinhockey.com,huskercorner.com,insideibrox.com,insidetheiggles.com,insidetheloudhouse.com,interheron.com,jaysjournal.com,jetswhiteout.com,justblogbaby.com,kardashiandish.com,kckingdom.com,keepingitheel.com,kingjamesgospel.com,kingsofkauffman.com,krakenchronicle.com,lakeshowlife.com,lasportshub.com,lastnighton.com,lawlessrepublic.com,lobandsmash.com,localpov.com,lombardiave.com,mancitysquare.com,marlinmaniac.com,maroonandwhitenation.com,milehighsticking.com,mlsmultiplex.com,motorcitybengals.com,musketfire.com,netflixlife.com,newcastletoons.com,nflmocks.com,nflspinzone.com,ninernoise.com,nolanwritin.com,northbankrsl.com,nothinbutnets.com,nugglove.com,octopusthrower.com,oilonwhyte.com,oldjuve.com,olehottytoddy.com,onechicagocenter.com,orangeintheoven.com,orlandomagicdaily.com,otowns11.com,paininthearsenal.com,pelicandebrief.com,penslabyrinth.com,phinphanatic.com,pippenainteasy.com,pistonpowered.com,playingfor90.com,pokespost.com,precincttv.com,predlines.com,predominantlyorange.com,princerupertstower.com,progolfnow.com,psgpost.com,puckettspond.com,puckprose.com,pucksandpitchforks.com,pucksofafeather.com,raisingzona.com,ramblinfan.com,ranchesandreins.com,raptorsrapture.com,rayscoloredglasses.com,razorbackers.com,redbirdrants.com,reddevilarmada.com,redshirtsalwaysdie.com,reignoftroy.com,releasetheknappen.com,reportingkc.com,reviewingthebrew.com,rhymejunkie.com,riggosrag.com,rinkroyalty.com,ripcityproject.com,risingapple.com,roxpile.com,rubbingtherock.com,rumbunter.com,rushthekop.com,sabrenoise.com,saintsmarching.com,saturdayblitz.com,scarletandgame.com,section215.com,senshot.com,showsnob.com,sidelionreport.com,sircharlesincharge.com,skyscraperblues.com,slapthesign.com,soaringdownsouth.com,sodomojo.com,soundersnation.com,southboundanddown.com,southsideshowdown.com,spacecityscoop.com,spartanavenue.com,sportdfw.com,stairwayto11.com,starsandsticks.com,stillcurtain.com,stormininnorman.com,stormthepaint.com,stripehype.com,survivingtribal.com,swarmandsting.com,teaandbanter.com,tenntruth.com,terrapinstationmd.com,thatballsouttahere.com,thecanuckway.com,thecelticbhoys.com,thehuskyhaul.com,thejetpress.com,thejnotes.com,thelandryhat.com,theparentwatch.com,thepewterplank.com,theprideoflondon.com,therattrick.com,therealchamps.com,thesixersense.com,thesmokingcuban.com,thetimberlean.com,thetopflight.com,theviewfromavalon.com,thevikingage.com,throughthephog.com,thunderousintentions.com,tipofthetower.com,titansized.com,torontoreds.com,torotimes.com,tripsided.com,trumanstales.com,undeadwalking.com,underthelaces.com,unionandblue.com,valleyofthesuns.com,vegashockeyknight.com,venomstrikes.com,victorybellrings.com,vivaligamx.com,whitecleatbeat.com,whodatdish.com,wildcatbluenation.com,winteriscoming.net,withthefirstpick.com,wizofawes.com,wreckemred.com,writingillini.com,dbltap.com,fansidedmma.com,poppicante.com,yanksgoyard.com,yellowjackedup.com,zonazealots.com#%#//scriptlet('set-constant', 'OBR.extern.researchWidget', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/161181
+allnporn.com#%#//scriptlet('prevent-window-open')
+allnporn.com#%#//scriptlet('abort-on-property-read', 'mmsern')
+! https://github.com/AdguardTeam/AdguardFilters/issues/161558
+link.almaftuchin.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/161482
+simpcity.su#%#//scriptlet('set-cookie', 'zone-cap-papi-hates-blocks', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/185983
+! https://github.com/AdguardTeam/AdguardFilters/issues/161551
+! Fixes video player
+bloomberg.com#%#(()=>{const t=[];t.push=function(t){try{t()}catch(t){}};window.headertag={cmd:t,buildGamMvt:function(t,c){const n={[c]:"https://securepubads.g.doubleclick.net/gampad/ads"};return n||{}},retrieveVideoDemand:function(t,c,n){const e=t[0]?.htSlotName;if("function"==typeof c)try{c(e)}catch(t){}}}})();
+! It's like google-ima3 redirect resource but bit modified
+! Just a note: other rules are highlighted incorrectly if there is no space after "of" in "of [" part
+bloomberg.com#%#(()=>{const e="3.453.0",t=function(){},s={},n=function(e){const t=document.createElement("div");t.style.setProperty("display","none","important"),t.style.setProperty("visibility","collapse","important"),e&&e.appendChild(t)};n.prototype.destroy=t,n.prototype.initialize=t;const i=function(){};i.CompanionBackfillMode={ALWAYS:"always",ON_MASTER_AD:"on_master_ad"},i.VpaidMode={DISABLED:0,ENABLED:1,INSECURE:2},i.prototype={c:!0,f:{},i:!1,l:"",p:"",r:0,t:"",v:"",getCompanionBackfill:t,getDisableCustomPlaybackForIOS10Plus(){return this.i},getDisabledFlashAds:()=>!0,getFeatureFlags(){return this.f},getLocale(){return this.l},getNumRedirects(){return this.r},getPlayerType(){return this.t},getPlayerVersion(){return this.v},getPpid(){return this.p},getVpaidMode(){return this.C},isCookiesEnabled(){return this.c},isVpaidAdapter(){return this.M},setCompanionBackfill:t,setAutoPlayAdBreaks(e){this.K=e},setCookiesEnabled(e){this.c=!!e},setDisableCustomPlaybackForIOS10Plus(e){this.i=!!e},setDisableFlashAds:t,setFeatureFlags(e){this.f=!!e},setIsVpaidAdapter(e){this.M=e},setLocale(e){this.l=!!e},setNumRedirects(e){this.r=!!e},setPageCorrelator(e){this.R=e},setPlayerType(e){this.t=!!e},setPlayerVersion(e){this.v=!!e},setPpid(e){this.p=!!e},setVpaidMode(e){this.C=e},setSessionId:t,setStreamCorrelator:t,setVpaidAllowed:t,CompanionBackfillMode:{ALWAYS:"always",ON_MASTER_AD:"on_master_ad"},VpaidMode:{DISABLED:0,ENABLED:1,INSECURE:2}};const r=function(){this.listeners=new Map,this._dispatch=function(e){let t=this.listeners.get(e.type);t=t?t.values():[];for(const s of Array.from(t))try{s(e)}catch(e){console.trace(e)}},this.addEventListener=function(e,t,s,n){Array.isArray(e)||(e=[e]);for(let s=0;s!1,o.getCuePoints=()=>[0],o.getCurrentAd=()=>h,o.getCurrentAdCuePoints=()=>[],o.getRemainingTime=()=>0,o.getVolume=function(){return this.volume},o.init=t,o.isCustomClickTrackingUsed=()=>!1,o.isCustomPlaybackUsed=()=>!1,o.pause=t,o.requestNextAdBreak=t,o.resize=t,o.resume=t,o.setVolume=function(e){this.volume=e},o.skip=t,o.start=function(){for(const e of [T.Type.LOADED,T.Type.STARTED,T.Type.CONTENT_RESUME_REQUESTED,T.Type.AD_BUFFERING,T.Type.FIRST_QUARTILE,T.Type.MIDPOINT,T.Type.THIRD_QUARTILE,T.Type.COMPLETE,T.Type.ALL_ADS_COMPLETED])try{this._dispatch(new s.AdEvent(e))}catch(e){console.trace(e)}},o.stop=t,o.updateAdsRenderingSettings=t;const a=Object.create(o),d=function(e,t,s){this.type=e,this.adsRequest=t,this.userRequestContext=s};d.prototype={getAdsManager:()=>a,getUserRequestContext(){return this.userRequestContext?this.userRequestContext:{}}},d.Type={ADS_MANAGER_LOADED:"adsManagerLoaded"};const E=r;E.prototype.settings=new i,E.prototype.contentComplete=t,E.prototype.destroy=t,E.prototype.getSettings=function(){return this.settings},E.prototype.getVersion=()=>e,E.prototype.requestAds=function(e,t){requestAnimationFrame((()=>{const{ADS_MANAGER_LOADED:n}=d.Type,i=new s.AdsManagerLoadedEvent(n,e,t);this._dispatch(i)}));const n=new s.AdError("adPlayError",1205,1205,"The browser prevented playback initiated without user interaction.",e,t);requestAnimationFrame((()=>{this._dispatch(new s.AdErrorEvent(n))}))};const A=t,u=function(){};u.prototype={setAdWillAutoPlay:t,setAdWillPlayMuted:t,setContinuousPlayback:t};const l=function(){};l.prototype={getAdPosition:()=>1,getIsBumper:()=>!1,getMaxDuration:()=>-1,getPodIndex:()=>1,getTimeOffset:()=>0,getTotalAds:()=>1};const g=function(){};g.prototype.getAdIdRegistry=function(){return""},g.prototype.getAdIsValue=function(){return""};const p=function(){};p.prototype={pi:new l,getAdId:()=>"",getAdPodInfo(){return this.pi},getAdSystem:()=>"",getAdvertiserName:()=>"",getApiFramework:()=>null,getCompanionAds:()=>[],getContentType:()=>"",getCreativeAdId:()=>"",getDealId:()=>"",getDescription:()=>"",getDuration:()=>8.5,getHeight:()=>0,getMediaUrl:()=>null,getMinSuggestedDuration:()=>-2,getSkipTimeOffset:()=>-1,getSurveyUrl:()=>null,getTitle:()=>"",getTraffickingParametersString:()=>"",getUiElements:()=>[""],getUniversalAdIdRegistry:()=>"unknown",getUniversalAdIds:()=>[new g],getUniversalAdIdValue:()=>"unknown",getVastMediaBitrate:()=>0,getVastMediaHeight:()=>0,getVastMediaWidth:()=>0,getWidth:()=>0,getWrapperAdIds:()=>[""],getWrapperAdSystems:()=>[""],getWrapperCreativeIds:()=>[""],isLinear:()=>!0,isSkippable:()=>!0};const c=function(){};c.prototype={getAdSlotId:()=>"",getContent:()=>"",getContentType:()=>"",getHeight:()=>1,getWidth:()=>1};const C=function(e,t,s,n,i,r){this.errorCode=t,this.message=n,this.type=e,this.adsRequest=i,this.userRequestContext=r,this.getErrorCode=function(){return this.errorCode},this.getInnerError=function(){return null},this.getMessage=function(){return this.message},this.getType=function(){return this.type},this.getVastErrorCode=function(){return this.vastErrorCode},this.toString=function(){return`AdError ${this.errorCode}: ${this.message}`}};C.ErrorCode={},C.Type={};const h=(()=>{try{for(const e of Object.values(window.vidible._getContexts()))if(e.getPlayer()?.div?.innerHTML.includes("www.engadget.com"))return!0}catch(e){}return!1})()?void 0:new p,T=function(e){this.type=e};T.prototype={getAd:()=>h,getAdData:()=>{}},T.Type={AD_BREAK_READY:"adBreakReady",AD_BUFFERING:"adBuffering",AD_CAN_PLAY:"adCanPlay",AD_METADATA:"adMetadata",AD_PROGRESS:"adProgress",ALL_ADS_COMPLETED:"allAdsCompleted",CLICK:"click",COMPLETE:"complete",CONTENT_PAUSE_REQUESTED:"contentPauseRequested",CONTENT_RESUME_REQUESTED:"contentResumeRequested",DURATION_CHANGE:"durationChange",EXPANDED_CHANGED:"expandedChanged",FIRST_QUARTILE:"firstQuartile",IMPRESSION:"impression",INTERACTION:"interaction",LINEAR_CHANGE:"linearChange",LINEAR_CHANGED:"linearChanged",LOADED:"loaded",LOG:"log",MIDPOINT:"midpoint",PAUSED:"pause",RESUMED:"resume",SKIPPABLE_STATE_CHANGED:"skippableStateChanged",SKIPPED:"skip",STARTED:"start",THIRD_QUARTILE:"thirdQuartile",USER_CLOSE:"userClose",VIDEO_CLICKED:"videoClicked",VIDEO_ICON_CLICKED:"videoIconClicked",VIEWABLE_IMPRESSION:"viewable_impression",VOLUME_CHANGED:"volumeChange",VOLUME_MUTED:"mute"};const y=function(e){this.error=e,this.type="adError",this.getError=function(){return this.error},this.getUserRequestContext=function(){return this.error?.userRequestContext?this.error.userRequestContext:{}}};y.Type={AD_ERROR:"adError"};const I=function(){};I.Type={CUSTOM_CONTENT_LOADED:"deprecated-event"};const R=function(){};R.CreativeType={ALL:"All",FLASH:"Flash",IMAGE:"Image"},R.ResourceType={ALL:"All",HTML:"Html",IFRAME:"IFrame",STATIC:"Static"},R.SizeCriteria={IGNORE:"IgnoreSize",SELECT_EXACT_MATCH:"SelectExactMatch",SELECT_NEAR_MATCH:"SelectNearMatch"};const S=function(){};S.prototype={getCuePoints:()=>[],getAdIdRegistry:()=>"",getAdIdValue:()=>""};const D=t;Object.assign(s,{AdCuePoints:S,AdDisplayContainer:n,AdError:C,AdErrorEvent:y,AdEvent:T,AdPodInfo:l,AdProgressData:D,AdsLoader:E,AdsManager:a,AdsManagerLoadedEvent:d,AdsRenderingSettings:A,AdsRequest:u,CompanionAd:c,CompanionAdSelectionSettings:R,CustomContentLoadedEvent:I,gptProxyInstance:{},ImaSdkSettings:i,OmidAccessMode:{DOMAIN:"domain",FULL:"full",LIMITED:"limited"},OmidVerificationVendor:{1:"OTHER",2:"MOAT",3:"DOUBLEVERIFY",4:"INTEGRAL_AD_SCIENCE",5:"PIXELATE",6:"NIELSEN",7:"COMSCORE",8:"MEETRICS",9:"GOOGLE",OTHER:1,MOAT:2,DOUBLEVERIFY:3,INTEGRAL_AD_SCIENCE:4,PIXELATE:5,NIELSEN:6,COMSCORE:7,MEETRICS:8,GOOGLE:9},settings:new i,UiElements:{AD_ATTRIBUTION:"adAttribution",COUNTDOWN:"countdown"},UniversalAdIdInfo:g,VERSION:e,ViewMode:{FULLSCREEN:"fullscreen",NORMAL:"normal"}}),window.google||(window.google={}),window.google.ima?.dai&&(s.dai=window.google.ima.dai),window.google.ima=s})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/161240
+hentai-cosplays.com#%#//scriptlet('abort-current-inline-script', 'jQuery', 'window.open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/161338
+! https://github.com/AdguardTeam/AdguardFilters/issues/161220
+! Fixes video player
+medicalnewstoday.com,healthline.com#%#(()=>{const t=[];t.push=function(t){"object"==typeof t&&t.events&&Object.values(t.events).forEach((t=>{if("function"==typeof t)try{t()}catch(t){}}))},window.AdBridg={cmd:t}})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/161171
+alocdn.co,serialeonline.biz#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/161034
+pureleaks.net#%#//scriptlet('abort-on-property-write', 'popName')
+! https://github.com/AdguardTeam/AdguardFilters/issues/160747
+embedrise.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/160875
+streamvid.net#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/160848
+notube.io#%#//scriptlet('prevent-window-open', 'notube.io/p')
+! https://github.com/AdguardTeam/AdguardFilters/issues/160744
+sotwe.com#%#//scriptlet('prevent-window-open')
+sotwe.com#%#//scriptlet('abort-on-stack-trace', 'String.fromCharCode', '/Array\.map[\s\S]*?\[Symbol\.replace\][\s\S]*?String\.replace/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/89377
+everia.club#%#//scriptlet('abort-current-inline-script', 'atob', 'push')
+! https://github.com/AdguardTeam/AdguardFilters/issues/160439
+link1s.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/160374
+snaptik.app#%#//scriptlet('remove-attr', 'data-ad', 'a[data-ad]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/160298
+trakt.tv#%#//scriptlet('set-constant', 'artemisInit', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/179495
+! https://github.com/AdguardTeam/AdguardFilters/issues/160187
+foxweather.com,foxsports.com#%#//scriptlet('json-prune', 'ads')
+foxweather.com,foxsports.com#%#//scriptlet('m3u-prune', '/#UPLYNK-SEGMENT:.*,ad/', '.m3u8')
+foxsports.com#%#//scriptlet('m3u-prune', '/vod/creatives')
+foxsports.com##.permanentPubInfo
+! https://github.com/AdguardTeam/AdguardFilters/issues/159530
+dvdgayonline.com#%#//scriptlet('remove-attr', 'href', 'a[href]#clickfakeplayer')
+! https://github.com/AdguardTeam/AdguardFilters/issues/159589
+luxuretv.com#%#//scriptlet('abort-current-inline-script', '$', 'Modal')
+! https://github.com/abp-filters/abp-filters-anti-cv/pull/1416
+iusedtobeaboss.com#%#//scriptlet('prevent-addEventListener', 'mousedown', 'pop.doEvent')
+! https://github.com/AdguardTeam/AdguardFilters/issues/159530
+dvdgayonline.com#%#//scriptlet('adjust-setTimeout', 'countdown', '1000', '0.02')
+dflix.top#%#//scriptlet('prevent-window-open')
+! ad initiator
+x2download.com#%#//scriptlet('abort-on-property-read', 'GeneratorAds')
+! https://github.com/AdguardTeam/AdguardFilters/issues/159412
+cgmagonline.com#%#//scriptlet('hide-in-shadow-dom', 'div[data-mini-ad-unit]')
+! popup
+hentaibooty.com#%#//scriptlet('abort-current-inline-script', 'jQuery', 'popupAt')
+! https://github.com/AdguardTeam/AdguardFilters/issues/158713
+9minecraft.net#%#//scriptlet('trusted-set-cookie', 'ofAdPage', 'test')
+! https://github.com/AdguardTeam/AdguardFilters/issues/158353
+kurakura21.space#%#//scriptlet('prevent-eval-if', 'UserCustomPop')
+! https://github.com/AdguardTeam/AdguardFilters/issues/158018
+tuborstb.co#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/157909
+go-streamer.net,vgfplay.xyz,elbailedeltroleo.site,tioplayer.com,listeamed.net,bembed.net,fslinks.org,embedv.net,vembed.net,vid-guard.com,v6embed.xyz,gaystream.online,vgembed.com#%#//scriptlet('prevent-window-open')
+go-streamer.net,vgfplay.xyz,elbailedeltroleo.site,tioplayer.com,listeamed.net,bembed.net,fslinks.org,embedv.net,vembed.net,vid-guard.com,v6embed.xyz,gaystream.online,vgembed.com#%#//scriptlet('abort-on-stack-trace', 'open', '_openAd')
+go-streamer.net,vgfplay.xyz,elbailedeltroleo.site,tioplayer.com,listeamed.net,bembed.net,fslinks.org,embedv.net,vembed.net,vid-guard.com,v6embed.xyz,gaystream.online,vgembed.com#%#//scriptlet('abort-on-stack-trace', 'document.createElement', 'afterOpen')
+! https://github.com/AdguardTeam/AdguardFilters/issues/157993
+porntrex.com#%#//scriptlet('abort-on-property-write', '__showPush')
+! https://github.com/AdguardTeam/AdguardFilters/issues/157705
+smashystream.*#%#//scriptlet('prevent-window-open')
+smashystream.*#%#//scriptlet('abort-current-inline-script', '$', 'window.open')
+! https://javgg.club/jav/abf-012/ popup
+javggvideo.xyz#%#//scriptlet('prevent-window-open')
+javmoon.me#%#//scriptlet('prevent-setTimeout', '/debugger|UserCustomPop/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/157369
+faroutmagazine.co.uk#%#//scriptlet('hide-in-shadow-dom', '.GRVMpuWrapper')
+! https://github.com/AdguardTeam/AdguardFilters/issues/157349
+watchporn.to#%#//scriptlet('trusted-set-local-storage-item', 'kvsplayer_popunder_open', '2000000000000')
+! https://github.com/AdguardTeam/AdguardFilters/issues/157346
+theporndude.com#%#//scriptlet('trusted-set-cookie', 'wallpaper', 'click')
+! https://github.com/AdguardTeam/AdguardFilters/issues/157156
+streamhub.to#%#//scriptlet('abort-current-inline-script', 'Promise', '_0x')
+! https://github.com/AdguardTeam/AdguardFilters/issues/157252
+velo.outsideonline.com#%#//scriptlet('remove-class', 'c-main-header__nav--prestitial', '.c-main-header__nav')
+! https://7mmtv.me/ssis-808/
+7mmtv.*,telorku.xyz#%#//scriptlet('abort-on-property-read', 'doOpen')
+! https://github.com/AdguardTeam/AdguardFilters/issues/156934
+smashystream.com#%#//scriptlet('prevent-addEventListener', 'DOMContentLoaded', '__Y')
+! https://github.com/AdguardTeam/AdguardFilters/issues/156643
+hentai2read.com#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'adsbyexoclick')
+! https://github.com/AdguardTeam/AdguardFilters/issues/156455
+1l1l.to#%#//scriptlet('abort-on-property-read', 'adcash')
+! https://github.com/AdguardTeam/AdguardFilters/issues/156751
+showboxmovies.net#%#//scriptlet('abort-on-property-read', 'CTABPu')
+! https://github.com/AdguardTeam/AdguardFilters/issues/156696
+digminecraft.com#%#//scriptlet('abort-on-property-read', 'pbg')
+! https://github.com/AdguardTeam/AdguardFilters/issues/156602
+iporntoo.com#%#//scriptlet('set-cookie', 'customscript0', '1')
+! https://github.com/uBlockOrigin/uAssets/issues/16317
+blog.carsmania.net,blog.carstopia.net,blog.coinsvalue.net,blog.cookinguide.net,blog.freeoseocheck.com,blog.makeupguide.net#%#//scriptlet('abort-current-inline-script', 'document.getElementById', 'adss')
+! https://github.com/AdguardTeam/AdguardFilters/issues/156454
+bdnewszh.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/156397
+anysex.com#%#//scriptlet('abort-on-property-write', 'setExoCookie')
+anysex.com#%#//scriptlet('abort-on-stack-trace', 'decodeURI', '..get')
+! https://github.com/AdguardTeam/AdguardFilters/issues/156396
+fullporner.com#%#//scriptlet('abort-on-property-read', 'dataPopUnder')
+! https://github.com/AdguardTeam/AdguardFilters/issues/156306
+filepress.fun#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/156262
+bunkrr.su#%#//scriptlet('set-cookie', 'zone-cap-taco-loves-ads', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/156090
+furher.in#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/155632
+gpblog.com#%#//scriptlet('prevent-element-src-loading', 'script', 'ads.nextday.media/prebid/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/155373
+onlymp3.to#%#//scriptlet('prevent-window-open', '!dropbox.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/155279
+www-y2mate.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/155026
+3movs.com#%#//scriptlet('abort-on-property-read', 'popunder')
+! https://github.com/AdguardTeam/AdguardFilters/issues/154877
+fansonlinehub.com,teralink.me,teraearn.com,terashare.me,hotmediahub.com,terabox.fun#%#//scriptlet("json-prune", "web_share_ads_adsterra_config wap_short_link_middle_page_ad wap_short_link_middle_page_show_time data.ads_cpm_info")
+! https://github.com/AdguardTeam/AdguardFilters/issues/154680
+thebypasser.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/152828
+! Fixes the video player, may be required if DNS filtering is enabled
+reuters.com#%#(()=>{let t=window?.__iasPET?.queue;Array.isArray(t)||(t=[]);const s=JSON.stringify({brandSafety:{},slots:{}});function e(t){try{t?.dataHandler?.(s)}catch(t){}}for(t.push=e,window.__iasPET={VERSION:"1.16.18",queue:t,sessionId:"",setTargetingForAppNexus(){},setTargetingForGPT(){},start(){}};t.length;)e(t.shift())})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/173687
+! https://github.com/AdguardTeam/AdguardFilters/issues/154277
+independent.co.uk#%#(()=>{const a=function(){};window.apstag={fetchBids(c,a){"function"==typeof a&&a([])},init:a,setDisplayBids:a,targetingKeys:a}})();
+independent.co.uk#%#(()=>{let t=window?.__iasPET?.queue;Array.isArray(t)||(t=[]);const s=JSON.stringify({brandSafety:{},slots:{}});function e(t){try{t?.dataHandler?.(s)}catch(t){}}for(t.push=e,window.__iasPET={VERSION:"1.16.18",queue:t,sessionId:"",setTargetingForAppNexus(){},setTargetingForGPT(){},start(){}};t.length;)e(t.shift())})();
+independent.co.uk#%#//scriptlet('adjust-setTimeout', '/Autoplay|Piano/', '*', '0.02')
+independent.co.uk#%#//scriptlet('adjust-setTimeout', '[native code]', '2500', '0.02')
+independent.co.uk#%#//scriptlet('adjust-setTimeout', '[native code]', '3000', '0.02')
+! https://github.com/AdguardTeam/AdguardFilters/issues/154273
+vidello.net#%#//scriptlet('abort-on-property-read', 'popUnder')
+! https://github.com/AdguardTeam/AdguardFilters/issues/154125
+futbol-libre.org#%#//scriptlet('prevent-window-open')
+! popup
+embedaio.cc#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/154112
+tellyhd.rest#%#//scriptlet('remove-attr', 'href', 'a[href]#clickfakeplayer')
+tellyhd.rest#%#//scriptlet('trusted-click-element', 'a#clickfakeplayer:not([href])', '', '1000')
+! https://github.com/AdguardTeam/AdguardFilters/issues/154046
+up-4ever.net#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/153299
+flyordie.com#%#//scriptlet('adjust-setTimeout', 'secTotal', '', '0.02')
+! https://github.com/AdguardTeam/AdguardFilters/issues/153482
+homemade.xxx#%#//scriptlet('abort-on-property-read', '__ASG_VAST')
+! https://github.com/AdguardTeam/AdguardFilters/issues/153351
+ntuplay.xyz#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/182338
+! https://github.com/AdguardTeam/AdguardFilters/issues/153354
+ytmp3s.nu,ytmp3.nu#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/152396
+! https://github.com/AdguardTeam/AdguardFilters/issues/175641
+rawkuma.com#%#//scriptlet('prevent-addEventListener', 'readystatechange', 'document.removeEventListener')
+rawkuma.com#%#//scriptlet("prevent-addEventListener", "mousedown", "shown_at")
+rawkuma.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/152932
+gosexpod.com#%#//scriptlet('set-constant', 'mine_vst_enabled', '0')
+! https://github.com/AdguardTeam/AdguardFilters/issues/155917
+! https://github.com/AdguardTeam/AdguardFilters/issues/153045
+go.cravesandflames.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/153039
+! dispatchEvent resize fixes gap in the slider
+kickassanime.am#%#AG_onLoad((function(){let e=document.location.href;const o=()=>{window.dispatchEvent(new Event("resize"))};o();const t=document.querySelector("body");new MutationObserver((t=>{t.forEach((()=>{e!==document.location.href&&(e=document.location.href,setTimeout(o,100))}))})).observe(t,{childList:!0,subtree:!0})}));
+kickassanime.am#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/152485
+link-yz.com#%#//scriptlet('prevent-window-open', 'studentloan.gam3ah.com')
+! https://ondemandkorea.com/ - The website can be accessed with an US IP IP address.
+ondemandkorea.com#?##curation-carousel > div[class^="css-"]:has([id^="Inline-Left-1_"])
+ondemandkorea.com#?#article section[class^="css-"] ~ aside[class^="css-"]:has(div[id^="Companion_"][id*="_"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/152471
+streamporn.co.uk#%#//scriptlet('abort-on-stack-trace', 'localStorage', 'window.onload')
+! https://github.com/AdguardTeam/AdguardFilters/issues/152226
+9hentai.to#%#//scriptlet('set-constant', '_9HentaiJs.add', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/151990
+player.hdgay.net#%#//scriptlet('set-constant', 'doSecondPop', 'noopFunc')
+player.hdgay.net#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/152221
+eromanga-show.com,hentai-one.com,hentaipaw.com#%#//scriptlet('prevent-setTimeout', '/[a-z]\(!0\)/', '800')
+! https://github.com/AdguardTeam/AdguardFilters/issues/125354
+manga1000.*#%#//scriptlet('abort-on-property-write', 'document.ready')
+! https://github.com/AdguardTeam/AdguardFilters/issues/152315
+storiesig.info#%#//scriptlet('prevent-window-open')
+storiesig.info#%#//scriptlet('set-constant', 'clickAds.init', 'noopFunc')
+! https://github.com/AdguardTeam/Scriptlets/issues/309
+jpvhub.com#%#(()=>{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){}})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/151865
+quizlet.com#%#//scriptlet('adjust-setTimeout', '-1', '*', '0.02')
+quizlet.com#%#//scriptlet('set-constant', 'Object.prototype.isRenderingAdInFlashcardAd', 'false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/151360
+filerice.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/151183
+dlupload.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/150852
+weather.us#%#//scriptlet('set-constant', '__tcfapi', 'undefined')
+! https://github.com/AdguardTeam/AdguardFilters/issues/150497
+ilkpop.buzz#%#//scriptlet('abort-current-inline-script', 'Symbol', 'Symbol&&Symbol.toStringTag')
+! https://github.com/AdguardTeam/AdguardFilters/issues/150885
+magicemperor.online#%#//scriptlet('abort-current-inline-script', 'String.prototype.split', 'Popunder')
+! https://github.com/AdguardTeam/AdguardFilters/issues/150907
+medscape.com#%#//scriptlet('set-constant', 'slideShow.interstitialCount', '0')
+! https://github.com/AdguardTeam/AdguardFilters/issues/150466
+embed-player.space#%#//scriptlet('set-constant', 'vast_urls', 'emptyArr')
+! https://github.com/AdguardTeam/AdguardFilters/issues/150280
+steamgifts.com#%#//scriptlet('abort-current-inline-script', 'onload', '.clientHeight')
+! https://github.com/AdguardTeam/AdguardFilters/issues/136337
+cl1ca.com,4br.me,fir3.net,seulink.*,encurtalink.*,javuncen.xyz#%#//scriptlet("abort-on-property-read", "mm")
+! https://github.com/AdguardTeam/AdguardFilters/issues/149978
+cineb.app,f2movies.to,streameast.watch#%#//scriptlet("abort-current-inline-script", "JSON.parse", "getPropertyValue('content')")
+! https://github.com/AdguardTeam/AdguardFilters/issues/149941
+vtube.network,vtplay.net,vtbe.net,vtube.to#%#//scriptlet('prevent-window-open', '!/vtube\.network|vtplay\.net|vtbe\.net|vtube\.to/', '1')
+! popcornflix.com - video ad
+popcornflix.com#%#//scriptlet('trusted-replace-fetch-response', '"adEnabled":true', '"adEnabled":false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/149463
+cinejosh.com#%#//scriptlet('trusted-click-element', '.landinghead > a')
+! https://github.com/AdguardTeam/AdguardFilters/issues/149464
+ap7am.com#%#//scriptlet('trusted-click-element', '#road-block-direct')
+! https://github.com/AdguardTeam/AdguardFilters/issues/149461
+mirchi9.com#%#//scriptlet('set-session-storage-item', 'm9_home_lp_ads', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/149473
+089u.com#%#//scriptlet('prevent-window-open', 'popjump', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/148999
+watch.sling.com#%#//scriptlet('json-prune', 'playback_info.ad_info ssai_manifest')
+! https://github.com/AdguardTeam/AdguardFilters/issues/149397
+defenceweb.co.za#%#//scriptlet('set-constant', 'td_ad_background_click_link', '')
+! https://github.com/AdguardTeam/AdguardFilters/issues/149185
+! https://github.com/AdguardTeam/AdguardFilters/issues/178445
+gayforfans.com#%#//scriptlet('prevent-window-open')
+gayforfans.com#%#//scriptlet("abort-on-property-read", "advanced_ads_ready")
+! https://github.com/AdguardTeam/AdguardFilters/issues/149197
+gpucheck.com#%#//scriptlet('set-constant', 'myAdManager', 'emptyObj')
+! https://github.com/AdguardTeam/AdguardFilters/issues/176546
+! https://github.com/AdguardTeam/AdguardFilters/issues/175480
+! https://github.com/AdguardTeam/AdguardFilters/issues/159332
+! https://github.com/AdguardTeam/AdguardFilters/issues/148909
+vectorx.top,boltx.stream,bestx.stream,watchx.top#%#//scriptlet('set-constant', 'Set_Popup', '2')
+vectorx.top,boltx.stream,bestx.stream,watchx.top,hindimoviestv.com#%#//scriptlet('prevent-window-open', '/^(?!.*(\/d\/)).*$/')
+hindimoviestv.com#%#//scriptlet('abort-on-property-read', 'PopShow3')
+! https://github.com/AdguardTeam/AdguardFilters/issues/148847
+tupaki.com#%#AG_onLoad(function(){if(window.location.href.indexOf("tupaki.com/advertisement")>-1){window.location.href="https://tupaki.com";}});
+! https://github.com/AdguardTeam/AdguardFilters/issues/148849
+telugu360.com#%#//scriptlet('trusted-click-element', '.skip_ad_custom')
+telugu360.com#%#//scriptlet('trusted-click-element', '#go-home')
+! https://github.com/AdguardTeam/AdguardFilters/issues/148687
+shorturl.unityassets4free.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/148046
+softonic.com#%#//scriptlet('set-cookie', 'softonic-r2d2-view-state', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/147745
+boyfriendtv.com#%#//scriptlet('abort-on-property-read', 'backgroundBlack')
+! https://github.com/AdguardTeam/AdguardFilters/issues/147933
+ultimedia.com#%#//scriptlet('adjust-setTimeout', '[native code]', '5000', '0.02')
+! https://github.com/AdguardTeam/AdguardFilters/issues/132630
+financerites.in#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/147578
+greatandhra.com#%#//scriptlet('set-cookie-reload', 'garb', '1')
+greatandhra.com#%#//scriptlet('set-cookie-reload', 'sosh', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/147552
+guccihide.com#%#//scriptlet("abort-current-inline-script", "eval", "String.fromCharCode")
+! https://github.com/AdguardTeam/AdguardFilters/issues/146902
+10play.com.au#%#//scriptlet('m3u-prune', '/redirector\.googlevideo\.com\/videoplayback[\s\S]*?dclk_video_ads/', '.m3u8')
+! https://github.com/AdguardTeam/AdguardFilters/issues/146786
+asianage.com#%#AG_onLoad(() => { var element = document.querySelector('.rightCol'); if ( element ) { element.innerHTML = element.innerHTML.replaceAll('ADVERTISEMENT', ''); } });
+! https://github.com/AdguardTeam/AdguardFilters/issues/146477
+mycloud123.top,mycloud4.online#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/146464
+cdnjavhd.online#%#//scriptlet('abort-current-inline-script', 'Math.floor', 'urls.length')
+! https://github.com/AdguardTeam/AdguardFilters/issues/145894
+videoporn.tube#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/146413
+alexsports.xyz#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/146332
+coolrom.com.au#%#//scriptlet('set-cookie', 'modal_cookie', 'yes')
+coolrom.com.au#%#//scriptlet('abort-current-inline-script', 'confirm', '/offers')
+! https://github.com/AdguardTeam/AdguardFilters/issues/146297
+paid4file.com#%#//scriptlet('prevent-window-open')
+paid4file.com#%#//scriptlet('remove-class', 'get-link', 'a.get-link[target="_blank"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/145983
+j2team.dev#%#//scriptlet('prevent-setTimeout', 'afterRedirectUrl')
+! https://github.com/AdguardTeam/AdguardFilters/issues/145868
+fikper.com#%#//scriptlet('prevent-window-open', '?key=')
+! https://github.com/AdguardTeam/AdguardFilters/issues/145730
+gayxx.net#%#//scriptlet("abort-on-property-read", "adsbyjuicy")
+! https://github.com/AdguardTeam/AdguardFilters/issues/145279
+[$path=/interstice-ad]americass.net#%#//scriptlet('trusted-click-element', '.row > a.btn-link')
+! https://github.com/AdguardTeam/AdguardFilters/issues/145269
+theyarehuge.com#%#//scriptlet("abort-current-inline-script", "Object.defineProperty", "clickHandler")
+! https://github.com/AdguardTeam/AdguardFilters/issues/144499
+directupload.net#%#//scriptlet('abort-current-inline-script', 'Function.prototype.bind')
+! https://github.com/AdguardTeam/AdguardFilters/issues/144160
+streamhide.to#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/143803
+viprow.nu#%#//scriptlet("prevent-window-open", "affelseaeinera.org")
+! https://github.com/AdguardTeam/AdguardFilters/issues/182679
+! https://github.com/AdguardTeam/AdguardFilters/issues/144410
+wp2host.com,tii.la#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/143935
+getmodsapk.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/144160
+188.166.182.72#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/143845
+pornstash.in#%#//scriptlet("abort-on-property-write", "atOptions")
+! https://github.com/AdguardTeam/AdguardFilters/issues/143002
+strikeout.*,buffstreams.*#%#//scriptlet("abort-current-inline-script", "atob", "decodeURIComponent")
+! https://github.com/abp-filters/abp-filters-anti-cv/pull/1288
+socialmediagirls.com#%#//scriptlet('prevent-addEventListener', 'load', 'puHref')
+! https://github.com/AdguardTeam/AdguardFilters/issues/184566
+! https://github.com/AdguardTeam/AdguardFilters/issues/143608
+mov18plus.cloud#%#//scriptlet('abort-on-property-read', 'popURL')
+mov18plus.cloud,sexhd.co#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/143493
+yoho.games#%#//scriptlet('set-constant', 'showads', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/143476
+! https://github.com/AdguardTeam/AdguardFilters/issues/143472
+cargames.com,puzzlegame.com,yiv.com#%#//scriptlet('set-constant', 'adBreak', 'noopFunc')
+cargames.com,puzzlegame.com,yiv.com#%#//scriptlet('set-constant', 'adConfig', 'noopFunc')
+cargames.com#%#//scriptlet('prevent-addEventListener', 'error', 'UnityLoader.Error')
+! https://github.com/AdguardTeam/AdguardFilters/issues/143452
+bitchesgirls.com#%#//scriptlet("prevent-addEventListener", "load", "adSession")
+! https://github.com/AdguardTeam/AdguardFilters/issues/121023
+welovemanga.one,weloma.art#%#//scriptlet('abort-on-property-write', 'document.ready')
+weloma.art#%#//scriptlet("prevent-window-open")
+! popup
+sexypornpictures.org#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/143001
+vipleague.st#%#//scriptlet("abort-current-inline-script", "decodeURIComponent")
+! https://github.com/AdguardTeam/AdguardFilters/issues/142546
+n.fcd.su#%#//scriptlet('set-constant', 'open_href', 'noopFunc')
+n.fcd.su#%#//scriptlet('remove-attr', 'disabled', '#submitbutton[disabled]')
+n.fcd.su#%#//scriptlet('abort-current-inline-script', '$', '#push-allow-modal')
+! https://github.com/AdguardTeam/AdguardFilters/issues/142478
+cbsnews.com#%#//scriptlet('set-constant', 'Object.prototype.shouldShowAd', 'falseFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/142472
+kisscartoon.nz,kisscartoon.sh#%#//scriptlet('abort-current-inline-script', 'jQuery', 'ZoneId')
+! https://github.com/AdguardTeam/AdguardFilters/issues/142397
+jpvhub.com#%#//scriptlet('set-local-storage-item', 'POPUNDER_TIME', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/142301
+xszav2.com#%#//scriptlet('abort-on-property-write', 'zoneId')
+xszav2.com#%#//scriptlet('abort-on-property-read', '__ENSO_VAST')
+! https://github.com/AdguardTeam/AdguardFilters/issues/142202
+hentaiforce.net#%#//scriptlet('prevent-window-open')
+hentaiforce.net#%#//scriptlet('set-constant', 'show_popup', 'false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/141317
+match3games.com#%#//scriptlet('set-constant', 'YMPB', 'undefined')
+! https://github.com/AdguardTeam/AdguardFilters/issues/62128
+oklivetv.com#%#//scriptlet('abort-current-inline-script', 'String.fromCharCode', 'motionAd')
+! https://github.com/AdguardTeam/AdguardFilters/issues/141472
+vttp.xyz#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/141429
+embedgram.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/140738
+iptvxtreamcode.blogspot.com#%#//scriptlet('abort-on-property-write', 'onload')
+! https://github.com/AdguardTeam/AdguardFilters/issues/140588
+sportcast.life#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/140429
+apkmody.fun#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/140369
+watchseinfeld.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/146007
+! https://github.com/uBlockOrigin/uAssets/issues/16373
+vebma.com#%#//scriptlet('remove-attr', 'href', 'div[x-data="adtival"] a[href][\@click="scroll"]')
+vebma.com,pinloker.com,sekilastekno.com#%#//scriptlet('prevent-window-open', '/\.(com|net)\/4\/|teraboxapp|momerybox/')
+! udvl.com popunder on play
+udvl.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/140272
+emovies.si#%#//scriptlet('abort-current-inline-script', 'jQuery', 'ZoneId')
+! https://github.com/AdguardTeam/AdguardFilters/issues/140104
+freeomovie.to#%#//scriptlet('abort-current-inline-script', 'String.fromCharCode', 'shift')
+freeomovie.to#%#//scriptlet('adjust-setInterval', '', '1000')
+! https://github.com/AdguardTeam/AdguardFilters/issues/140172
+streamsb.net#%#//scriptlet('prevent-addEventListener', 'click', '_0x')
+! https://github.com/AdguardTeam/AdguardFilters/issues/140217
+crackle.com#%#//scriptlet('json-prune', 'data.device.adsParams')
+! https://github.com/AdguardTeam/AdguardFilters/issues/139553#issuecomment-1378380473
+mtv.com#%#(()=>{window.XMLHttpRequest.prototype.open=new Proxy(window.XMLHttpRequest.prototype.open,{apply:async(a,b,c)=>{const d=c[1];if("string"!=typeof d||0===d.length)return Reflect.apply(a,b,c);const e=/topaz\.dai\.viacomcbs\.digital\/ondemand\/hls\/.*\.m3u8/.test(d),f=/dai\.google\.com\/ondemand\/v.*\/hls\/content\/.*\/vid\/.*\/stream/.test(d);return(e||f)&&b.addEventListener("readystatechange",function(){if(4===b.readyState){const a=b.response;if(Object.defineProperty(b,"response",{writable:!0}),Object.defineProperty(b,"responseText",{writable:!0}),f&&(null!==a&&void 0!==a&&a.ad_breaks&&(a.ad_breaks=[]),null!==a&&void 0!==a&&a.apple_tv&&(a.apple_tv={})),e){const c=a.replaceAll(/#EXTINF:(\d|\d\.\d+)\,\nhttps:\/\/redirector\.googlevideo\.com\/videoplayback\?[\s\S]*?&source=dclk_video_ads&[\s\S]*?\n/g,"");b.response=c,b.responseText=c}}}),Reflect.apply(a,b,c)}})})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/139401
+sextu.com#%#//scriptlet('abort-current-inline-script', 'ACtMan')
+! https://github.com/AdguardTeam/AdguardFilters/issues/141098
+1337x.to,njav.tv,hdporn92.com,eachporn.com,yourdailypornvideos.ws#%#//scriptlet('set-constant', 'univresalP', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/139404
+realpornclip.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/139387
+thothub.to#%#//scriptlet('abort-on-property-write', 'window.onload')
+! https://github.com/AdguardTeam/AdguardFilters/issues/139387
+netfapx.com#%#//scriptlet('abort-on-property-write', 'window.onload')
+! https://github.com/AdguardTeam/AdguardFilters/issues/139672
+streamers.watch#%#//scriptlet('prevent-window-open')
+! edition.cnn.com - dns blocking apstag breaks the player
+wsj.com,edition.cnn.com#%#//scriptlet('set-constant', 'apstag', 'undefined')
+! https://github.com/AdguardTeam/AdguardFilters/issues/142480
+! https://github.com/AdguardTeam/AdguardFilters/issues/142387
+! https://github.com/AdguardTeam/AdguardFilters/issues/138817
+ok.co.uk,dailystar.co.uk,manchestereveningnews.co.uk,dailypost.co.uk,dailyrecord.co.uk,oxfordshirelive.co.uk,liverpoolecho.co.uk,bristolpost.co.uk,nottinghampost.com,aberdeenlive.news,edinburghlive.co.uk,bedfordshirelive.co.uk,glasgowlive.co.uk,mirror.co.uk#%#//scriptlet('set-constant', 'chameleonVideo.adDisabledRequested', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/138802
+eticket.gsc.com.my#%#//scriptlet('set-constant', 'googletag', 'emptyObj')
+! https://github.com/AdguardTeam/AdguardFilters/issues/139049
+itemmania.in.th#%#(function(){window.twttr={conversion:{trackPid:function(){}}}})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/138819
+fapmeifyoucan.net#%#//scriptlet('set-cookie', 'fameifyoucandisclamer', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/138201
+pornid.*#%#//scriptlet('set-constant', 'document.head.insertAdjacentHTML', 'undefined')
+! https://github.com/AdguardTeam/AdguardFilters/issues/138583
+xnxx.fit#%#//scriptlet('set-cookie', 'current_click', '1')
+xnxx.fit#%#//scriptlet('set-cookie-reload', 'clicked', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/138478
+7starhd.*#%#//scriptlet('abort-on-property-read', '_pop')
+! https://github.com/AdguardTeam/AdguardFilters/issues/138321
+xxxshake.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/138210
+amateur8.com,bigtitslust.com,maturetubehere.com,lesbian8.com,sortporn.com,freeporn8.com#%#//scriptlet("abort-on-property-read", "Q433")
+! https://github.com/AdguardTeam/AdguardFilters/issues/138219
+stapadblockuser.xyz#%#//scriptlet('prevent-window-open')
+! mexa.sh - popups
+mexa.sh#%#//scriptlet("abort-on-property-write", "installBtnvar")
+! https://github.com/AdguardTeam/AdguardFilters/issues/137927
+hentaiporn.one#%#//scriptlet('prevent-setTimeout', 'realsrv', '300')
+! https://github.com/AdguardTeam/AdguardFilters/issues/137914
+javporn.tv#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/136344
+! https://github.com/AdguardTeam/AdguardFilters/issues/137759
+notube.cc#%#//scriptlet('prevent-window-open', 'notube.cc/p')
+! https://github.com/AdguardTeam/AdguardFilters/issues/137314
+cloudbate.com#%#//scriptlet('remove-attr', 'onclick', '.play-now')
+! https://github.com/AdguardTeam/AdguardFilters/issues/137477
+gayfor.us#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/137480
+stapadblockuser.info#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/137361
+readcomiconline.li#%#//scriptlet('abort-current-inline-script', 'document.createElement', '.quit)')
+! https://github.com/AdguardTeam/AdguardFilters/issues/137268
+filepress.lol#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/138182
+spankbang.mov,spankbang.party,spankbang.com#%#//scriptlet('set-cookie', 'pg_interstitial_v5', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/137162
+ohentai.org#%#//scriptlet("abort-current-inline-script", "document.getElementsByTagName", "window.open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/136636
+theporndude.com#%#//scriptlet('abort-on-stack-trace', 'Cookies', 'initWallpaperScript')
+! https://github.com/AdguardTeam/AdguardFilters/issues/137018
+hdlivegames.xyz#%#//scriptlet('remove-attr', 'href', 'body > a')
+! https://github.com/AdguardTeam/AdguardFilters/issues/136206
+torrentmac.net#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/136502
+enit.in#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/136925
+notateslaapp.com#%#//scriptlet('abort-current-inline-script', 'Promise', 'img.onerror')
+! https://github.com/AdguardTeam/AdguardFilters/issues/136416
+gaypornhdfree.com#%#//scriptlet('set-constant', 'doSecondPop', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/136757
+javchill.com#%#//scriptlet('remove-attr', 'href', 'a[onclick="pop(this)"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/136634
+mydaddy.cc#%#//scriptlet("set-constant", "adt", "0")
+! https://github.com/AdguardTeam/AdguardFilters/issues/136635
+videobin.co#%#//scriptlet('set-cookie', 'overlay', 'true')
+videobin.co#%#//scriptlet('abort-current-inline-script', 'document.attachEvent', 'initBCPopunder')
+! https://github.com/AdguardTeam/AdguardFilters/issues/136626
+birminghammail.co.uk#%#//scriptlet("set-constant", "chameleonVideo.adDisabledRequested", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/136546
+hentaiworld.tv#%#//scriptlet("prevent-window-open", "hyenadata")
+! https://github.com/AdguardTeam/AdguardFilters/issues/184560
+! https://github.com/AdguardTeam/AdguardFilters/issues/135825
+javggvideo.xyz,turtleviplay.xyz,findjav.com,stbturbo.xyz,emturbovid.com#%#//scriptlet('prevent-setTimeout', 'window.open')
+javggvideo.xyz,turtleviplay.xyz,findjav.com,stbturbo.xyz,emturbovid.com#%#//scriptlet('set-constant', 'premium', '')
+javggvideo.xyz,turtleviplay.xyz,findjav.com,stbturbo.xyz,emturbovid.com#%#//scriptlet('trusted-replace-node-text', 'script', 'openNewTab', '/openNewTab[(]".*?"[)]/g', 'null')
+! https://github.com/AdguardTeam/AdguardFilters/issues/135902
+mega4upload.com#%#//scriptlet('remove-attr', 'onclick', '#direct_link > a[onclick]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/135953
+igg-games.com#%#//scriptlet("set-constant", "advanced_ads_ready", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/135957
+mpgun.com#%#//scriptlet("prevent-window-open")
+mpgun.com#%#//scriptlet("set-constant", "isFirst", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/135665
+! https://github.com/AdguardTeam/AdguardFilters/issues/139672
+! https://github.com/AdguardTeam/AdguardFilters/issues/140973
+footybite.to,givemenbastreams.com,nolive.me#%#//scriptlet("abort-current-inline-script", "setTimeout", "admc")
+! https://github.com/AdguardTeam/AdguardFilters/pull/135052/
+netflix.com#%#(() => { var ReplaceMap = {adBreaks: [], adState: null, currentAdBreak: 'undefined'}; Object.defineProperty = new Proxy(Object.defineProperty, { apply: (target, thisArg, ArgsList) => { var Original = Reflect.apply(target, thisArg, ArgsList); if (ArgsList[1] == 'getAdBreaks' || ArgsList[1] == 'getAdsDisplayStringParams') { return Original[ArgsList[1]] = function() {}; } else if (ArgsList[1] == 'adBreaks' || ArgsList[1] == 'currentAdBreak' || typeof Original['adBreaks'] !== 'undefined') { for (var [key, value] of Object.entries(Original)) { if (typeof ReplaceMap[key] !== 'undefined' && ReplaceMap[key] !== 'undefined') { Original[key] = ReplaceMap[key]; } else if (typeof ReplaceMap[key] !== 'undefined' && ReplaceMap[key] === 'undefined') { Original[key] = undefined; } } return Original; } else { return Original; }}})})();
+! Disabled due to https://github.com/AdguardTeam/AdguardFilters/issues/137980#issuecomment-1372856216
+!netflix.com#%#//scriptlet('set-constant', 'netflix.appContext.state.model.models.truths.data.isAdsPlan', 'false')
+!netflix.com#%#//scriptlet('set-constant', 'netflix.appContext.state.model.models.playerModel.data.config.core.initParams.enableAdPlaygraphs', 'false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/135665
+nolive.me#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/135293
+pornstash.in#%#//scriptlet("abort-current-inline-script", "document.createElement", "Popunder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/135240
+onlyporn.tube,pornhits.com#%#//scriptlet("abort-on-property-read", "AdManager")
+! https://github.com/AdguardTeam/AdguardFilters/issues/135635
+btsow.beauty#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/135340
+eroti.ga#%#//scriptlet("abort-current-inline-script", "eval", "popunder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/135347
+uploadgig.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/135578
+! unlock the play button
+! #%#//scriptlet('set-constant', 'vastEnabled', 'false')
+hellporno.net,bravoporn.com,alphaporno.com,sex3.com,crocotube.com,bravoteens.com,zedporn.com,hellmoms.com,tubewolf.com,xbabe.com,hellporno.com,xcum.com,anyporn.com#%#//scriptlet('set-constant', 'vastEnabled', 'false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/135260
+ddownr.com#%#//scriptlet('set-constant', 'openad', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/135120
+welovemanga.one#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/135478
+ntp.msn.com,microsoftstart.msn.com#%#//scriptlet('hide-in-shadow-dom', 'cs-native-ad-card, [id^="native_ad_"]')
+microsoftstart.msn.com#%#//scriptlet('remove-in-shadow-dom', 'msft-info-pane-slide[class^="title-ad-"], msn-info-pane-panel[id="tab_panel_undefined"], msn-info-pane-tab[id="tab_undefined"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/135432
+torrentsites.com#%#//scriptlet("abort-on-property-read", "openPopup")
+! https://github.com/AdguardTeam/AdguardFilters/issues/135042
+picyield.com#%#//scriptlet("abort-current-inline-script", "history.replaceState", "_0x")
+! https://github.com/uBlockOrigin/uAssets/issues/15715
+gloucestershirelive.co.uk#%#//scriptlet("set-constant", "chameleonVideo.adDisabledRequested", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/135018
+||fifa.com/api/v*/ad-manager/$xmlhttprequest,redirect=nooptext
+fifa.com#%#//scriptlet("json-prune", "ads.breaks.*.ads.*")
+fifa.com#%#(()=>{const a=window.fetch,b={apply:async(b,c,d)=>{const e=d[0]instanceof Request?d[0].url:d[0];if("string"!=typeof e||0===e.length)return Reflect.apply(b,c,d);if(e.includes("uplynk.com/")&&e.includes(".m3u8")){const b=await a(...d);let c=await b.text();return c=c.replaceAll(/#UPLYNK-SEGMENT: \S*\,ad\s[\s\S]+?((#UPLYNK-SEGMENT: \S+\,segment)|(#EXT-X-ENDLIST))/g,"$1"),new Response(c)}return Reflect.apply(b,c,d)}};try{window.fetch=new Proxy(window.fetch,b)}catch(a){}})();
+fifa.com#%#//scriptlet('set-constant', 'Object.prototype.removeAdContainer', 'noopFunc')
+fifa.com#%#//scriptlet('set-constant', 'google.ima.AdsManagerLoadedEvent.prototype.getAdsManager', 'noopFunc')
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=fifa.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/135131
+go.shareus.in#%#//scriptlet("prevent-window-open")
+go.shareus.in#%#//scriptlet("set-cookie", "ad_opened", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/134992
+netlivetv.xyz#%#//scriptlet('trusted-set-constant', 'dtGonza.playeradstime', '"-1"')
+! https://github.com/AdguardTeam/AdguardFilters/issues/134599
+slideshare.net#%#//scriptlet('remove-class', 'disabled', '#progress-bar')
+slideshare.net#%#//scriptlet('remove-attr', 'disabled', '#previous-slide')
+slideshare.net#%#//scriptlet('remove-attr', 'disabled', '#next-slide')
+! https://github.com/bogachenko/fuckfuckadblock/issues/355
+enit.in#%#//scriptlet('remove-attr', 'onclick', 'button#continue[onclick^="window.open"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/134206
+! https://github.com/AdguardTeam/AdguardFilters/issues/170491
+whoreshub.com,mdhstream.cc,forums.socialmediagirls.com#%#//scriptlet('prevent-addEventListener', 'load', 'puURLstrpcht')
+! https://github.com/AdguardTeam/AdguardFilters/issues/133899
+videos.remilf.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/133965
+turbobyt.com,turbobyte.net,turbobits.cc,turbobiyt.net,turbobit.net#%#//scriptlet('trusted-click-element', 'a#no-thanks-btn')
+! https://github.com/AdguardTeam/AdguardFilters/issues/133527
+myoplay.club#%#//scriptlet("set-constant", "__poupup_active", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/133902
+javseen.tv#%#//scriptlet("abort-on-property-read", "jsPopunder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/132843
+dropgalaxy.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/133489
+ssyoutube.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/133135
+fembed9hd.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/133158
+javiku.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/132868
+milfnut.com#%#//scriptlet("prevent-window-open")
+! popup
+infinitehentai.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/132728
+html5.gamedistribution.com#%#//scriptlet('prevent-element-src-loading', 'script','pagead2.googlesyndication.com')
+! https://github.com/AdguardTeam/AdguardFilters/issues/132669
+fuqqt.com,tubesafari.com,pornkai.com#%#//scriptlet("abort-on-property-read", "ljcode")
+! https://github.com/AdguardTeam/AdguardFilters/issues/132249
+sportfacts.net#%#//scriptlet('abort-current-inline-script', 'document.getElementById', 'document.oncontextmenu')
+! https://github.com/AdguardTeam/AdguardFilters/issues/132625
+fmmods.com#%#//scriptlet("abort-current-inline-script", "downloadpage", "location.href")
+! https://github.com/AdguardTeam/AdguardFilters/issues/132579
+cr7sports.us#%#//scriptlet('set-cookie', '_popprepop', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/132253
+btvsports.lol#%#//scriptlet('remove-attr', 'href', '.page-header a[href^="mailto:"]')
+! popup on clicking chapter
+manhwadesu.me#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/132285
+watchjavonline.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/132437
+serieslatinoamerica.org#%#//scriptlet("abort-current-inline-script", "atob", "decodeURIComponent")
+! https://github.com/AdguardTeam/AdguardFilters/issues/132270
+mvidoo.com#%#//scriptlet('abort-on-property-read', 'popunder')
+! https://github.com/AdguardTeam/AdguardFilters/issues/173054
+! https://github.com/AdguardTeam/AdguardFilters/issues/167668
+! Removes ad placeholders in sliders
+! Current path is "properties.componentConfigs.slideshowConfigs.slideshowSettings.interstitialNativeAds"
+! Other paths probably can be removed, but keep them just in case for some time
+msn.com#%#//scriptlet('json-prune', 'configs.*.properties.slideshowWCSettings.interstitialNativeAds configs.*.properties.fullScreenSlideshowSettings.interstitialNativeAds properties.componentConfigs.slideshowConfigs.interstitialNativeAds properties.componentConfigs.slideshowConfigs.slideshowSettings.interstitialNativeAds')
+! https://github.com/AdguardTeam/AdguardFilters/issues/167668
+! https://github.com/AdguardTeam/AdguardFilters/issues/146823
+! https://github.com/AdguardTeam/AdguardFilters/issues/136564
+msn.com#%#//scriptlet('inject-css-in-shadow-dom', '.ad-container-skyscraper, .ad-container, .vd-ad, cs-native-ad-card-no-hover, display-ads, .display-ad-container, .display-ads-container, .views-right-rail-top-display, #entry-point-hp-wc-banner, .me-stripe-title-subtitle, #displayAdCard, a[href*=".booking.com/"], a[href^="https://amzn.to/"] { display: none !important; }')
+msn.com#%#//scriptlet('inject-css-in-shadow-dom', 'cs-native-ad-card { visibility: hidden !important; }')
+msn.com#%#//scriptlet('inject-css-in-shadow-dom', '#entry-point-hp-wc-header[style^="top:"] { top: 0 !important; }')
+msn.com#%#//scriptlet('inject-css-in-shadow-dom', '#entry-point-hp-wc-root-wrapper[style^="margin-top:"] { margin-top: 0 !important; }')
+! https://github.com/AdguardTeam/AdguardFilters/issues/131852
+msn.com#%#AG_onLoad(function(){setTimeout(function(){var b=document.querySelector("body > fluent-design-system-provider > entry-point")?.shadowRoot?.querySelector("#entry-point-hp-wc-root-wrapper > .content-container > .stripe-wc-container > stripe-wc")?.shadowRoot?.querySelector("fluent-design-system-provider > .stripe-feed > .feed-section > .river-section > stripe-slider > msft-feed-layout")?.shadowRoot?.querySelector("#displayAdCard");b&&b.remove();},2E3)});
+! https://github.com/AdguardTeam/AdguardFilters/issues/131904
+enjoy4k.*#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/131934
+pvstreams.com#%#//scriptlet("prevent-window-open")
+pvstreams.com#%#//scriptlet("abort-on-property-read", "nativeInit")
+! popup
+movies2watch.ru#%#//scriptlet("prevent-window-open")
+! https://linkspy.cc/tr/aHR0cDovL2ZjLmxjL2Z1bGwvP2FwaT00ZjcyNTBhYmU4NmJhNTViNWI3OTM4OTYwY2M1ZjYwNzdjNWVhNzAxJnVybD1hSFIwY0RvdkwzTm9iM0owWlhKaGJHd3VZMjl0TDNCNE5GVS9WR2hoYm1zdGVXOTFNejlVYUdGdWF5MTViM1V6JnR5cGU9Mg==
+linkspy.cc#%#//scriptlet("set-constant", "displayAds", "0")
+! https://github.com/AdguardTeam/AdguardFilters/issues/131587
+download.windowslite.net#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/131464
+bitporno.*#%#//scriptlet("abort-on-property-read", "_run")
+bitporno.*#%#//scriptlet("abort-on-property-write", "atOptions")
+! https://github.com/AdguardTeam/AdguardFilters/issues/131540
+streamsb.net#%#//scriptlet("abort-on-property-read", "mm")
+streamsb.net#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/131125
+notube.net#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/131123
+oii.io#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/131116
+best-cpm.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/130290
+youpit.xyz#%#//scriptlet("abort-on-property-write", "popunder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/130286
+papahd1.xyz#%#//scriptlet("abort-on-property-read", "loadpopunder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/130284
+stakes100.xyz#%#//scriptlet('abort-on-property-read', 'popunder')
+! https://github.com/AdguardTeam/AdguardFilters/issues/130241
+fleshed.com#%#//scriptlet("set-cookie", "instc_rec", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/130002
+yesvids.com#%#//scriptlet("set-constant", "popped", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/130051
+video-to-mp3-converter.com#%#//scriptlet("prevent-window-open", "!/^\//")
+! https://github.com/AdguardTeam/AdguardFilters/issues/129993
+sportssoccer.club#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/129989
+oko.sh#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/129556
+! https://github.com/AdguardTeam/AdguardFilters/issues/129658
+! TODO: Try to find a way to fix an issue with time of the video
+! At the moment, video player shows that time of the video is longer than it really is (time of the video + ads),
+! so clicking somewhere after video end causes that the new video starts playing
+cbs.com,paramountplus.com#%#(()=>{window.XMLHttpRequest.prototype.open=new Proxy(window.XMLHttpRequest.prototype.open,{apply:async(a,b,c)=>{const d=c[1];return"string"!=typeof d||0===d.length?Reflect.apply(a,b,c):(d.match(/pubads\.g\.doubleclick.net\/ondemand\/hls\/.*\.m3u8/)&&b.addEventListener("readystatechange",function(){if(4===b.readyState){const a=b.response;Object.defineProperty(b,"response",{writable:!0}),Object.defineProperty(b,"responseText",{writable:!0});const c=a.replaceAll(/#EXTINF:(\d|\d\.\d+)\,\nhttps:\/\/redirector\.googlevideo\.com\/videoplayback\?[\s\S]*?&source=dclk_video_ads&[\s\S]*?\n/g,"");b.response=c,b.responseText=c}}),Reflect.apply(a,b,c))}})})();
+cbs.com,paramountplus.com#%#(()=>{const a=window.fetch;window.fetch=new Proxy(window.fetch,{apply:async(b,c,d)=>{const e=d[0];if("string"!=typeof e||0===e.length)return Reflect.apply(b,c,d);if(e.match(/pubads\.g\.doubleclick\.net\/ondemand\/.*\/content\/.*\/vid\/.*\/streams\/.*\/manifest\.mpd|pubads\.g\.doubleclick.net\/ondemand\/hls\/.*\.m3u8/)){const b=await a(...d);let c=await b.text();return c=c.replaceAll(/{window.FAVE=window.FAVE||{};const s={set:(s,e,n,a)=>{if(s?.settings?.ads?.ssai?.prod?.clips?.enabled&&(s.settings.ads.ssai.prod.clips.enabled=!1),s?.player?.instances)for(var i of Object.keys(s.player.instances))s.player.instances[i]?.configs?.ads?.ssai?.prod?.clips?.enabled&&(s.player.instances[i].configs.ads.ssai.prod.clips.enabled=!1);return Reflect.set(s,e,n,a)}};window.FAVE=new Proxy(window.FAVE,s)})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/128820
+javbangers.com#%#//scriptlet("abort-on-property-write", "window.onload")
+! https://github.com/AdguardTeam/AdguardFilters/issues/128921
+titantv.com#%#(()=>{window.PostRelease={Start(){}}})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/128734
+gamcore.com#%#//scriptlet('set-cookie', 'popout2', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/128430
+reviewtech.me#%#//scriptlet("abort-on-property-write", "onload")
+! https://github.com/AdguardTeam/AdguardFilters/issues/128169
+chillx.top,full4u.xyz#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/128307
+lineageos18.com#%#//scriptlet("prevent-window-open", "lineageos18.com")
+! https://github.com/AdguardTeam/AdguardFilters/issues/128325
+footyhunter3.xyz#%#//scriptlet("prevent-window-open")
+olacast.live#%#//scriptlet("abort-on-property-read", "__cfg_")
+! https://github.com/AdguardTeam/AdguardFilters/issues/128221
+jacarandafm.com#%#(()=>{window.com_adswizz_synchro_decorateUrl=function(a){if("string"===typeof a&&a.startsWith("http"))return a}})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/127726
+men4menporn.eu,cdnm4m.nl#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/128019
+pornborne.com#%#//scriptlet("abort-on-property-read", "open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/127801
+tv.gab.com#%#//scriptlet("json-prune", "*", "placement video")
+! fake player
+eegybest.xyz#%#//scriptlet('remove-attr', 'href', '#clickfakeplayer')
+! https://github.com/AdguardTeam/AdguardFilters/issues/124745
+! TODO: use scriptlet when it will be added - https://github.com/AdguardTeam/Scriptlets/issues/202
+player.theplatform.com#%#(()=>{window.XMLHttpRequest.prototype.open=new Proxy(window.XMLHttpRequest.prototype.open,{apply:async(a,b,c)=>{const d=c[1];return"string"!=typeof d||0===d.length?Reflect.apply(a,b,c):(d.match(/manifest\..*\.theplatform\.com\/.*\/.*\.m3u8\?.*|manifest\..*\.theplatform\.com\/.*\/*\.meta.*/)&&b.addEventListener("readystatechange",function(){if(4===b.readyState){const a=b.response;Object.defineProperty(b,"response",{writable:!0}),Object.defineProperty(b,"responseText",{writable:!0});const c=a.replaceAll(/#EXTINF:.*\n.*tvessaiprod\.nbcuni\.com\/video\/[\s\S]*?#EXT-X-DISCONTINUITY|#EXT-X-VMAP-AD-BREAK[\s\S]*?#EXT-X-ENDLIST/g,"");b.response=c,b.responseText=c}}),Reflect.apply(a,b,c))}})})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/126547
+maxstream.video#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/136960
+hurawatch.at#%#//scriptlet('abort-current-inline-script', 'window.onclick', 'https')
+! https://github.com/AdguardTeam/AdguardFilters/issues/126253
+tukipasti.com#%#//scriptlet("prevent-window-open")
+! popunder
+alrincon.com#%#//scriptlet("abort-current-inline-script", "onload", "window.open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/185597
+zeenews.india.com#%#(()=>{let e,t=!1;const n=function(){},o=function(t,n){if("function"==typeof n)try{window.KalturaPlayer?n([]):e=n}catch(e){console.error(e)}};let r;Object.defineProperty(window,"PWT",{value:{requestBids:o,generateConfForGPT:o,addKeyValuePairsToGPTSlots:n,generateDFPURL:n}}),Object.defineProperty(window,"KalturaPlayer",{get:function(){return r},set:function(n){r=n,t||(t=!0,e([]))}})})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/170742
+! https://github.com/AdguardTeam/AdguardFilters/issues/135040
+wionews.com#%#(()=>{let e,t=!1;const n=function(){},o=function(t,n){if("function"==typeof n)try{window.KalturaPlayer?n([]):e=n}catch(e){console.error(e)}};let r;Object.defineProperty(window,"PWT",{value:{requestBids:o,generateConfForGPT:o,addKeyValuePairsToGPTSlots:n,generateDFPURL:n}}),Object.defineProperty(window,"KalturaPlayer",{get:function(){return r},set:function(n){r=n,t||(t=!0,e([]))}})})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/125900
+dnaindia.com#%#(()=>{const a=function(){},b=function(c,a){if("function"==typeof a)try{a([])}catch(a){console.error(a)}};Object.defineProperty(window,"PWT",{value:{requestBids:b,generateConfForGPT:b,addKeyValuePairsToGPTSlots:a,generateDFPURL:a}})})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/122322
+kuncomic.com#%#//scriptlet('abort-on-property-read', 'detectAdblock')
+! https://github.com/AdguardTeam/AdguardFilters/issues/125695
+ytmp3.wtf#%#//scriptlet("prevent-window-open")
+ytmp3.wtf#%#//scriptlet("set-constant", "loadedK", "1")
+! https://github.com/uBlockOrigin/uAssets/issues/14141
+novelgames.com#%#//scriptlet('adjust-setInterval', 'skipAdSeconds', '', '0.02')
+! https://github.com/AdguardTeam/AdguardFilters/issues/125396
+eztv.re#%#//scriptlet('set-cookie', 'hide_vpn', '1')
+! popup
+bang14.com#%#//scriptlet("abort-current-inline-script", "$", "setCookie")
+! https://github.com/AdguardTeam/AdguardFilters/issues/124348
+bestcash2020.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/124139
+123movieshub.tc#%#//scriptlet("abort-on-property-read", "zfgstorage")
+! popunder
+hentaivideos.net#%#//scriptlet('prevent-eval-if', 'popUnderStage')
+! https://github.com/AdguardTeam/AdguardFilters/issues/123748
+novelroom.net#%#//scriptlet("abort-current-inline-script", "Node.prototype.insertBefore", ".parentNode.insertBefore(")
+! canvas ad on top page
+mysexgames.com#%#//scriptlet("set-constant", "createCanvas", "noopFunc")
+! edoujin.net - redirection to ads
+edoujin.net#%#//scriptlet('prevent-refresh')
+! https://github.com/AdguardTeam/AdguardFilters/issues/121309
+strtapewithadblock.*,strtapeadblocker.art,strtapeadblocker.*#%#//scriptlet("abort-current-inline-script", "document.createElement", "o.contentWindow.document.createElement")
+! https://github.com/AdguardTeam/AdguardFilters/issues/123687
+imgur.com#%#//scriptlet("adjust-setTimeout", "/function\(\)\{try\{|adBegan/", "5000", "0.02")
+! https://github.com/AdguardTeam/AdguardFilters/issues/123312
+gochyu.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/123094
+linkbin.me#%#//scriptlet("abort-on-property-read", "Object.prototype.loadImages")
+linkbin.me#%#//scriptlet("abort-on-property-read", "Object.prototype.loadCosplay")
+! https://github.com/AdguardTeam/AdguardFilters/issues/122839
+mediafire.com#%#//scriptlet('prevent-window-open', 'otnolatrnup.com')
+mediafire.com#%#//scriptlet('prevent-addEventListener', 'click', 'ClickHandler')
+mediafire.com#%#//scriptlet('prevent-addEventListener', 'load', 'PopUnder')
+! https://github.com/AdguardTeam/AdguardFilters/issues/122766
+1337x.to#%#//scriptlet('abort-on-property-read', 'DEBUG_MODE')
+! https://github.com/AdguardTeam/AdguardFilters/issues/122741
+manageditmag.co.uk#%#//scriptlet("prevent-addEventListener", "click", "window.open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/122707
+bestsolaris.com#%#//scriptlet("prevent-addEventListener", "click", "instanceof Function&&window")
+! https://github.com/AdguardTeam/AdguardFilters/issues/122290
+! https://github.com/AdguardTeam/AdguardFilters/issues/129272
+ijavtorrent.com,javpornhd.online#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/121309
+javpoll.com#%#//scriptlet('prevent-window-open')
+! popup on convert
+yout.pw#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/122003
+javhd.icu#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/121697
+javquick.com#%#//scriptlet("set-constant", "adsUrls", "undefined")
+! erotom.com revolving ad
+erotom.com#%#//scriptlet("abort-current-inline-script", "String.fromCharCode", "replace")
+! https://github.com/AdguardTeam/AdguardFilters/issues/120784
+freexcafe.com#%#//scriptlet('remove-attr', 'href', 'a#imagelink[href]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/120494
+yt5s.com#%#//scriptlet("set-constant", "isLoadAds", "true")
+yt5s.com#%#//scriptlet("set-constant", "generatorAds", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/120169
+go.linkfly.io#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/120125
+short2fly.xyz,techboyz.xyz#%#//scriptlet("abort-current-inline-script", "onclick", "window.open")
+! 'undefined' leftover e.g. chintpurni.angelfire.com
+angelfire.com#%#//scriptlet("abort-current-inline-script", "document.write", "lycos_ad")
+! https://github.com/AdguardTeam/AdguardFilters/issues/130253
+up-load.io#%#//scriptlet('prevent-window-open')
+up-load.io#%#//scriptlet("prevent-addEventListener", "DOMContentLoaded", ".contents().find('body')")
+! https://github.com/AdguardTeam/AdguardFilters/issues/120397
+wizzair.com#%#//scriptlet('set-session-storage-item', 'bookingSearchAlreadyOpened', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/120166
+playstore.pw#%#//scriptlet("set-constant", "PreRollAd.timeCounter", "0")
+! popunder
+erome.com#%#//scriptlet("set-constant", "tiPopAction", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/119613
+starlive.xyz,daddylive.*,embedstream.me#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/118843
+techydino.net#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/117721
+titantv.com#%#//scriptlet("set-constant", "loadPlayer", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/118779
+lusttaboo.com#%#//scriptlet("set-constant", "popped", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/118173
+teknopaid.xyz#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/117988
+dembed1.com#%#//scriptlet("prevent-window-open", "!/download?id=")
+! https://github.com/AdguardTeam/AdguardFilters/issues/118013
+! for some reason scriptlets (adjust-setTimeout/adjust-setInterval) causes that captcha cannot be resolved
+cryptodirectories.com#%#//scriptlet("prevent-window-open")
+raincaptcha.com#%#//scriptlet("set-constant", "__wait", "0")
+raincaptcha.com#%#(function(){window.setTimeout=new Proxy(window.setTimeout,{apply:(a,b,c)=>c&&c[0]&&/if\(!/.test(c[0].toString())&&c[1]&&1e4===c[1]?(c[1]*=.01,Reflect.apply(a,b,c)):Reflect.apply(a,b,c)});window.setInterval=new Proxy(window.setInterval,{apply:(a,b,c)=>c&&c[0]&&/initWait/.test(c[0].toString())&&c[1]&&1e3===c[1]?(c[1]*=.01,Reflect.apply(a,b,c)):Reflect.apply(a,b,c)})})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/117922
+mozlink.net#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/118188
+nba.com#%#//scriptlet("set-constant", "nbaTop.setupAds", "noopFunc")
+nba.com#%#(()=>{window.turner_getTransactionId=turner_getGuid=function(){},window.AdFuelUtils={getUMTOCookies(){}}})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/117631
+hentai.tv#%#//scriptlet("set-cookie", "inter", "1")
+! https://github.com/AdguardTeam/AdguardFilters/issues/117124
+file-upload.com#%#//scriptlet("prevent-eval-if", "ppuQnty")
+! https://github.com/AdguardTeam/AdguardFilters/issues/117240
+3hentai.net#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/116891
+111.90.150.149#%#//scriptlet("abort-current-inline-script", "$", "#idmuvi-popup")
+111.90.150.149#%#//scriptlet("set-constant", "Object.prototype.shouldPlayPreroll", "falseFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/150234
+! https://github.com/AdguardTeam/AdguardFilters/issues/116522
+megaurl.in,megafly.in,aztravels.net,handydecor.com.vn,techacode.com,downfile.site,memangbau.com,trangchu.news#%#//scriptlet('prevent-window-open', '!/(megafly|megaurl)\.in/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/116391
+imgadult.com,imgtaxi.com,imgwallet.com,imgdrive.net#%#//scriptlet("abort-on-property-read", "cticodes")
+! https://github.com/AdguardTeam/AdguardFilters/issues/116169
+losmovies.*#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/116036
+steampiay.cc,pouvideo.cc#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/115781
+search.entireweb.com#%#//scriptlet("prevent-setInterval", "addAds")
+! https://github.com/AdguardTeam/AdguardFilters/issues/115964
+videos.porndig.com#%#//scriptlet('set-constant', 'Object.prototype.AdOverlay', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/115899
+4shared.com#%#//scriptlet('prevent-setInterval', '.append', '1000')
+! popunder
+miohentai.com#%#//scriptlet("abort-on-property-read", "mnpwclone")
+! popup/under
+watchasians.cc#%#//scriptlet("prevent-addEventListener", "click", "popunder")
+! https://github.com/easylist/easylist/pull/11659
+hdthevid.online,vidhdthe.online#%#//scriptlet("abort-on-property-read", "JSON.parse")
+! https://github.com/AdguardTeam/AdguardFilters/issues/115590
+k1nk.co#%#//scriptlet('abort-current-inline-script', '$', 'advCookie')
+! https://github.com/AdguardTeam/AdguardFilters/issues/115510
+ace.mu.nu#%#//scriptlet("abort-on-property-read", "__yget_ad_list")
+! https://github.com/AdguardTeam/AdguardFilters/issues/115422
+bclikeqt.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/115293
+gocomics.com#%#//scriptlet("set-constant", "amuGc.displayAds", "false")
+! popup at https://www.goflix.io/10540-aquaman.html
+younetu.*#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/115079
+waploaded.com#%#//scriptlet("remove-attr", "target", ".attachment_info a[target='_blank'][onclick^='location.href']")
+! https://github.com/uBlockOrigin/uAssets/issues/12667
+tinyurl.is#%#//scriptlet("abort-current-inline-script", "document.createElement", "interactive")
+tinyurl.is#%#//scriptlet('prevent-fetch', 'xhr0')
+! fake player
+cinefunhd.com#%#//scriptlet('remove-attr', 'href', '#clickfakeplayer')
+! https://github.com/uBlockOrigin/uAssets/issues/6029
+spankbang.com#%#//scriptlet("set-constant", "chrome", "undefined")
+! https://github.com/AdguardTeam/AdguardFilters/issues/114370
+xmegadrive.com#%#//scriptlet("abort-current-inline-script", "document.createElement", "ppu_main")
+! popup
+spankbang.mov,spankbang.party,spankbang.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/114541
+w2g.tv#%#//scriptlet("set-constant", "W2gDFP.loadAcceptableAds", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/114397
+timesnownews.com#%#//scriptlet("set-constant", "player.adm.destroy", "noopFunc")
+timesnownews.com#%#//scriptlet("set-constant", "SlikePlayer.prototype.playAd", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/114376
+! fmovies, vidsrc, vidstream, mycloud
+vid2faf.*,vidplay.*,vidstream.*,fmovies.to,vizcloud.*,mcloud.*,vizcloud2.*,vidstreamz.online#%#//scriptlet('remove-attr', 'data-ad-img|data-ad-target|data-id|data-p|data-cg', '#player-wrapper')
+! popup
+jav.re#%#//scriptlet('abort-on-stack-trace', 'onload', '/app.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/113891
+weakstreams.com#%#//scriptlet("prevent-setTimeout", "atob(e).")
+! https://github.com/AdguardTeam/AdguardFilters/issues/113956
+hitc.com,dualshockers.com#%#//scriptlet("set-constant", "pbjs.setConfig", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/114106
+pelishouse.*#%#//scriptlet('remove-attr', 'href', '#clickfakeplayer')
+! https://github.com/AdguardTeam/AdguardFilters/issues/113833
+excnn.com#%#//scriptlet("abort-on-property-read", "popunder")
+! https://github.com/easylist/easylist/pull/11492
+loadx.ws#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/113969
+games.word.tips#%#//scriptlet('adjust-setInterval', 'The game will start in', '1000', '0.02')
+! https://github.com/AdguardTeam/AdguardFilters/issues/113887
+wcofun.com#%#//scriptlet("abort-current-inline-script", "document.createElement", "cpmstarAPI")
+! https://github.com/AdguardTeam/AdguardFilters/issues/113897
+abcya.com#%#//scriptlet("set-constant", "Bolt._adBlockDetected", "true")
+! https://github.com/easylist/easylist/issues/11449
+uploadever.in#%#//scriptlet("abort-current-inline-script", "eval", "String.fromCharCode")
+! popup
+movieswatch24.pk#%#//scriptlet("prevent-window-open")
+! https://github.com/easylist/easylist/pull/11385
+hdmovie5.cam#%#//scriptlet("remove-attr", "href", "a[href]#clickfakeplayer")
+! https://github.com/AdguardTeam/AdguardFilters/issues/113148
+webhostingpost.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/112883
+beermoneyforum.com#%#//scriptlet("prevent-setTimeout", "Looking to Invest Money Online?")
+! https://github.com/AdguardTeam/AdguardFilters/issues/112712
+sangetods.net#%#//scriptlet("set-constant", "dclm_ajax_var.disclaimer_redirect_url", "")
+! https://github.com/AdguardTeam/AdguardFilters/issues/112829
+independent.co.uk#%#//scriptlet("set-constant", "google_tag_manager.dataLayer.gtmDom", "true")
+! fake player
+gum-gum-stream.com#%#//scriptlet("remove-attr", "href", "a[href]#clickfakeplayer")
+! popup
+44anime.net#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/112295
+filerio.in#%#//scriptlet("abort-current-inline-script", "onload", "window.open")
+filerio.in#%#//scriptlet('remove-attr', 'target|onclick', '.download_box > a[target][href*="filerio.in"][onclick]')
+! https://github.com/easylist/easylist/pull/11177
+whcp4.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/111971
+chillx.top#%#//scriptlet("set-constant", "S_Popup", "2")
+! https://github.com/AdguardTeam/AdguardFilters/issues/111867
+wordcounter.icu#%#//scriptlet("prevent-eval-if", "__PPU_CHECK")
+! https://github.com/abp-filters/abp-filters-anti-cv/pull/847/
+senzuri.tube#%#//scriptlet("set-constant", "adver", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/111245
+mediaite.com#%#//scriptlet('set-cookie', 'am-sub', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/111313
+@@||modulous.huffpost.com/static/js/prebid-ads.js
+huffpost.com#%#//scriptlet("set-constant", "HP_Scout.adBlocked", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/108599
+xpornium.net#%#//scriptlet("prevent-addEventListener", "", "dtnoppu")
+! https://github.com/AdguardTeam/AdguardFilters/issues/110922
+sunporno.com#%#//scriptlet("abort-on-property-read", "exoNoExternalUI38djdkjDDJsio96")
+! vumoo.cc fake player
+vumoo.cc#%#//scriptlet("remove-attr", "href", "a[href]#clickfakeplayer")
+! https://github.com/AdguardTeam/AdguardFilters/issues/108372
+tamilmv.nocensor.*#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/110353
+skincarie.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/108205
+mp3juice.info#%#//scriptlet("prevent-window-open")
+! https://github.com/FastForwardTeam/FastForward/issues/354
+ponselharian.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/109458
+imagetwist.com#%#//scriptlet("abort-current-inline-script", "$", "window.open")
+! https://github.com/uBlockOrigin/uAssets/issues/9521
+cubehosting.me#%#//scriptlet('prevent-eval-if', 'adksite')
+! https://github.com/AdguardTeam/AdguardFilters/issues/105803#issuecomment-1037126705
+flightconnections.com#%#//scriptlet('remove-attr', 'id', '.display-box')
+! https://github.com/AdguardTeam/AdguardFilters/issues/110133
+imgdawgknuttz.com#%#//scriptlet("abort-on-property-write", "atOptions")
+! https://github.com/AdguardTeam/AdguardFilters/issues/110134
+chillx.top#%#//scriptlet("set-constant", "Set_Popup", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/156604
+banned.video,freeworldnews.tv#%#//scriptlet("set-constant", "Object.prototype.nopreroll_", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/141249
+! https://github.com/AdguardTeam/CoreLibs/issues/1722
+! https://github.com/AdguardTeam/AdguardFilters/issues/117078
+! https://github.com/AdguardTeam/CoreLibs/issues/1701
+! https://github.com/AdguardTeam/CoreLibs/issues/1571
+! https://github.com/AdguardTeam/AdguardFilters/issues/102912
+! https://github.com/AdguardTeam/AdguardFilters/issues/109773
+onlyseries.net#%#//scriptlet("remove-attr", "href", "a[href]#clickfakeplayer")
+! https://github.com/AdguardTeam/AdguardFilters/issues/109211
+hdmovie20.com#%#//scriptlet("remove-attr", "href", "a[href]#clickfakeplayer")
+! https://github.com/AdguardTeam/AdguardFilters/issues/109127
+yiv.com#%#(function(){window.adsbygoogle={loaded:!0,push:function(a){if(null!==a&&a instanceof Object&&"Object"===a.constructor.name)for(let b in a)if("function"==typeof a[b])try{a[b].call()}catch(a){console.error(a)}}}})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/107358
+playerx.stream#%#//scriptlet("set-constant", "Set_Popup", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/106813
+mp3y.download#%#//scriptlet("prevent-window-open", "/redirect?")
+! tubeload.co - popups
+redload.co,tubeload.co#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/108235
+hispasexy.org#%#//scriptlet("abort-on-property-read", "_cpp")
+! https://github.com/AdguardTeam/AdguardFilters/issues/105731
+coolmathgames.com#%#//scriptlet('set-constant', 'start_full_screen_without_ad', 'false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/104916
+rule34hentai.net#%#//scriptlet("abort-on-property-write", "Pub2")
+! https://github.com/AdguardTeam/AdguardFilters/issues/104441
+gaystream.pw#%#//scriptlet('trusted-click-element', '.streams .overlay-close > button', '', '500')
+! https://github.com/AdguardTeam/AdguardFilters/issues/106095
+drivelinks.in#%#//scriptlet("abort-on-property-read", "dead_file_redirect")
+! https://github.com/AdguardTeam/AdguardFilters/issues/105330
+freeplayervideo.com#%#//scriptlet("prevent-window-open", "/^./", "1")
+! https://github.com/AdguardTeam/AdguardFilters/issues/101921
+gifhq.com#%#//scriptlet("abort-current-inline-script", "$", "window.open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/104676
+firstpost.com#%#//scriptlet('remove-attr', 'href', 'p[class^="story_para_"] > a[target="_blank"][rel="nofollow"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/116416
+! https://github.com/AdguardTeam/AdguardFilters/issues/103247#issuecomment-1001250733
+cnn.com#%#(function(){window.AdFuel={queueRegistry(){},destroySlots(){}}})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/104830
+! lookmovie*.xyz - frequently changed domains
+lookmovie107.xyz,lookmovie110.xyz,lookmovie111.xyz,lookmovie114.xyz,lookmovie118.xyz,lookmovie122.xyz,lookmovie123.xyz,lookmovie128.xyz,lookmovie129.xyz,lookmovie130.xyz,lookmovie131.xyz,lookmovie133.xyz,lookmovie134.xyz,lookmovie135.xyz,lookmovie137.xyz,lookmovie138.xyz,lookmovie139.xyz,lookmovie142.xyz,lookmovie143.xyz,lookmovie145.xyz,lookmovie148.xyz,lookmovie149.xyz,lookmovie152.xyz,lookmovie153.xyz,lookmovie154.xyz,lookmovie159.xyz,lookmovie160.xyz,lookmovie162.xyz,lookmovie164.xyz,lookmovie166.xyz,lookmovie168.xyz,lookmovie177.xyz,lookmovie179.xyz,lookmovie182.xyz,lookmovie188.xyz,lookmovie190.xyz,lookmovie191.xyz,lookmovie192.xyz,lookmovie194.xyz#%#//scriptlet("abort-current-inline-script", "Promise", "delete window")
+! https://github.com/AdguardTeam/AdguardFilters/issues/105292
+pndx.live#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/104290
+qr.quel.jp#%#AG_onLoad(function() { document.body.innerHTML = document.body.innerHTML.replace(/シェアする/g, ""); });
+! https://github.com/AdguardTeam/AdguardFilters/issues/103496
+r3ndy.com#%#//scriptlet('prevent-setInterval', 'hashLink')
+! https://github.com/AdguardTeam/AdguardFilters/issues/105185
+mixdrop.*#%#//scriptlet("abort-on-property-read", "nativeInit")
+! https://github.com/AdguardTeam/AdguardFilters/issues/104839
+cararegistrasi.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/103455
+crackshash.com#%#//scriptlet("abort-current-inline-script", "document.getElementsByClassName", "wp-ad")
+! https://github.com/uBlockOrigin/uAssets/issues/10978
+film01stream.ws#%#//scriptlet("remove-attr", "href", ".mvi-cover")
+! https://github.com/AdguardTeam/AdguardFilters/issues/103480
+latinohentai.com#%#//scriptlet("remove-attr", "href", "a[href]#clickfakeplayer")
+! https://github.com/AdguardTeam/AdguardFilters/issues/179384
+! TODO: remove this rule when this issue will be fixed - https://github.com/AdguardTeam/CoreLibs/issues/1865
+! https://github.com/AdguardTeam/AdguardFilters/issues/102963
+! TODO: remove this rule when this issue will be fixed - https://github.com/AdguardTeam/ExtendedCss/issues/139
+! https://github.com/AdguardTeam/AdguardFilters/issues/102414
+supersextube.pro#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/102405
+feet9.com#%#//scriptlet("abort-on-property-read", "__ADX_URL_U")
+! https://github.com/AdguardTeam/AdguardFilters/issues/102706
+deportealdia.live,clk.asia#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/102318
+dropgalaxy.com#%#//scriptlet("abort-current-inline-script", "document.createElement", "/break;case \$\.|popunder/")
+! https://github.com/AdguardTeam/AdguardFilters/issues/102678
+porndoe.com#%#//scriptlet('prevent-setTimeout', 'location.href', '500')
+porndoe.com#%#//scriptlet("prevent-addEventListener", "click", "pop_under")
+! https://github.com/AdguardTeam/AdguardFilters/issues/101999
+steamcrackedgames.com#%#//scriptlet('abort-on-property-write', 'spu_createCookie')
+steamcrackedgames.com#%#//scriptlet("set-constant", "scgpo", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/101837
+videoseyred.in#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/100103
+gotxx.com#%#//scriptlet("json-prune", "*", "openTargetBlank")
+gotxx.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/101424
+player.glomex.com#%#//scriptlet('set-constant', 'Object.prototype._getSalesHouseConfigurations', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/100820
+! Fixing incorrect blocking (for example, Songfacts button)
+securenetsystems.net#%#(function(){var a={setConfig:function(){},aliasBidder:function(){},removeAdUnit:function(){},que:[push=function(){}]};window.pbjs=a})();
+! https://github.com/Sainan/Universal-Bypass/issues/2102
+sohexo.org#%#//scriptlet("prevent-window-open")
+! https://github.com/abpvn/abpvn/issues/306
+xnxx-sex-videos.com#%#//scriptlet('prevent-setTimeout', '/out.php')
+! https://github.com/AdguardTeam/AdguardFilters/issues/99798
+softonic.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/100472
+pogolinks.space#%#//scriptlet("remove-attr", "href", "a[href]#clickfakeplayer")
+pogolinks.space#%#//scriptlet('trusted-set-constant', 'dtGonza.playeradstime', '"-1"')
+! https://github.com/AdguardTeam/AdguardFilters/issues/107015
+av01.tv#%#//scriptlet('prevent-window-open')
+av01.tv#%#//scriptlet('remove-attr', 'onclick', 'a[href^="/video/"][onclick^="setTimeout"]')
+av01.tv#%#//scriptlet('remove-class', 'vjs-hidden', '.vjs-control-bar')
+! https://github.com/AdguardTeam/AdguardFilters/issues/99892
+pricearchive.org#%#//scriptlet('set-cookie', 'aalset', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/99539
+111.90.159.132#%#//scriptlet('set-constant', 'Object.prototype.shouldPlayPreroll', 'falseFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/99540
+all-free-download.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/99105
+1cloudfile.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/99374
+xozilla.xxx#%#//scriptlet("abort-on-property-read", "__ASG_VAST")
+! https://github.com/AdguardTeam/AdguardFilters/issues/100188
+adshort.*#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/99466
+fmoviesto.cc#%#//scriptlet("json-prune", "ads")
+fmoviesto.cc#%#//scriptlet("json-prune", "*", "bannerId")
+fmoviesto.cc#%#//scriptlet("abort-on-property-read", "Object.prototype.initBrowserSession")
+! https://github.com/uBlockOrigin/uAssets/issues/10461
+porngames.club,sexgames.xxx#%#//scriptlet('set-constant', 'starPop', '1')
+! popunder, ads
+amateur-couples.com#%#//scriptlet("abort-on-property-read", "exoNoExternalUI38djdkjDDJsio96")
+amateur-couples.com#%#//scriptlet('set-constant', 'dclm_ajax_var.disclaimer_redirect_url', '')
+! https://github.com/AdguardTeam/AdguardFilters/issues/98265
+porn00.org#%#//scriptlet("abort-current-inline-script", "popup_url", "getCookie")
+! https://github.com/uBlockOrigin/uAssets/issues/10405
+nhentai.net#%#//scriptlet('set-constant', '_n_app.popunder', 'null')
+nhentai.net#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/98307
+milfnut.net#%#//scriptlet("abort-on-property-write", "zone_id")
+milfnut.com#%#//scriptlet("abort-current-inline-script", "onload", "onclick")
+milfnut.com#%#//scriptlet("prevent-setInterval", "createOverlay()")
+milfnut.com#%#//scriptlet('prevent-setTimeout', '/image_block animation-run|enableOnSpecificAdblockTraffic/')
+milfnut.com#%#//scriptlet("prevent-addEventListener", "", "/ADBLOCK_TRAFFIC_CONFIGURATION|NEW_TAB_FOCUS|sessionStorage[\s\S]*?getComputedStyle[\s\S]*?z-index:[\s\S]*?data:|setShouldHideOverlays|LAST_CORRECT_EVENT_TIME/")
+! https://github.com/AdguardTeam/AdguardFilters/issues/97540
+fastconv.com#%#//scriptlet("prevent-window-open", "adfpoint")
+! https://github.com/AdguardTeam/AdguardFilters/issues/97439
+jeniusplay.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/98494#issuecomment-955700328
+dvdgayporn.com#%#//scriptlet("remove-attr", "href", "a[href]#clickfakeplayer")
+! https://github.com/AdguardTeam/AdguardFilters/issues/98491
+streamta.*#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/97141
+cartoonpornvideos.com#%#//scriptlet("abort-on-property-read", "adnPopConfig")
+! https://github.com/AdguardTeam/AdguardFilters/issues/97298
+game3rb.com#%#//scriptlet("abort-current-inline-script", "onload", "onclick")
+! https://github.com/AdguardTeam/AdguardFilters/issues/97067
+easymp3converter.com#%#//scriptlet("prevent-window-open", "adfpoint")
+! https://github.com/AdguardTeam/AdguardFilters/issues/97285#issuecomment-947744891
+emturbovid.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/96303
+mega4up.org#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/96856
+shortlink.prz.pw#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/96797
+! Skips ad timer after every lesson
+spanishdict.com#%#//scriptlet('adjust-setTimeout', 'function(){c(e)}', '*')
+! https://github.com/AdguardTeam/AdguardFilters/issues/96392
+social-unlock.com#%#//scriptlet("set-constant", "ad_link", "")
+! https://github.com/AdguardTeam/AdguardFilters/issues/95953
+bowfile.com#%#//scriptlet("prevent-window-open")
+mrpcgamer.co#%#//scriptlet("abort-current-inline-script", "onload", "onclick")
+mrpcgamer.co#%#//scriptlet("prevent-addEventListener", "", "/ADBLOCK_TRAFFIC_CONFIGURATION|NEW_TAB_FOCUS/")
+! https://github.com/AdguardTeam/AdguardFilters/issues/96077
+ytmp3.cc#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/96019
+videovard.*#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/95722
+acn.vin#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/95721
+shortz.one#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/95551
+webtoon69.com#%#//scriptlet("prevent-addEventListener", "mousedown", ")]){return")
+! https://github.com/AdguardTeam/AdguardFilters/issues/95971
+animeunity.tv#%#//scriptlet("prevent-addEventListener", "mousedown", ")]){return")
+! https://github.com/AdguardTeam/AdguardFilters/issues/95127
+anonymouse.org#%#AG_onLoad(function() { document.body.innerHTML = document.body.innerHTML.replace(/Adverts/g, ""); });
+! pornhits.com popup/under
+pornhits.com#%#//scriptlet('abort-current-inline-script', 'ACtMan')
+! https://github.com/AdguardTeam/AdguardFilters/issues/108648
+! https://github.com/AdguardTeam/AdguardFilters/issues/95247
+za.gl,za.uy#%#//scriptlet("prevent-window-open", "!za.gl", "10")
+za.gl,za.uy#%#//scriptlet("set-constant", "document.hidden", "true")
+za.gl,za.uy#%#//scriptlet('abort-current-inline-script', 'Math.floor', 'queryRnd')
+za.gl,za.uy#%#//scriptlet("abort-current-inline-script", "$", "tabunder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/95137
+inhumanity.com#%#//scriptlet("abort-on-property-read", "inhumanity_pop_var_name")
+! https://github.com/AdguardTeam/AdguardFilters/issues/94991
+1tamilmv.*#%#//scriptlet("abort-current-inline-script", "document.createElement", "ppu_")
+! https://github.com/AdguardTeam/AdguardFilters/issues/94851
+fmovies.app#%#//scriptlet("prevent-setTimeout", "et(e")
+fmovies.app#%#//scriptlet("prevent-addEventListener", "", "prefetchAdEnabled")
+! https://github.com/AdguardTeam/AdguardFilters/issues/95144
+bowfile.com#%#//scriptlet("abort-current-inline-script", "genlink", "onclick")
+! allcalidad.club fake player
+allcalidad.club#%#//scriptlet("remove-attr", "href", "a[href]#clickfakeplayer")
+! https://github.com/AdguardTeam/AdguardFilters/issues/94506
+gotohole.com#%#//scriptlet("abort-current-inline-script", "onbeforeunload", "var close")
+gotohole.com#%#//scriptlet('prevent-addEventListener', 'popstate')
+! https://github.com/AdguardTeam/AdguardFilters/issues/93700
+! https://github.com/List-KR/List-KR/issues/689
+send-anywhere.com#%#//scriptlet('adjust-setInterval', 'autoClose', '', '0.02')
+! popup on click
+animeheaven.pro,animepahe.*#%#//scriptlet("abort-on-property-write", "__C")
+! https://github.com/AdguardTeam/AdguardFilters/issues/93802
+rajasthan.gov.in#%#//scriptlet("prevent-window-open", "rajadvt")
+! https://github.com/uBlockOrigin/uAssets/issues/9964
+sharpporn.com#%#//scriptlet('prevent-addEventListener', 'mouseup', 'flipped')
+sharpporn.com#%#//scriptlet("prevent-setTimeout", "/o.php")
+sharpporn.com#%#//scriptlet('set-constant', 'popundrInit', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/92911
+link.rota.cc#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/93290
+mp3dl.cc#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/93291
+mp3snow.com#%#//scriptlet("json-prune", "pn_load")
+! https://github.com/AdguardTeam/AdguardFilters/issues/92539
+freetutorialonline.com#%#//scriptlet('remove-attr', 'href', '.code-block > a[href^="https://click.linksynergy.com/"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/93513
+coinsparty.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/93140
+convert2mp3.cx#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/93219
+notebookcheck-hu.com,notebookcheck-tr.com,notebookcheck-ru.com,notebookcheck.*#%#//scriptlet("abort-on-property-write", "ab_cl")
+! https://github.com/AdguardTeam/AdguardFilters/issues/92994
+watchmovierulz.co#%#//scriptlet("prevent-window-open", "0", "_blank")
+! https://github.com/AdguardTeam/AdguardFilters/issues/92613
+4kpornmovs.com,pornvideos4k.com#%#//scriptlet("abort-on-property-read", "__ASG_VAST")
+! https://github.com/AdguardTeam/AdguardFilters/issues/92911
+automotur.club#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/92864
+animesuge.io#%#//scriptlet('set-constant', 'fired', 'true')
+! popup/under
+foxtube.com,matureworld.ws#%#//scriptlet('prevent-window-open')
+! auto redirect
+tubsxxx.com,de-sexy-tube.ru#%#//scriptlet("prevent-setTimeout", "window.location.href")
+! https://github.com/AdguardTeam/AdguardFilters/issues/92336
+onlinevideoconverter.pro#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/92239
+indiansexstories2.net,issstories.xyz#%#//scriptlet("set-constant", "history.pushState", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/91586
+btp.ac.id#%#//scriptlet("abort-on-property-read", "openads")
+! https://github.com/AdguardTeam/AdguardFilters/issues/92153
+jetanimes.com#%#//scriptlet("remove-attr", "href", "a[href]#clickfakeplayer")
+! https://github.com/AdguardTeam/AdguardFilters/issues/91553
+enagato.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/91218
+videocelebs.net#%#//scriptlet("abort-current-inline-script", "$", "banners")
+! redirect after click
+pornvideotop.com#%#//scriptlet("prevent-setTimeout", "location.href")
+! https://github.com/AdguardTeam/AdguardFilters/issues/92141
+shtms.co,gitizle.vip,ay.live#%#//scriptlet('set-constant', 'mainClick', 'undefined')
+shtms.co,gitizle.vip,ay.live#%#//scriptlet('set-constant', 'popush', 'undefined')
+shtms.co,gitizle.vip,ay.live#%#//scriptlet('remove-attr', 'data-ppcnt_ads', 'main')
+! popup
+lametrofitness.net#%#//scriptlet('prevent-window-open')
+! amyscans.com fake player
+amyscans.com#%#//scriptlet("remove-attr", "href", "a[href]#clickfakeplayer")
+! https://github.com/AdguardTeam/AdguardFilters/issues/91006
+123moviesfree.love#%#//scriptlet('noeval')
+! https://github.com/AdguardTeam/AdguardFilters/issues/90670
+afreesms.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/90053
+pastehouse.com#%#//scriptlet('abort-current-inline-script', 'document.write', 'Banner')
+! https://github.com/AdguardTeam/AdguardFilters/issues/89667
+vmovee.watch#%#//scriptlet("remove-attr", "href", "a[href]#clickfakeplayer")
+! https://github.com/AdguardTeam/AdguardFilters/issues/89640
+! streamlare.com
+slwatch.co,slmaxed.com,streamlare.com#%#//scriptlet("prevent-window-open", "!streamlare")
+slwatch.co,slmaxed.com,streamlare.com#%#//scriptlet("prevent-setTimeout", "afterOpen")
+! breaks download button
+! streamlare.com#%#//scriptlet("abort-on-property-read", "bPop")
+! https://github.com/AdguardTeam/AdguardFilters/issues/89866
+slreamplay.cc#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/89597
+unblocked.id#%#//scriptlet("abort-current-inline-script", "document.write", "VPN")
+! https://github.com/AdguardTeam/AdguardFilters/issues/89568
+theicongenerator.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/89339
+sunporno.com#%#//scriptlet('abort-on-property-read', 'BetterPop')
+! https://github.com/uBlockOrigin/uAssets/issues/9671
+xemphimgi.net#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/89285
+crazyshit.com#%#//scriptlet("abort-current-inline-script", "jQuery", "document.cookie")
+! https://github.com/AdguardTeam/AdguardFilters/issues/88904
+gizchina.com#%#//scriptlet('hide-in-shadow-dom', 'div[class^="index__adWrapper"]', 'div[data-spot-im-shadow-host]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/151052
+! https://github.com/AdguardTeam/AdguardFilters/issues/88692
+sbs.com.au#%#//scriptlet('m3u-prune', '/redirector\.googlevideo\.com\/videoplayback\?[\s\S]*?dclk_video_ads/', '.m3u8')
+sbs.com.au#%#//scriptlet('prevent-xhr', '/redirector\.googlevideo\.com\/videoplayback[\s\S]*?dclk_video_ads/')
+sbs.com.au#%#//scriptlet("json-prune", "ads breaks cuepoints times")
+! https://github.com/AdguardTeam/AdguardFilters/issues/88626
+rancah.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/88461
+timesnownews.com#%#//scriptlet("json-prune", "ads breaks")
+! https://github.com/AdguardTeam/AdguardFilters/issues/88546
+rosefile.net#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/88722
+watchadsontape.com,advertisertape.com,tapeadvertisement.com,adblockplustape.xyz,tapelovesads.org,gettapeads.com,tapeadsenjoyer.com,strtape.cloud,streamtape.*#%#//scriptlet('trusted-click-element', '.play-overlay, .play-overlay, .play-overlay')
+watchadsontape.com,advertisertape.com,tapeadvertisement.com,adblockplustape.xyz,tapelovesads.org,gettapeads.com,tapeadsenjoyer.com,noblocktape.com,antiadtape.com,tapewithadblock.org,streamadblocker.*,adblocktape.*,streamtapeadblockuser.*,strtapewithadblock.*,stapewithadblock.monster,adblockeronstape.me,streamadblockplus.com,shavetape.*,streamtapeadblock.*,adblockstrtape.link,adblockstrtech.link,adblockstreamtape.*,tubeload.co,stape.fun,streamtape.*,strcloud.link#%#//scriptlet("prevent-window-open")
+noblocktape.com,antiadtape.com,tapewithadblock.org,streamadblocker.*,adblocktape.*,streamtapeadblockuser.*,stapewithadblock.monster,adblockeronstape.me,streamadblockplus.com,shavetape.*,streamtapeadblock.*,adblockstrtape.link,adblockstrtech.link,adblockstreamtape.*,tubeload.co,stape.fun,strcloud.link#%#//scriptlet('trusted-click-element', '.play-overlay', '', '500')
+! https://github.com/AdguardTeam/AdguardFilters/issues/88646
+owllink.net#%#//scriptlet("prevent-window-open")
+! auto redirect when visited
+millebook.com#%#//scriptlet("abort-current-inline-script", "loadNewDoc", "location")
+! https://github.com/AdguardTeam/AdguardFilters/issues/88366
+usingenglish.com#%#//scriptlet('remove-class', 'hasad', '.content')
+! https://github.com/AdguardTeam/AdguardFilters/issues/88067
+zetporn.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/88161
+gameflare.com#%#//scriptlet("adjust-setInterval", "[native code]", "1000", "0.02")
+gameflare.com#%#AG_defineProperty('GameflareAsdk.config.advert.network', {value: "none"});
+! https://github.com/AdguardTeam/AdguardFilters/issues/94696
+! https://github.com/AdguardTeam/AdguardFilters/issues/87634
+onionplay.*#%#//scriptlet("remove-attr", "href", "a#clickfkplayer")
+! https://github.com/AdguardTeam/AdguardFilters/issues/87587
+cheatcc.com#%#//scriptlet("abort-current-inline-script", "$", "window.open")
+! popunder
+anon-v.com,camwhorescloud.com,dirtyship.com#%#//scriptlet("abort-current-inline-script", "onload", "onclick")
+cambabe.me,camlovers.tv,camwhorescloud.com#%#//scriptlet("abort-on-property-read", "crakPopInParams")
+! https://github.com/AdguardTeam/AdguardFilters/issues/87739
+mp3quack.lol#%#//scriptlet('prevent-addEventListener', 'click', 'window.open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/87782
+ntp.msn.com#%#//scriptlet('remove-in-shadow-dom', 'msft-info-pane-slide[class^="title-ad-"], msn-info-pane-panel[id="tab_panel_undefined"], msn-info-pane-tab[id="tab_undefined"]')
+ntp.msn.com#%#//scriptlet('remove-in-shadow-dom', 'fluent-design-system-provider > #infopane > [id^="tab_"][id$="undefined"], fluent-design-system-provider > #infopane > [id^="tab"][id*="_nativead-"]', 'msft-feed-layout')
+! https://github.com/AdguardTeam/AdguardFilters/issues/87660
+mangalek.com#%#//scriptlet("abort-current-inline-script", "String.fromCharCode", "decodeURIComponent")
+! https://github.com/AdguardTeam/AdguardFilters/issues/87538
+go.gets4link.com#%#//scriptlet('remove-class', 'get-link', 'a.btn-success.get-link[target="_blank"]')
+go.gets4link.com#%#//scriptlet('prevent-window-open')
+! popup initiator
+faptube.xyz#%#//scriptlet("abort-current-inline-script", "Math", "_0x")
+! https://github.com/AdguardTeam/AdguardFilters/issues/87373
+streamabc.xyz#%#//scriptlet('prevent-window-open')
+! popunder
+deusasporno.com.br,pornos.blog.br,xvideosf.com#%#//scriptlet("prevent-addEventListener", "click", "popunder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/86329
+gogoanime.*#%#//scriptlet('prevent-window-open')
+! popup
+gaytail.com#%#//scriptlet("abort-current-inline-script", "onload", "onclick")
+! https://github.com/AdguardTeam/AdguardFilters/issues/86250
+fembed.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/86865
+hitomi.la#%#//scriptlet('noeval')
+! https://github.com/AdguardTeam/AdguardFilters/issues/86387
+yifysub.cc#%#//scriptlet('abort-current-inline-script', 'document.querySelectorAll', 'ads_host')
+! https://github.com/AdguardTeam/AdguardFilters/issues/86072
+veryfastdownload.pw#%#//scriptlet('remove-attr', 'href', '.go_button > a[onclick]')
+! hentaipins.com popunder
+hentaipins.com#%#//scriptlet("abort-on-property-read", "popundrCheck")
+! https://github.com/AdguardTeam/AdguardFilters/issues/86632
+youtubemp3donusturucu.net#%#//scriptlet('prevent-addEventListener', 'click', 't(a)')
+! https://github.com/AdguardTeam/AdguardFilters/issues/86627
+javideo.pw#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/86555
+pussy-hub.com#%#//scriptlet('prevent-addEventListener', 'click', 'popundr')
+! Streamplay
+stre4mplay.*,streampiay.*,stemplay.*,steamplay.*,steanplay.*,streamp1ay.*,streanplay.*#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/86270
+javhdfree.icu#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/85566
+kartaplovdiv.com#%#//scriptlet('remove-attr', 'href', 'a[href="https://kartaplovdiv.com/c5/sexdating.php"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/85097
+givemenbastreams.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/85934
+teleriumtv.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/85182
+paid4.link#%#//scriptlet("prevent-window-open")
+paid4.link#%#//scriptlet('remove-class', 'get-link', 'a.ybtn.get-link[target="_blank"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/85636
+vxxx.com#%#//scriptlet('abort-current-inline-script', 'ACtMan')
+! https://github.com/AdguardTeam/AdguardFilters/issues/85564
+nudeselfiespics.com#%#//scriptlet('prevent-eval-if', 'popUnderStage')
+! https://github.com/AdguardTeam/AdguardFilters/issues/85010
+clikern.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/84940
+file-upload.com#%#//scriptlet("prevent-window-open")
+! popup
+vidsvidsvids.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/84275
+reference.medscape.com#%#//scriptlet("set-constant", "webmd.ads2.setPageTarget", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/84617
+sbvideo.net#%#//scriptlet("prevent-window-open", "!/d/")
+! popup https://javtsunami.com/miaa-441-runa-tsukino-creampie-practice.html
+cloudrls.com#%#//scriptlet("prevent-window-open")
+! popup
+zipurls.com#%#//scriptlet("abort-on-property-read", "open")
+! analsexstars.com popup
+analsexstars.com#%#//scriptlet("prevent-window-open")
+! pussy.org popup
+pussy.org#%#//scriptlet("prevent-window-open")
+! sexuhot.com popup, redirect on back, ads
+sexuhot.com#%#//scriptlet("abort-on-property-write", "atOptions")
+sexuhot.com#%#//scriptlet("abort-on-property-read", "history.replaceState")
+! https://github.com/AdguardTeam/AdguardFilters/issues/83930
+theblissempire.com#%#//scriptlet("prevent-window-open")
+! popup on hd21 group sites
+hd21.*#%#//scriptlet("prevent-window-open", "about:blank")
+tubeon.*#%#//scriptlet("prevent-window-open", "about:blank")
+vivatube.*#%#//scriptlet("prevent-window-open", "about:blank")
+! https://github.com/AdguardTeam/AdguardFilters/issues/83534
+catch.tube#%#//scriptlet('abort-current-inline-script', 'document.getElementById', 'document.location.href')
+! https://github.com/AdguardTeam/AdguardFilters/issues/83536
+onlinevideoconverter.party#%#//scriptlet("prevent-window-open")
+! dansmovies.com popup
+dansmovies.com#%#//scriptlet('abort-on-property-read', 'popunder')
+! playporngames.com,playsexgames.xxx ads
+playporngames.com#%#//scriptlet("prevent-addEventListener", "DOMContentLoaded", "window.open")
+playsexgames.xxx#%#//scriptlet("abort-current-inline-script", "bannersRequest")
+! https://github.com/AdguardTeam/AdguardFilters/issues/83888
+upstream.to#%#//scriptlet("abort-on-property-read", "BetterJustream")
+upstream.to#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/83705
+comixzilla.com#%#//scriptlet("abort-current-inline-script", "document.createElement", ".parentNode.insertBefore(")
+! abandonmail.com - site does not allow private mode in Firefox
+abandonmail.com#%#//scriptlet("set-constant", "db.onerror", "undefined")
+! https://github.com/AdguardTeam/AdguardFilters/issues/83343
+coursedown.com#%#//scriptlet("prevent-addEventListener", "DOMContentLoaded", "adlinkfly_url")
+! https://github.com/AdguardTeam/AdguardFilters/issues/83454
+latestmanga.net#%#//scriptlet("abort-on-property-write", "onClickTrigger")
+! https://github.com/AdguardTeam/AdguardFilters/issues/83382
+yindex.xyz#%#//scriptlet('remove-attr', 'data-ppcnt_ads|onclick', '#main[onclick*="mainClick"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/83540
+shemalestube.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/83275
+dotabuff.com#%#//scriptlet("abort-on-property-write", "pbjs")
+! https://github.com/AdguardTeam/AdguardFilters/issues/83227
+thepiratebay.org#%#//scriptlet('remove-attr', 'href', '#home > header a[href^="https://"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/82597
+upvideo.to#%#//scriptlet('prevent-window-open')
+upvideo.to#%#//scriptlet('abort-current-inline-script', '$', 'return decodeURIComponent')
+! https://github.com/AdguardTeam/AdguardFilters/issues/81824
+bflix.to#%#//scriptlet('set-cookie', 'pads', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/82591
+pornotorrent.eu#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/81931
+cyberscoop.com#%#//scriptlet("abort-current-inline-script", "document.getElementById", "show_welcome_ad_")
+! https://github.com/AdguardTeam/AdguardFilters/issues/82284
+tny.so#%#//scriptlet('prevent-window-open')
+! playtube.ws - popunder
+playtube.ws#%#//scriptlet('prevent-window-open')
+! tinyurl.is timer countdown
+tinyurl.is#%#//scriptlet('adjust-setInterval', '.navbar-brand', '1000', '0.02')
+! https://github.com/AdguardTeam/AdguardFilters/issues/82615
+privatehomeclips.com#%#//scriptlet('set-constant', 'skipPop', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/81401
+circuitdigest.com#%#//scriptlet('prevent-setTimeout', '#myModalwel')
+! popunder
+cambabe.me,camgirlbay.net#%#//scriptlet("abort-current-inline-script", "onload", "onclick")
+! popup
+filmovitica.com#%#//scriptlet("prevent-window-open")
+hd44.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/81666
+qdownloader.io#%#//scriptlet('set-constant', 'popShown', 'true')
+! adz7short.space popup
+adz7short.space#%#//scriptlet('remove-attr', 'href', '#continue')
+! popup
+cslink.in#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/81098
+fzmovies.*#%#//scriptlet("abort-current-inline-script", "confirm", "Download the official Android app")
+fzmovies.*#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/81731
+illink.net#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/100804
+mixdrop.*#%#//scriptlet("set-constant", "MDinjectP2", "undefined")
+mixdrop.*#%#//scriptlet("set-constant", "MDinjectP3", "undefined")
+! https://github.com/AdguardTeam/AdguardFilters/issues/80770
+thumpertalk.com#%#//scriptlet('remove-attr', 'href|data-ipshover-target|data-ipshover|data-autolink', 'a[href^="https://thumpertalk.com/link/click/"][target="_blank"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/81307
+loader.to#%#//scriptlet("prevent-window-open")
+! popup
+mp3-convert.org#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/80956
+shorterall.com,promo-visits.site#%#//scriptlet('remove-attr', 'onclick', '#invisibleCaptchaShortlink')
+faucet.shorterall.com#%#//scriptlet('remove-attr', 'onclick', '.claim-button')
+! https://github.com/AdguardTeam/AdguardFilters/issues/81152
+vipleague.lc,upvideo.to,dartsstream.me,golfstreams.me,motogpstream.me,ufcstream.me,boxingstreams.me,socceronline.me,rugbystreams.me,tennisstreams.me,nbastream.nu,mlbstream.me,embedstream.me,tvply.me#%#//scriptlet('prevent-setTimeout', '/\!window\[[\s\S]*?String\.fromCharCode[\s\S]*?document\.createElement\("script"\)/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/81153
+fsapi.xyz#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/81095
+hdpass.click#%#//scriptlet("adjust-setInterval", "skip_timer", "", "0.02")
+hdpass.click#%#AG_onLoad(function(){var b=document.querySelector("#main-player-wrapper"),a=document.querySelector("#main-player-wrapper iframe[custom-src^='aHR0c']"),c=document.querySelector("#fake-player-wrapper");c&&(c.style.display="none");if(b&&a)try{b.style.display="block";var d=a.getAttribute("custom-src");a.setAttribute("src",atob(d))}catch(e){}});
+! https://github.com/AdguardTeam/AdguardFilters/issues/80953
+yellowfaucet.ovh#%#//scriptlet("abort-on-property-read", "_cpp")
+! https://github.com/AdguardTeam/AdguardFilters/issues/81280
+jacquieetmicheltv.net#%#//scriptlet('set-constant', 'showPopunder', 'noopFunc')
+! popunder
+! https://github.com/AdguardTeam/AdguardFilters/commit/4269f6e99ad54f56e04829bbe9eeaf4c24f4921b#r50935671
+!+ NOT_PLATFORM(ext_ublock)
+influencersgonewild.com#%#//scriptlet('abort-current-inline-script', 'onload', 'puHref')
+! popup
+hoastie.com#%#//scriptlet("abort-on-property-read", "open")
+! popup on click
+sportbet.tips#%#//scriptlet("abort-on-property-read", "_wm")
+! auto redirect after click
+muztext.com#%#//scriptlet('prevent-setTimeout', 'reachGoal')
+! https://github.com/AdguardTeam/AdguardFilters/issues/80479
+allviids.com#%#//scriptlet('prevent-setTimeout', 'smartOverlay')
+allviids.com#%#//scriptlet('prevent-addEventListener', '', 'Popunder')
+! streamsport.* - popups
+streamsport.*#%#//scriptlet("remove-attr", "onclick", "div[onclick^='javascript:window.open']")
+! https://github.com/AdguardTeam/AdguardFilters/issues/166626
+! https://github.com/AdguardTeam/AdguardFilters/issues/86127
+! https://github.com/AdguardTeam/AdguardFilters/issues/80044
+msn.com#%#//scriptlet('hide-in-shadow-dom', 'msft-article-card:not([class="contentCard"])')
+msn.com#%#//scriptlet('json-prune', '*.*', 'adFeedbackData adType adServedUrls')
+msn.com#%#//scriptlet('json-prune', '*', 'list.*.link.ad list.*.link.kicker')
+! webshort.in - popups
+webshort.in#%#//scriptlet("prevent-window-open")
+erotic-beauties.com,hardsex.cc,sex-movies.biz,sikwap.xyz,tube18.sexy#%#//scriptlet('abort-current-inline-script', 'pop_init')
+itsfuck.com,stilltube.com#%#//scriptlet("prevent-window-open")
+itsfuck.com,stilltube.com#%#//scriptlet("remove-attr", "onclick", ".previewhd > a")
+! https://github.com/AdguardTeam/AdguardFilters/issues/79679
+history.com#%#//scriptlet('set-constant', 'phxSiteConfig.gallery.ads.interstitialFrequency', 'emptyObj')
+history.com#%#//scriptlet('remove-class', 'has-ad-top|has-ad-right', '.m-gallery-overlay.has-ad-top.has-ad-right')
+! https://github.com/AdguardTeam/AdguardFilters/issues/79775
+reuters.com#%#//scriptlet('prevent-setTimeout', '.call(null)', '10')
+! https://github.com/AdguardTeam/AdguardFilters/issues/79356
+imgsto.com,imgsen.com#%#//scriptlet("json-prune", "*", "showTrkURL")
+! https://github.com/AdguardTeam/AdguardFilters/issues/78643
+themaclife.com#%#AG_onLoad(function(){setTimeout(function(){document.querySelector("#sidebar").childNodes.forEach(function(a){3===a.TEXT_NODE&&a.textContent.match("Advertisement")&&20>a.length&&a.remove()})},300)});
+! https://github.com/AdguardTeam/AdguardFilters/issues/79047
+upload-4ever.com#%#//scriptlet('remove-attr', 'onclick', 'a[onclick^="window.open"]')
+! payskip.org - popups
+payskip.org#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/79402
+cryptodirectories.com#%#AG_onLoad(function(){document.querySelector('meta[http-equiv="refresh"]')&&setTimeout(function(){window.stop()},4E3)});
+! https://github.com/AdguardTeam/AdguardFilters/issues/78566
+phimgiz.net#%#//scriptlet("set-constant", "open", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/78591 - popups on button
+mobileflasherbd.com#%#//scriptlet("prevent-window-open", "youtube.com")
+! https://github.com/AdguardTeam/AdguardFilters/issues/78608
+toopl.xyz#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/pull/78705#issuecomment-809354115
+megalink.*#%#//scriptlet("prevent-addEventListener", "click", "popunder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/72373
+noticiasesports.live#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/78071
+todaypktv.me,mp4moviez.ch#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/78393
+gogoanime.pro#%#//scriptlet("set-constant", "fired", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/78092
+hltv.org#%#//scriptlet("remove-attr", "data-href", "body")
+! https://github.com/AdguardTeam/AdguardFilters/issues/78099
+katmoviehd4.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/77255
+porn-tube-club.com#%#//scriptlet("set-constant", "pop1init", "undefined")
+porn-tube-club.com#%#//scriptlet("set-constant", "initBCred_cucumber_chatPopunder", "undefined")
+! bluemediafiles.com - popups
+urlbluemedia.*,bluemediadownload.*,bluemediaurls.lol,bluemedialink.online,bluemediafile.*,bluemediafiles.*,get-url.com#%#//scriptlet("abort-current-inline-script", "document.createEvent", "Fingerprint2")
+! https://github.com/AdguardTeam/AdguardFilters/pull/77745/
+streamtape.*#%#//scriptlet("prevent-window-open")
+ovagames.com#%#//scriptlet("set-constant", "window.open", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/76760
+freexcafe.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/81730
+pixrqqz.shop,imagehaha.com,imgblaze.net,imgkaka.xyz,pixsera.net,imgfrost.net,imgair.net#%#//scriptlet("prevent-addEventListener", "click", "checkTarget")
+pixrqqz.shop,imagehaha.com,imgblaze.net,imgkaka.xyz,pixsera.net,imgfrost.net,imgair.net#%#//scriptlet("prevent-window-open", "/prcf.fiyar|themes|pixsense|.jpg/")
+! https://github.com/AdguardTeam/AdguardFilters/issues/77663
+uploadev.org#%#//scriptlet("abort-on-property-read", "openInNewTab")
+! https://github.com/AdguardTeam/AdguardFilters/issues/77395
+oncehelp.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/77193
+nbaup.live,goalup.live#%#//scriptlet("abort-on-property-read", "popup")
+! https://github.com/AdguardTeam/AdguardFilters/issues/72379
+!+ NOT_PLATFORM(windows, mac, android, ext_ff)
+isaiminiweb.online#%#AG_onLoad(function(){document.querySelector('meta[http-equiv="REFRESH"]')&&setTimeout(function(){window.stop()},4E3)});
+! https://github.com/AdguardTeam/AdguardFilters/issues/76395
+! https://github.com/AdguardTeam/AdguardFilters/issues/76952
+adfloz.co,tui.click#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/76724
+geektopia.info#%#AG_onLoad(function(){if("/download"===location.pathname){var a=new MutationObserver(function(){document.querySelector('#download[style="display: block;"]')&&(a.disconnect(),window.stop())});a.observe(document,{childList:!0,subtree:!0,attributeFilter:["style"]});setTimeout(function(){a.disconnect()},1E4)}});
+! https://github.com/AdguardTeam/AdguardFilters/issues/76928
+beef1999.blogspot.com#%#//scriptlet("abort-on-property-read", "LieDetector")
+! https://github.com/AdguardTeam/AdguardFilters/issues/76946
+hentaihere.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/76873
+adpop.me#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/76870
+reddit-livetv-links.blogspot.com#%#//scriptlet("abort-current-inline-script", "document.createElement", ".parentNode.insertBefore(")
+! https://github.com/AdguardTeam/AdguardFilters/issues/76681
+link.ltc24.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/76674
+picturelol.com#%#//scriptlet("abort-current-inline-script", "document.attachEvent", "initBCPopunder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/76511
+kiiw.icu#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/76522
+vshort.link#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/76520
+adnit.xyz#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/76575
+casting-porno-tube.com#%#//scriptlet('abort-on-property-read', 'ExoLoader')
+! https://github.com/AdguardTeam/AdguardFilters/issues/76360
+momvids.com#%#//scriptlet("prevent-window-open", "about:blank")
+! https://github.com/AdguardTeam/AdguardFilters/issues/76465
+mm9842.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/75831
+xhamster11.com#%#//scriptlet('abort-on-property-write', 'wio-vpopunder')
+! https://github.com/AdguardTeam/AdguardFilters/issues/76074
+clk.wiki,clk.ink#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/76052
+povvldeo.*,pouvideo.*,povwideo.*,powv1deo.*#%#//scriptlet("prevent-window-open")
+! Countdown in the kt_player with flashvars
+sexcelebrity.net,perverttube.com,fpo.xxx#%#//scriptlet('set-constant', 'flashvars.adv_pre_src', '')
+! https://github.com/AdguardTeam/AdguardFilters/issues/75465
+sxyprn.com#%#//scriptlet('remove-class', 'js-pop')
+! https://github.com/AdguardTeam/AdguardFilters/issues/75796
+masalaseen.net#%#//scriptlet('abort-on-property-read', 'popunder')
+! https://github.com/AdguardTeam/AdguardFilters/issues/75700
+bloggingguidance.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/74895
+lowend.xyz,veopartidos.net#%#//scriptlet("prevent-window-open")
+telerium.digital,dtefrc.online,lowend.xyz#%#//scriptlet("abort-on-property-read", "popurl")
+! https://github.com/AdguardTeam/AdguardFilters/issues/75659
+jamaicaobserver.com#%#//scriptlet("abort-current-inline-script", "$", "window.open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/75680
+imagetwist.com#%#//scriptlet("abort-current-inline-script", "document.attachEvent", "initBCPopunder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/75613
+mp3offline.org#%#//scriptlet("set-constant", "_conf.click", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/75594
+charexempire.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/75537
+ufreegames.com#%#//scriptlet("adjust-setInterval", "preroll", "", "0.02")
+! mega4up.com - popups
+mega4up.com#%#//scriptlet('remove-attr', 'onclick', '[onclick^="window.open"]')
+! cut-fly.com - popups
+cut-fly.com#%#//scriptlet("prevent-window-open")
+! cloudvideo.tv popup
+cloudvideo.tv#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/75288
+yts.one#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/752
+pagalworld.us#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/75191
+uprotector.xyz#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/75167
+mstream.xyz#%#//scriptlet("abort-on-property-read", "_mspop")
+! https://github.com/AdguardTeam/AdguardFilters/issues/74778
+zplayer.live#%#//scriptlet("prevent-addEventListener", "mousedown", ")]){return")
+zplayer.live#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/74821
+y2meta.com#%#//scriptlet("set-constant", "generatorAds", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/74764
+123movies.*#%#//scriptlet("set-constant", "lck", "true")
+123movies.*#%#//scriptlet("abort-on-property-read", "preloader_tag")
+! https://github.com/AdguardTeam/AdguardFilters/issues/74755
+clipwatching.*#%#//scriptlet("set-constant", "dtGonza.playeradstime", "-1")
+! https://github.com/AdguardTeam/AdguardFilters/issues/74888
+animax.*#%#//scriptlet("abort-on-property-read", "_run")
+! pop-ups in uploader.link, zeefiles.download
+zeefiles.download,uploader.link#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/74749
+downloadtwittervideo.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/74564
+ausdroid.net#%#//scriptlet('set-constant', 'td_ad_background_click_link', 'undefined')
+! https://github.com/AdguardTeam/AdguardFilters/issues/74679
+uploadfiles.*#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/74545
+strtape.*#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/74287
+lostpix.com#%#//scriptlet('prevent-window-open', 'youtube')
+! https://github.com/AdguardTeam/AdguardFilters/issues/74350
+yifyhdtorrent.org#%#//scriptlet("json-prune", "*.*", "*.clk")
+yifyhdtorrent.org#%#//scriptlet('set-cookie', 'direct_ads', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/74494
+btdb.*#%#//scriptlet("abort-on-property-write", "zoneSett")
+! https://github.com/AdguardTeam/AdguardFilters/issues/74403
+earnload.co#%#//scriptlet('remove-attr', 'href', 'a#ad-link-location')
+! https://github.com/AdguardTeam/AdguardFilters/issues/73945
+tomato.to#%#AG_onLoad(function() { var el = document.querySelector('body > center'); if(el) { el.innerHTML = el.innerHTML.replace(/Ads:/g,''); } });
+! https://github.com/AdguardTeam/AdguardFilters/issues/74073
+sonichits.com#%#!function(){window.rTimer=function(){};window.jitaJS={rtk:{refreshAdUnits:function(){}}};}();
+! https://github.com/AdguardTeam/AdguardFilters/issues/73984
+artipedia.id#%#//scriptlet("prevent-window-open")
+artipedia.id#%#//scriptlet('remove-class', 'get-link', 'a[class="btn btn-success btn-lg get-link"][target="_blank"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/74297
+elil.cc#%#//scriptlet('remove-attr', 'onmouseover|onclick|onmouseout', '.save-btn.pull-right')
+! https://github.com/AdguardTeam/AdguardFilters/issues/74280
+shrinkforearn.in#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/73799
+techgeek.digital#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/74246
+! Hydrax/abyss.to
+playhydrax.com,hydrax.net,filmespi.online,playembedapi.site,streamsb.online,rufiguta.com,abysscdn.com,player-cdn.com,kmo.to,nazarickol.com,redirect-ads.com#%#//scriptlet('abort-on-stack-trace', 'HTMLElement.prototype.click', '_0x')
+playhydrax.com,hydrax.net,filmespi.online,playembedapi.site,streamsb.online,rufiguta.com,abysscdn.com,player-cdn.com,kmo.to,nazarickol.com,redirect-ads.com#%#//scriptlet('trusted-click-element', 'body > #player + #overlay')
+playhydrax.com,hydrax.net,filmespi.online,playembedapi.site,streamsb.online,rufiguta.com,abysscdn.com,player-cdn.com,kmo.to,nazarickol.com,redirect-ads.com#%#//scriptlet('trusted-replace-node-text', 'script', 'createElm', 'createElm.click();', '')
+playhydrax.com,filmespi.online,playembedapi.site,streamsb.online,rufiguta.com,abysscdn.com,player-cdn.com,kmo.to,nazarickol.com,redirect-ads.com#%#//scriptlet('trusted-replace-node-text', 'script', 'track.window', '/track.window >= \d+/', 'false')
+playhydrax.com,hydrax.net,filmespi.online,playembedapi.site,streamsb.online,rufiguta.com,abysscdn.com,player-cdn.com,kmo.to,nazarickol.com,redirect-ads.com#%#//scriptlet("prevent-window-open", "!abyss.to", "1")
+playhydrax.com,hydrax.net,filmespi.online,playembedapi.site,streamsb.online,rufiguta.com,abysscdn.com,player-cdn.com,kmo.to,nazarickol.com,redirect-ads.com#%#//scriptlet('abort-on-stack-trace', 'String.prototype.charAt', '$0')
+! https://github.com/AdguardTeam/AdguardFilters/issues/81005
+! https://github.com/AdguardTeam/AdguardFilters/issues/73947
+! https://github.com/AdguardTeam/AdguardFilters/issues/142830
+iwatchtheoffice.com,sbembed1.com,sbembed.com,streamsb.net#%#//scriptlet("abort-on-property-read", "DoodPop")
+! https://github.com/AdguardTeam/AdguardFilters/issues/74036
+cutw.in#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/73924
+shooshtime.com#%#//scriptlet('abort-current-inline-script', 'document.getElementsByTagName', 'adn')
+! https://github.com/AdguardTeam/AdguardFilters/issues/71275
+youtubetomp3music.com#%#//scriptlet("prevent-window-open")
+! TorrentProject
+torrentproject2.*#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/73062
+zuketcreation.net#%#//scriptlet("prevent-window-open")
+! javynow.com popup
+javynow.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/73652
+imgsto.com,imgsen.com#%#//scriptlet('abort-on-property-read', 'CustomEvent')
+! https://github.com/AdguardTeam/AdguardFilters/issues/73107
+savevideo.tube#%#//scriptlet("prevent-window-open")
+! hilltopads ex. (function(__htas)
+raw1001.net,poapan.xyz,theblank.net,javboys.com,nudeslegion.com,sxyprn.com,sexdiaryz.us,fucksporn.com,fullxcinema1.com,pornxp.com,pornktubes.net,porhubvideo.com,yesleaks.com,bigojav.com,javchill.com,weloma.*,porn00.org,kisscos.net,besthdgayporn.com,mangas-raw.com,latinohentai.com,vegvorous.com,gigmature.com,xmegadrive.com,gogoanime.*,linkszia.co,urbharat.xyz,91.208.197.24,adslink.pw,pornohubonline.com,movieskafanda.xyz,mangamovil.net,tatli.biz,naijauncut.com,teenager365.com,10convert.com,moviesjoy.*,javenspanish.com,jav-asia.top,komiklokal.xyz,leermanga.net,leechall.com,kantotflix.com,watchfreenet.com,javxxx.me,yifysubtitles.vip,justcastingporn.com,justfamilyporn.com,simply-hentai.com,onlyfoot.net#%#//scriptlet("abort-current-inline-script", "document.createElement", "/l\.parentNode\.insertBefore\(s/")
+! https://github.com/AdguardTeam/AdguardFilters/issues/73375
+javjav.top#%#//scriptlet('prevent-window-open')
+javlove.xyz#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/72530
+javstream.top#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/73150
+fotodovana.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/72694
+zupload.me#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/72048
+dogemate.com#%#//scriptlet('remove-attr', 'href', 'a[href*="cointiply.com"]')
+dogemate.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/73132
+convert2mp3.club#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/71595
+pbtube.co#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/72414
+usagoals.*#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/71919
+hentaicomics.pro#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/72379
+isaiminiweb.online#%#//scriptlet("abort-on-property-read", "onPopUnderLoaded")
+! https://github.com/AdguardTeam/AdguardFilters/issues/72378
+moviesdaweb.blogspot.com#%#//scriptlet("prevent-window-open")
+moviesdaweb.blogspot.com#%#//scriptlet("abort-on-property-read", "onPopUnderLoaded")
+! https://github.com/AdguardTeam/AdguardFilters/issues/72375
+linkflash.techipe.info#%#//scriptlet('prevent-addEventListener', '/^PN_CREAT/', '][')
+linkflash.techipe.info#%#//scriptlet('prevent-addEventListener', 'PN_BEFORE_CREATE', '][')
+! https://github.com/AdguardTeam/AdguardFilters/issues/177490
+! https://github.com/AdguardTeam/AdguardFilters/issues/72369
+loadout.tf#%#(()=>{const e=new MutationObserver(((e,t)=>{for(let t of e)if(t.target?.matches?.(".loadout-application-main")){t.target.querySelectorAll("div").forEach((e=>{if(e.shadowRoot&&e.shadowRoot.querySelector?.('.header > div[data-i18n="#advertisement"]'))try{e.remove()}catch(e){console.error(e)}}))}})),t={apply:(t,o,r)=>{try{r[0].mode="open"}catch(e){console.error(e)}const a=Reflect.apply(t,o,r);return e.observe(a,{subtree:!0,childList:!0}),a}};window.Element.prototype.attachShadow=new Proxy(window.Element.prototype.attachShadow,t)})();
+loadout.tf#%#//scriptlet("prevent-setTimeout", "htmlAd.getBoundingClientRect")
+! https://github.com/AdguardTeam/AdguardFilters/issues/72597
+cryptoads.space#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/72252
+sonixgvn.net#%#//scriptlet('prevent-addEventListener', '/^PN_CREAT/', '][')
+sonixgvn.net#%#//scriptlet('prevent-addEventListener', 'PN_BEFORE_CREATE', '][')
+! https://github.com/AdguardTeam/AdguardFilters/issues/72211
+dlsharefile.com#%#//scriptlet('prevent-window-open')
+dlsharefile.com#%#//scriptlet("json-prune", "*.*", "*.clk")
+! https://github.com/AdguardTeam/AdguardFilters/issues/71926
+y2mate.guru#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/71857
+files.im#%#//scriptlet("json-prune", "*", "ppuClicks")
+! https://github.com/AdguardTeam/AdguardFilters/issues/72001
+janusnotes.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/71406
+strikeout.nu#%#//scriptlet("json-prune", "*.*", "*.clk")
+! https://github.com/AdguardTeam/AdguardFilters/issues/71280
+abcvideo.cc#%#//scriptlet("abort-on-property-read", "nextPop")
+! https://github.com/AdguardTeam/AdguardFilters/issues/71183
+streamsport.icu#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/70949
+ontiva.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/119573
+! https://github.com/AdguardTeam/AdguardFilters/issues/118378
+! https://github.com/AdguardTeam/AdguardFilters/issues/78170
+! https://github.com/AdguardTeam/AdguardFilters/issues/72616
+! https://github.com/AdguardTeam/AdguardFilters/issues/70916
+susanhavekeep.com,lorimuchbenefit.com,evelynthankregion.com,jessicaglassauthor.com,lisatrialidea.com,bethshouldercan.com,donaldlineelse.com,josephseveralconcern.com,alleneconomicmatter.com,robertplacespace.com,heatherdiscussionwhen.com,jasminetesttry.com,erikcoldperson.com,roberteachfinal.com,loriwithinfamily.com,rebeccaneverbase.com,brucevotewithin.com,sethniceletter.com,michaelapplysome.com,cindyeyefinal.com,shannonpersonalcost.com,graceaddresscommunity.com,jasonresponsemeasure.com,ryanagoinvolve.com,jamesstartstudent.com,brookethoughi.com,vincentincludesuccessful.com,sharonwhiledemocratic.com,jayservicestuff.com,sandrataxeight.com,markstyleall.com,morganoperationface.com,johntryopen.com,seanshowcould.com,jamiesamewalk.com,bradleyviewdoctor.com,kennethofficialitem.com,lukecomparetwo.com,edwardarriveoften.com,paulkitchendark.com,stevenimaginelittle.com,troyyourlead.com,denisegrowthwide.com,kathleenmemberhistory.com,nonesnanking.com,prefulfilloverdoor.com,phenomenalityuniform.com,nectareousoverelate.com,apinchcaseation.com,timberwoodanotia.com,strawberriesporail.com,valeronevijao.com,cigarlessarefy.com,figeterpiazine.com,yodelswartlike.com,generatesnitrosate.com,chromotypic.com,gamoneinterrupted.com,wolfdyslectic.com,simpulumlamerop.com,urochsunloath.com,monorhinouscassaba.com,counterclockwisejacky.com,availedsmallest.com,tubelessceliolymph.com,tummulerviolableness.com,35volitantplimsoles5.com,scatch176duplicities.com,matriculant401merited.com,antecoxalbobbing1010.com,boonlessbestselling244.com,cyamidpulverulence530.com,guidon40hyporadius9.com,449unceremoniousnasoseptal.com,321naturelikefurfuroid.com,30sensualizeexpression.com,19turanosephantasia.com,toxitabellaeatrebates306.com,tinycat-voe-fashion.com,realfinanceblogcenter.com,uptodatefinishconferenceroom.com,bigclatterhomesguideservice.com,fraudclatterflyingcar.com,housecardsummerbutton.com,fittingcentermondaysunday.com,reputationsheriffkennethsand.com,launchreliantcleaverriver.com,v-o-e-unblock.com,un-block-voe.net,voeun-block.net,voe-un-block.com,voeunblk.com,voeunblck.com,voeunbl0ck.com,voeunblock3.com,voeunblock2.com,voeunblock1.com,voeunblock.com,voe-unblock.*,voe.sx#%#//scriptlet("abort-current-inline-script", "globalThis", "break;case")
+susanhavekeep.com,lorimuchbenefit.com,evelynthankregion.com,jessicaglassauthor.com,lisatrialidea.com,bethshouldercan.com,donaldlineelse.com,josephseveralconcern.com,alleneconomicmatter.com,robertplacespace.com,heatherdiscussionwhen.com,jasminetesttry.com,erikcoldperson.com,roberteachfinal.com,loriwithinfamily.com,rebeccaneverbase.com,brucevotewithin.com,sethniceletter.com,michaelapplysome.com,cindyeyefinal.com,shannonpersonalcost.com,graceaddresscommunity.com,jasonresponsemeasure.com,ryanagoinvolve.com,jamesstartstudent.com,brookethoughi.com,vincentincludesuccessful.com,sharonwhiledemocratic.com,jayservicestuff.com,sandrataxeight.com,markstyleall.com,morganoperationface.com,johntryopen.com,seanshowcould.com,jamiesamewalk.com,bradleyviewdoctor.com,kennethofficialitem.com,lukecomparetwo.com,edwardarriveoften.com,paulkitchendark.com,stevenimaginelittle.com,troyyourlead.com,denisegrowthwide.com,kathleenmemberhistory.com,nonesnanking.com,prefulfilloverdoor.com,phenomenalityuniform.com,nectareousoverelate.com,apinchcaseation.com,timberwoodanotia.com,strawberriesporail.com,valeronevijao.com,cigarlessarefy.com,figeterpiazine.com,yodelswartlike.com,generatesnitrosate.com,chromotypic.com,gamoneinterrupted.com,wolfdyslectic.com,simpulumlamerop.com,urochsunloath.com,monorhinouscassaba.com,counterclockwisejacky.com,availedsmallest.com,tubelessceliolymph.com,tummulerviolableness.com,35volitantplimsoles5.com,scatch176duplicities.com,matriculant401merited.com,antecoxalbobbing1010.com,boonlessbestselling244.com,cyamidpulverulence530.com,guidon40hyporadius9.com,449unceremoniousnasoseptal.com,321naturelikefurfuroid.com,30sensualizeexpression.com,19turanosephantasia.com,toxitabellaeatrebates306.com,tinycat-voe-fashion.com,realfinanceblogcenter.com,uptodatefinishconferenceroom.com,bigclatterhomesguideservice.com,fraudclatterflyingcar.com,housecardsummerbutton.com,fittingcentermondaysunday.com,reputationsheriffkennethsand.com,launchreliantcleaverriver.com,v-o-e-unblock.com,un-block-voe.net,voeun-block.net,voe-un-block.com,voeunblk.com,voeunblck.com,voeunbl0ck.com,voeunblock3.com,voeunblock2.com,voeunblock1.com,voeunblock.com,voe-unblock.*,voe.sx#%#//scriptlet("prevent-addEventListener", "click", "VODMonetisation")
+susanhavekeep.com,lorimuchbenefit.com,evelynthankregion.com,jessicaglassauthor.com,lisatrialidea.com,bethshouldercan.com,donaldlineelse.com,josephseveralconcern.com,alleneconomicmatter.com,robertplacespace.com,heatherdiscussionwhen.com,jasminetesttry.com,erikcoldperson.com,roberteachfinal.com,loriwithinfamily.com,rebeccaneverbase.com,brucevotewithin.com,sethniceletter.com,michaelapplysome.com,cindyeyefinal.com,shannonpersonalcost.com,graceaddresscommunity.com,jasonresponsemeasure.com,ryanagoinvolve.com,jamesstartstudent.com,brookethoughi.com,vincentincludesuccessful.com,sharonwhiledemocratic.com,jayservicestuff.com,sandrataxeight.com,markstyleall.com,morganoperationface.com,johntryopen.com,seanshowcould.com,jamiesamewalk.com,bradleyviewdoctor.com,kennethofficialitem.com,lukecomparetwo.com,edwardarriveoften.com,paulkitchendark.com,stevenimaginelittle.com,troyyourlead.com,denisegrowthwide.com,kathleenmemberhistory.com,nonesnanking.com,prefulfilloverdoor.com,phenomenalityuniform.com,nectareousoverelate.com,apinchcaseation.com,timberwoodanotia.com,strawberriesporail.com,valeronevijao.com,cigarlessarefy.com,figeterpiazine.com,yodelswartlike.com,generatesnitrosate.com,chromotypic.com,gamoneinterrupted.com,wolfdyslectic.com,simpulumlamerop.com,urochsunloath.com,monorhinouscassaba.com,counterclockwisejacky.com,availedsmallest.com,tubelessceliolymph.com,tummulerviolableness.com,35volitantplimsoles5.com,scatch176duplicities.com,matriculant401merited.com,antecoxalbobbing1010.com,boonlessbestselling244.com,cyamidpulverulence530.com,guidon40hyporadius9.com,449unceremoniousnasoseptal.com,321naturelikefurfuroid.com,30sensualizeexpression.com,19turanosephantasia.com,toxitabellaeatrebates306.com,tinycat-voe-fashion.com,realfinanceblogcenter.com,uptodatefinishconferenceroom.com,bigclatterhomesguideservice.com,fraudclatterflyingcar.com,housecardsummerbutton.com,fittingcentermondaysunday.com,reputationsheriffkennethsand.com,launchreliantcleaverriver.com,v-o-e-unblock.com,un-block-voe.net,voeun-block.net,voe-un-block.com,voeunblk.com,voeunblck.com,voeunbl0ck.com,voeunblock3.com,voeunblock2.com,voeunblock1.com,voeunblock.com,voe-unblock.*,voe.sx#%#AG_onLoad(function(){var a=document.querySelector("div[class*='download-'][class$='-file']");if(a){var b=null,g=location.pathname.substring(1).split("/")[0],d=document.getElementsByTagName("script");if(b=function(){if(!b)for(var c=0;c form > input[value="fake"]'); if(el) { el.value = "download"; document.querySelectorAll("form")[0].submit(); window.close(); } }, 300); });
+! https://github.com/AdguardTeam/AdguardFilters/issues/70209
+9anime.*#%#//scriptlet("abort-current-inline-script", "document.createElement", "ppu_")
+9anime.*#%#//scriptlet('set-cookie', 'direct_ads_', '1')
+9anime.*#%#//scriptlet('set-cookie', 'direct_ads', '1')
+9anime.*#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/74376
+! https://github.com/AdguardTeam/AdguardFilters/issues/70106
+spankbang.com#%#//scriptlet("prevent-setTimeout", "window.location=page_url")
+! https://github.com/AdguardTeam/AdguardFilters/issues/70098
+sanoybonito.club#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/70037
+iceporn.com#%#//scriptlet("abort-on-property-write", "mobileAdvPop")
+iceporn.com#%#//scriptlet("set-cookie", "adv_show", "10")
+iceporn.*#%#//scriptlet("prevent-window-open", "about:blank")
+! https://github.com/AdguardTeam/AdguardFilters/issues/69358
+skidrowcodex.co#%#//scriptlet('prevent-addEventListener', '', 'U4G(')
+! https://github.com/AdguardTeam/AdguardFilters/issues/69870
+tophentaicomics.com#%#//scriptlet("abort-on-property-write", "pop_init")
+! https://github.com/AdguardTeam/AdguardFilters/issues/69296
+pngit.live#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/69277
+exee.app,exep.app,exe.app#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/69111
+yoinkexekey.weebly.com#%#//scriptlet("abort-on-property-read", "S9tt")
+! https://github.com/AdguardTeam/AdguardFilters/issues/69105
+uzunversiyon.xyz#%#//scriptlet('remove-attr', 'data-ppcnt_ads|onclick', '#main[onclick*="mainClick"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/68948
+okec.uk#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/68997
+extreme-down.video#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/68940
+kickass.ws#%#//scriptlet("abort-current-inline-script", "document.write", "VPN")
+! https://github.com/AdguardTeam/AdguardFilters/issues/68891
+womenhaircolors.review#%#//scriptlet("prevent-window-open")
+womenhaircolors.review#%#//scriptlet("abort-on-property-read", "tampilkanUrl")
+womenhaircolors.review#%#//scriptlet('remove-class', 'get-link', 'a[class="btn btn-success btn-lg get-link"][target="_blank"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/68899
+keepv.id#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/68928
+drtuber.*#%#//scriptlet("abort-current-inline-script", "TRAFF_TARGETS")
+! https://github.com/AdguardTeam/AdguardFilters/issues/68809
+paidtomoney.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/68326
+kiwiexploits.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/68248
+seattletimes.com#%#//scriptlet('remove-class', 'async-hide', 'html')
+! https://github.com/AdguardTeam/AdguardFilters/issues/68188
+upornia.com#%#//scriptlet('abort-current-inline-script', 'skipPop', '/.*/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/68073
+passgen.icu#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/67994
+motherless.com#%#//scriptlet('set-cookie', '_pre_js', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/67756
+yuvutu.com#%#//scriptlet('set-cookie', '__trx1_p', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/67802
+fapality.com#%#//scriptlet("set-constant", "popunderSettings", "undefined")
+fapality.com#%#//scriptlet('remove-class', 'popfire')
+! https://github.com/AdguardTeam/AdguardFilters/issues/67752
+camwhores.tv#%#//scriptlet("abort-on-property-read", "onload")
+! https://github.com/AdguardTeam/AdguardFilters/issues/67729
+naughtymachinima.com#%#//scriptlet("set-constant", "presrc", "")
+! https://github.com/AdguardTeam/AdguardFilters/issues/67727
+luscious.net#%#//scriptlet("set-constant", "LusciousBetterJsPop.add", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/67721
+skidrowcodex.net#%#//scriptlet("prevent-window-open", "about:blank")
+! https://github.com/AdguardTeam/AdguardFilters/issues/67649
+hentaienglish.com#%#//scriptlet("set-constant", "vidorev_jav_plugin_video_ads_object.vid_ads_m_video_ads", "")
+! https://github.com/AdguardTeam/AdguardFilters/issues/67650
+pureshort.link#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/67304
+skyracing.com.au#%#//scriptlet("abort-current-inline-script", "jQuery", "window.open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/67201
+direkizle.xyz#%#//scriptlet('remove-attr', 'data-ppcnt_ads|onclick', '#main[onclick*="mainClick"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/67202
+tamindir.mobi#%#//scriptlet('remove-attr', 'data-ppcnt_ads|onclick', '#main[onclick*="mainClick"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/67197
+picbaron.com#%#//scriptlet("json-prune", "*", "ppuClicks")
+! https://github.com/AdguardTeam/AdguardFilters/issues/67174
+100count.net#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/67062
+vipr.im#%#//scriptlet("abort-current-inline-script", "document.attachEvent", "initBCPopunder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/67094
+lite-link.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/66814
+xxxbunker.com#%#//scriptlet('abort-on-property-read', 'window.open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/66745
+upstream.to#%#//scriptlet("abort-on-property-read", "_run")
+upstream.to#%#//scriptlet("abort-current-inline-script", "eval", "popunder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/66578
+curto.win#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/66548
+earnfasts.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/66322
+playtube.ws#%#//scriptlet("abort-on-property-read", "_run")
+playtube.ws#%#//scriptlet("abort-current-inline-script", "eval", "popunder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/66183
+gmanga.me#%#//scriptlet('prevent-setTimeout', 'smartOverlay')
+gmanga.me#%#//scriptlet('prevent-addEventListener', '', 'Popunder')
+! https://github.com/AdguardTeam/AdguardFilters/issues/66116
+iporntv.net#%#//scriptlet("abort-current-inline-script", "document.createElement", "typeof exo")
+! https://github.com/AdguardTeam/AdguardFilters/issues/66112
+hentaistream.com#%#//scriptlet("set-constant", "popUnderStage1", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/65564
+w4files.ws#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/65499
+livestreaming24.eu#%#//scriptlet("prevent-window-open", "i-converter.com")
+! https://github.com/AdguardTeam/AdguardFilters/issues/65274
+economictimes.indiatimes.com#%#//scriptlet('set-cookie', 'et_interstitial_active', 'true')
+economictimes.indiatimes.com#%#//scriptlet("adjust-setTimeout", "updateCounter();", "", "0.02")
+! https://github.com/AdguardTeam/AdguardFilters/issues/175251
+! https://github.com/AdguardTeam/AdguardFilters/issues/166178
+! https://github.com/AdguardTeam/AdguardFilters/issues/78571
+turbovid.co,opvid.online#%#//scriptlet('trusted-click-element', '#vplayer[onclick="Code()"] .vjs-big-play-button')
+turbovid.co,opvid.online,upvid.*#%#//scriptlet("prevent-window-open")
+turbovid.co,opvid.online,upvid.*#%#//scriptlet("abort-on-property-read", "_run")
+! https://github.com/AdguardTeam/AdguardFilters/issues/65205
+urbanmilwaukee.com#%#//scriptlet('set-cookie', 'takeover-ad', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/65136
+letfap.com#%#AG_defineProperty('exoDocumentProtocol', { value: window.document.location.protocol });
+! https://github.com/AdguardTeam/AdguardFilters/issues/64979
+bitfly.io#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/64874
+sbs.com.au#%#//scriptlet('remove-class', 'ad-controls', '.bitmovinplayer-container.ad-controls')
+! https://github.com/AdguardTeam/AdguardFilters/issues/64959
+iframejav.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/64690
+embedsito.com#%#//scriptlet("json-prune", "player.incomePop")
+! https://github.com/AdguardTeam/AdguardFilters/issues/64637
+ettvcentral.com#%#//scriptlet("json-prune", "0.cu")
+! https://github.com/AdguardTeam/AdguardFilters/issues/64396
+kickass.love#%#//scriptlet("abort-current-inline-script", "document.write", "VPN")
+! https://github.com/AdguardTeam/AdguardFilters/issues/64306
+gitlink.pro,aylink.co#%#//scriptlet('remove-attr', 'data-ppcnt_ads|onclick', '#main[onclick*="mainClick"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/64118
+anime789.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/66635
+! https://github.com/AdguardTeam/AdguardFilters/issues/64278
+katmoviehd.*#%#//scriptlet("abort-current-inline-script", "document.createElement", "/\/main\.js[\s\S]*?document\?document:null/")
+! https://github.com/AdguardTeam/AdguardFilters/issues/64099
+url.namaidani.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/64069
+dr-farfar.net#%#//scriptlet("prevent-window-open", "dr-farfar.com/ads")
+c-ut.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/64050
+toroox.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/63808
+streamsport.pro#%#//scriptlet("abort-on-property-write", "TID")
+! https://github.com/AdguardTeam/AdguardFilters/issues/63804
+notube.net#%#//scriptlet("prevent-window-open", "://notube.net/p/")
+! https://github.com/AdguardTeam/AdguardFilters/issues/63727
+cinereporters.com#%#//scriptlet("json-prune", "*.adSlot")
+! https://github.com/AdguardTeam/AdguardFilters/issues/63693
+sub4unlock.com#%#//scriptlet("prevent-window-open", "://shorte.be/")
+! https://github.com/AdguardTeam/AdguardFilters/issues/63301
+picbaron.com,imgbaron.com#%#//scriptlet("prevent-addEventListener", "", "[z15.")
+! https://github.com/AdguardTeam/AdguardFilters/issues/67137
+! https://github.com/AdguardTeam/AdguardFilters/issues/63178
+freepik.com#%#//scriptlet('set-cookie', 'sponsor-popup', '1')
+freepik.com#%#//scriptlet("prevent-window-open", "clk.tradedoubler.com/click")
+freepik.com#%#//scriptlet("prevent-window-open", "aHR0cHM6Ly9jbGsudHJhZGVkb3VibGVyLmNvbS")
+! https://github.com/AdguardTeam/AdguardFilters/issues/63025
+tsumino.com#%#//scriptlet("abort-on-property-read", "_wm")
+! https://github.com/AdguardTeam/AdguardFilters/issues/62700
+anysex.com#%#//scriptlet("abort-on-property-read", "z7OO")
+anysex.com#%#//scriptlet("abort-current-inline-script", "document.write", "/undefined[\s\S]*?' li > a[href][data-id]")
+! https://github.com/AdguardTeam/AdguardFilters/issues/58226
+arabplus2.co#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/58227
+stfly.me#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/57850
+imx.to#%#//scriptlet('trusted-click-element', 'input[name="imgContinue"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/57969
+sportsbay.org#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/57902
+iseekgirls.com#%#//scriptlet('prevent-window-open')
+iseekgirls.com#%#//scriptlet('remove-attr', 'data-item', 'a[href=""]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/57678
+jwearn.com#%#//scriptlet("abort-current-inline-script", "tabUnder", "popup")
+! https://github.com/AdguardTeam/AdguardFilters/issues/57384
+vidia.tv#%#//scriptlet("abort-on-property-read", "showpop")
+! https://github.com/AdguardTeam/AdguardFilters/issues/57497
+api.savemedia.website,ymp4.download#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/57395
+nudepicturearchive.com#%#//scriptlet("abort-on-property-write", "Pub2")
+! https://github.com/AdguardTeam/AdguardFilters/issues/57386
+megagames.com#%#//scriptlet("abort-current-inline-script", "document.createElement", "cpmstarAPI")
+! https://github.com/AdguardTeam/AdguardFilters/issues/57456
+shorthitz.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/57455
+savelink.site#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/57354
+a2zapk.com#%#//scriptlet("json-prune", "rot_url")
+a2zapk.com#%#//scriptlet("prevent-addEventListener", "", "/tabunder|window\['open'\]/")
+! youtnbe.xyz - popups
+youtnbe.xyz#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/57135
+linksly.co#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/57030
+! https://github.com/AdguardTeam/AdguardFilters/issues/76378
+finanzas-vida.com,adsy.pw#%#//scriptlet("abort-on-property-read", "popunder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/56876
+nudepatch.net#%#//scriptlet("abort-on-property-read", "DYNBAK")
+! https://github.com/AdguardTeam/AdguardFilters/issues/56775
+s.to,serienstream.sx#%#//scriptlet('prevent-addEventListener', 'click', 'window.open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/56746
+downloadhub.*#%#//scriptlet("json-prune", "rot_url")
+downloadhub.*#%#//scriptlet("prevent-addEventListener", "load", "banner_id")
+! https://github.com/AdguardTeam/AdguardFilters/issues/56468
+streamcdn.to#%#//scriptlet("prevent-addEventListener", "mousedown", "dtnoppu")
+! https://github.com/AdguardTeam/AdguardFilters/issues/56563
+y2mate.guru#%#//scriptlet("prevent-setTimeout", "window.open")
+! unblockit.me - popups
+unblockit.me#%#//scriptlet("abort-on-property-read", "CTABPu")
+! https://github.com/AdguardTeam/AdguardFilters/issues/56242
+siska.video#%#//scriptlet("abort-on-property-write", "Pub2")
+! https://github.com/AdguardTeam/AdguardFilters/issues/55656
+tr.link#%#//scriptlet('remove-attr', 'data-ppcnt_ads|onclick', '#main[onclick*="__cfRLUnblockHandlers"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/56073
+readm.org#%#//scriptlet("abort-current-inline-script", "$", "our Sponsor")
+! https://github.com/AdguardTeam/AdguardFilters/issues/56128
+youwatchporn.com#%#//scriptlet("prevent-window-open", "snowdayonline.xyz")
+! https://github.com/AdguardTeam/AdguardFilters/issues/56076
+aii.sh#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/55943
+sekilastekno.com#%#//scriptlet("abort-on-property-read", "adtipop")
+sekilastekno.com,miuiku.com#%#//scriptlet("abort-current-inline-script", "$", "window.open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/55286
+wstream.video#%#//scriptlet("abort-on-property-write", "AdservingModule")
+! https://github.com/AdguardTeam/AdguardFilters/issues/55842
+mentalfloss.com#%#//scriptlet("set-constant", "countClicks", "0")
+mentalfloss.com#%#//scriptlet('remove-class', 'af-ad-loaded', '.afg-section.af-ad-loaded')
+! https://github.com/AdguardTeam/AdguardFilters/issues/55865
+watchpornx.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/55502
+xxxparodyhd.net#%#//scriptlet("abort-on-property-read", "popunder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/55669
+xvideos.com#%#//scriptlet('remove-class', 'has-banner', '#page > #main > #profile-title')
+! fc.lc - popups
+fc.lc#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/55532
+opensubtitles.org#%#//scriptlet("set-constant", "hide_ads3", "1")
+opensubtitles.com#%#//scriptlet("set-constant", "extInstalled", "true")
+! youjizz.com - ads
+youjizz.com#%#//scriptlet("set-constant", "config.ads.desktopPreroll", "")
+! https://github.com/AdguardTeam/AdguardFilters/issues/55404
+xxxbule.com,mybestxtube.com,nakedteens.fun#%#//scriptlet("abort-current-inline-script", "onbeforeunload", "popit")
+! https://github.com/AdguardTeam/AdguardFilters/issues/55116
+online-downloader.com#%#//scriptlet("prevent-window-open", "onlineconvert.com")
+online-downloader.com#%#AG_onLoad(function() { setTimeout(function() { if(typeof jQuery === "function") { jQuery('#SearchButtom').unbind('click'); } }, 300); });
+! https://github.com/AdguardTeam/AdguardFilters/issues/55115
+9xbuddy.org#%#//scriptlet("abort-current-inline-script", "Symbol", "Symbol&&Symbol.toStringTag")
+! https://github.com/AdguardTeam/AdguardFilters/issues/54968
+vidload.net#%#//scriptlet("prevent-setInterval", "ppu_exp")
+vidload.net#%#//scriptlet("prevent-addEventListener", "", "popunder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/55147
+gaobook.review#%#//scriptlet("prevent-window-open", "0", "kissasian.sh")
+! https://github.com/AdguardTeam/AdguardFilters/issues/55094
+mylink.vc#%#//scriptlet("prevent-window-open")
+! upvid.host - popups
+upvid.host#%#//scriptlet("abort-on-property-read", "MyJsPop")
+! https://github.com/AdguardTeam/AdguardFilters/issues/170266
+! https://github.com/AdguardTeam/AdguardFilters/issues/54927
+d000d.com,d0000d.com,do0od.com,ds2play.com,doods.pro,dooood.com,dood.sh,dood.li,dood.yt,dood.re,dood.wf,dood.la,dood.pm,dood.so,dood.to,dood.watch,dood.ws#%#//scriptlet("json-prune", "*", "rot_url")
+d000d.com,d0000d.com,do0od.com,ds2play.com,doods.pro,dooood.com,dood.sh,dood.li,dood.yt,dood.re,dood.wf,dood.la,dood.pm,dood.so,dood.to,dood.watch,dood.ws#%#//scriptlet("json-prune", "*", "pop_type")
+d000d.com,d0000d.com,do0od.com,ds2play.com,doods.pro,dooood.com,dood.sh,dood.li,dood.yt,dood.re,dood.wf,dood.la,dood.pm,dood.so,dood.to,dood.watch,dood.ws#%#//scriptlet("abort-current-inline-script", "globalThis", "break;case")
+d000d.com,d0000d.com,do0od.com,ds2play.com,doods.pro,dooood.com,dood.sh,dood.li,dood.yt,dood.re,dood.wf,dood.la,dood.pm,dood.so,dood.to,dood.watch,dood.ws#%#//scriptlet("abort-on-property-read", "DoodPop")
+! https://github.com/AdguardTeam/AdguardFilters/issues/54685
+hotmovs.com#%#//scriptlet("set-constant", "videoadvertising2.tag", "")
+hotmovs.com#%#//scriptlet("set-constant", "adver.abFucker.recoverAdv", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/54870
+adsrt.net,mitly.us#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/54797
+afly.us#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/54732
+thewatchcartoononline.tv#%#//scriptlet("json-prune", "rot_url")
+! https://github.com/bogachenko/fuckfuckadblock/issues/167
+! https://github.com/AdguardTeam/AdguardFilters/issues/54631
+tei.ai,tii.ai#%#//scriptlet("json-prune", "rot_url pop_type")
+tei.ai,tii.ai#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/54500
+pentruea.com#%#//scriptlet("abort-on-property-read", "sc_adv_out")
+! https://github.com/AdguardTeam/AdguardFilters/issues/54583
+iir.ai#%#//scriptlet('remove-attr', 'onclick', 'button#invisibleCaptchaShortlink,a.btn.get-link')
+! https://github.com/AdguardTeam/AdguardFilters/issues/54367
+! breaks https://github.com/AdguardTeam/AdguardFilters/issues/61579
+! playhydrax.com,hydrax.net#%#//scriptlet('prevent-window-open', '0', 'hydrax', 'trueFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/54480
+canyoublockit.com#%#//scriptlet("abort-on-property-write", "a9LL")
+canyoublockit.com#%#//scriptlet("set-constant", "window.open", "noopFunc")
+canyoublockit.com#%#//scriptlet('remove-attr', 'href', 'a[href*="http://deloplen.com/afu.php?"]')
+! mylinks.xyz - popups
+mylinks.xyz#%#//scriptlet("set-constant", "pu_shown", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/54339
+clik.pw#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/54239
+streamzz.*,streamz.*#%#//scriptlet("prevent-window-open", "/video.php")
+! https://github.com/AdguardTeam/AdguardFilters/issues/54187
+gfinityesports.com#%#//scriptlet("prevent-window-open", "stealthoptional.com")
+! https://github.com/AdguardTeam/AdguardFilters/issues/53986
+notube.net#%#//scriptlet('remove-attr', 'onclick', '.page-title-search > input[type="submit"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/53871
+fxempire.com#%#//scriptlet("set-constant", "AdGlare", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/53888
+newser.com#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'IsAdblockRequest')
+! https://github.com/AdguardTeam/AdguardFilters/issues/53958
+fileone.tv#%#//scriptlet("prevent-window-open", ".php?")
+fileone.tv#%#//scriptlet("prevent-setTimeout", "J3M")
+! pornwhite.com - popups
+pornwhite.com#%#//scriptlet("abort-on-property-read", "customScript")
+! vjav.com - ads
+vjav.com#%#//scriptlet("set-constant", "adver", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/53709
+shemalez.com#%#//scriptlet("set-constant", "adver", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/53501
+imgtorrnt.in#%#//scriptlet("abort-on-property-write", "pndrCodeScript")
+! https://github.com/AdguardTeam/AdguardFilters/issues/92228
+javraveclub.com,javrave.club#%#AG_onLoad(function() { if(typeof videofunc === "function") { videofunc(); } });
+! fappic.com - redirect overlay
+fappic.com#%#//scriptlet("set-constant", "closeOverlay", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/53351
+uflash.tv#%#//scriptlet("prevent-window-open", "chaturbate")
+! https://github.com/AdguardTeam/AdguardFilters/issues/53329
+watchmygf.me#%#document.cookie="p3006=1; path=/;";
+! https://github.com/AdguardTeam/AdguardFilters/issues/44685
+multiup.org#%#//scriptlet('prevent-setTimeout', 'window.location = "/download-fast/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/53216
+house.porn#%#//scriptlet("abort-on-property-read", "q4SS")
+! https://github.com/AdguardTeam/AdguardFilters/issues/53215
+porngo.com#%#//scriptlet("abort-on-property-read", "detectAdb")
+porngo.com#%#//scriptlet("abort-current-inline-script", "$", ".append(data.code)")
+! https://github.com/AdguardTeam/AdguardFilters/issues/53188
+javjunkies.com#%#(function(){var b=window.open,c=/^\/[\S]*?.php$/;window.open=function(a,d){if("string"===typeof a&&c.test(a))return window;b(a,d)}})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/53104
+javher.com#%#//scriptlet("set-constant", "Object.prototype.showPopUnder", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/52857
+rifurl.com#%#//scriptlet("prevent-window-open")
+rifurl.com#%#//scriptlet("abort-on-property-read", "_cpp")
+! https://github.com/AdguardTeam/AdguardFilters/issues/52790
+playvids.com#%#document.cookie="rpuShownDesktop=1; path=/;";
+playvids.com#%#//scriptlet("set-constant", "pop_clicked", "1")
+! https://github.com/AdguardTeam/AdguardFilters/issues/52726
+girlwallpaper.pro#%#AG_onLoad(function(){document.querySelectorAll('a[href^="st/out.php?"][href*="/out.php?u="]').forEach(function(a){var b=a.getAttribute("href").split("/out.php?u=");a.setAttribute("href",b[1])})});
+! https://github.com/AdguardTeam/AdguardFilters/issues/52666
+voyeurhit.com#%#//scriptlet("set-constant", "adver", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/52651
+sextvx.com#%#//scriptlet("prevent-setTimeout", "window.location.href=link")
+sextvx.com#%#(function(){try{if("undefined"!=typeof localStorage&&localStorage.setItem){var a=(new Date).getTime();localStorage.setItem("popseen",JSON.stringify(a))}}catch(b){}})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/52586
+animestuffs.com#%#//scriptlet("abort-on-property-read", "loadRunative")
+! shrt10.com - popups
+shrt10.com#%#//scriptlet("prevent-window-open")
+! mega.nz - skip video ads
+mega.nz#%#//scriptlet("adjust-setInterval", "addClass('skip')", "", "0.02")
+mega.nz#%#//scriptlet('trusted-click-element', '.viewer-vad-control.skip')
+mega.nz#%#(function() { try { if ('undefined' != typeof localStorage) { localStorage.setItem('pra', '{"1":9999999}') } } catch (ex) {} })();
+! https://github.com/AdguardTeam/AdguardFilters/issues/52251 - skip timer
+coolmathgames.com#%#//scriptlet("set-constant", "validSubscriber", "true")
+coolmathgames.com#%#//scriptlet('adjust-setInterval', '/seconds_left|timer.div/', '', '0.001')
+! https://github.com/AdguardTeam/AdguardFilters/issues/52000
+asianclub.tv#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/51785
+freegogpcgames.com#%#//scriptlet("abort-on-property-read", "S9tt")
+! https://github.com/AdguardTeam/AdguardFilters/issues/72555
+skidrowreloaded.com#%#//scriptlet("prevent-addEventListener", "mousedown", ")]){return")
+! https://github.com/AdguardTeam/AdguardFilters/issues/51502
+pinoymovies.es,pinoymovieseries.com#%#//scriptlet("remove-attr", "href", "a[href]#clickfakeplayer")
+pinoymovies.es,pinoymovieseries.com#%#//scriptlet("set-constant", "dtGonza.playeradstime", "-1")
+! https://github.com/AdguardTeam/AdguardFilters/issues/51464
+safeku.com#%#//scriptlet("prevent-window-open", "passeura")
+! https://github.com/AdguardTeam/AdguardFilters/issues/45537
+up-4ever.org#%#//scriptlet("remove-attr", "onclick", "#downLoadLinkButton")
+! https://github.com/AdguardTeam/AdguardFilters/issues/51441
+putlockers.cr#%#//scriptlet("prevent-window-open", "stream-4k")
+! https://github.com/AdguardTeam/AdguardFilters/issues/51421
+streamz.cc#%#//scriptlet("abort-on-property-read", "videoplay")
+streamz.cc#%#//scriptlet('remove-attr', 'onclick', 'form[action="dodownload.dll"] > input[onclick*="window.open"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/51463
+adclic.pro#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/51302
+dwrfslsqpdfqfwy.net#%#(function(){var a;Object.defineProperty(window,"initLbjs",{get:function(){return a},set:function(c){a=function(a,b){b.AdPop=!1;return c(a,b)}}})})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/51286
+xxxhentai.net#%#//scriptlet('remove-attr', 'data-id', '.gallery-list > div[itemprop="associatedMedia"] > a[href][data-id]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/51069
+interracial.com#%#//scriptlet("prevent-window-open", "about:blank")
+! https://github.com/AdguardTeam/AdguardFilters/issues/51029
+seriesynovelas.online#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/50872
+adbull.tech,adbull.org#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/50668
+pornjapan.pro#%#//scriptlet("abort-on-property-read", "openP")
+pornjapan.pro#%#//scriptlet("abort-on-property-read", "Aloader")
+! https://github.com/AdguardTeam/AdguardFilters/issues/50845
+slink.bid#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/50685
+adshnk.com,adshrink.it#%#//scriptlet("prevent-window-open")
+adshnk.com,adshrink.it#%#//scriptlet("adjust-setInterval", "count", "", "0.02")
+! https://github.com/AdguardTeam/AdguardFilters/issues/50455
+wplink.online#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/50624
+boomx5.com#%#//scriptlet("prevent-eval-if", "__PPU_CHECK")
+! https://github.com/AdguardTeam/AdguardFilters/issues/50509
+happy2hub.me#%#//scriptlet("abort-on-property-read", "S9tt")
+! https://github.com/AdguardTeam/AdguardFilters/issues/51031
+! https://github.com/AdguardTeam/AdguardFilters/issues/50330
+cloudgallery.net,imgair.net#%#//scriptlet("abort-current-inline-script", "document.getElementById", "shouldFire")
+cloudgallery.net,imgair.net#%#//scriptlet("prevent-window-open", "/tripedrated\.xyz|salaure\.pro|imgair\.net\/vip\//")
+! https://github.com/AdguardTeam/AdguardFilters/issues/50378
+teenskitten.com#%#AG_onLoad(function(){document.querySelectorAll("a[href^='/gallery/'][data-href]").forEach(function(a){var b=a.getAttribute("data-href"),c=a.href;b=c.substring(0,c.indexOf(b));a.setAttribute("href",b)})});
+wetpussy.sexy#%#AG_onLoad(function(){document.querySelectorAll('a[href^="/cc/out.php?"][href*="/o.php?u=http"]').forEach(function(a){var b=a.getAttribute("href").split("/o.php?u=");a.setAttribute("href",b[1])})});
+! https://github.com/AdguardTeam/AdguardFilters/issues/50106
+p4link.com,oceantech.xyz#%#//scriptlet("abort-on-property-read", "tampilkanUrl")
+p4link.com,oceantech.xyz#%#//scriptlet("remove-attr", "target", "a[class='btn btn-success btn-lg get-link'][target='_blank']")
+p4link.com,oceantech.xyz#%#//scriptlet("remove-class", "get-link", "a[class='btn btn-success btn-lg get-link'][target='_blank']")
+! https://github.com/AdguardTeam/AdguardFilters/issues/49913
+imagefap.com#%#//scriptlet("abort-on-property-read", "popCookie")
+! https://github.com/AdguardTeam/AdguardFilters/issues/49714
+apiyt.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/49555
+bitdownloader.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/49505
+dr-farfar.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/49351
+memeburn.com#%#//scriptlet("set-constant", "show_interstitial", "0")
+! https://github.com/AdguardTeam/AdguardFilters/issues/6351
+pervclips.com#%#//scriptlet("abort-on-property-read", "customScript")
+! https://github.com/AdguardTeam/AdguardFilters/issues/64004
+! https://github.com/AdguardTeam/AdguardFilters/issues/51036
+! https://github.com/AdguardTeam/AdguardFilters/issues/49480
+! https://github.com/AdguardTeam/AdguardFilters/issues/48843
+22pixx.xyz#%#//scriptlet('remove-attr', 'href', '#continuetoimage > a:not([href*="22pixx.xyz"])')
+22pixx.xyz#%#//scriptlet('remove-attr', 'target', '#continuetoimage > a[href][target="_blank"][onclick*="loadimg"]')
+22pixx.xyz#%#//scriptlet('remove-attr', 'target|onclick', '#continuetoimage > a[href][target="_blank"]:not([onclick*="loadimg"]):not([onclick*="show"])')
+22pixx.xyz#%#//scriptlet('remove-attr', 'target|href', '#continuetoimage > a[href][target="_blank"][onclick*="lshow()"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/48573#issuecomment-579085015
+cam4.com#%#//scriptlet("set-constant", "window.open", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/48655
+promipool.com#%#//scriptlet("abort-on-property-read", "Object.prototype.autoRecov")
+! https://github.com/AdguardTeam/AdguardFilters/issues/48658
+birdurls.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/30376
+moviesand.com#%#//scriptlet("prevent-window-open", "about:blank")
+! https://github.com/AdguardTeam/AdguardFilters/issues/48350
+eztv.io#%#//scriptlet("abort-current-inline-script", "document.getElementById", "hide_vpn")
+! https://github.com/AdguardTeam/AdguardFilters/issues/48327
+ffmovies.ru#%#//scriptlet("prevent-window-open", "ffmovies.ru/stream/")
+! https://github.com/AdguardTeam/AdguardFilters/issues/47908
+supersimple.online#%#//scriptlet("prevent-window-open")
+supersimple.online#%#//scriptlet("adjust-setInterval", "#unlock", "", "0.02")
+! https://github.com/AdguardTeam/AdguardFilters/issues/47498
+tuberel.com,hdzog.com#%#//scriptlet("set-constant", "adver.abEnable", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/47467
+happy-porn.com#%#//scriptlet("set-constant", "use_go", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/47572
+semawur.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/47545
+hotgirlclub.com#%#AG_onLoad(function(){document.querySelectorAll('a[href^="/free/gallery.php?id="][href*="&url="][href*="&p="]').forEach(function(a){var b=a.getAttribute("href").split(/&url=|&p=/);a.setAttribute("href",b[1])});});
+! https://github.com/AdguardTeam/AdguardFilters/issues/47465
+ouo.today#%#(function(){var d=(new URL(window.location.href)).searchParams.get("cr");try{var a=atob(d)}catch(b){}try{new URL(a);var c=!0}catch(b){c=!1}if(c)try{window.location=a}catch(b){}})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/47332
+unishort.com#%#//scriptlet("abort-on-property-read", "showInPopup")
+! https://github.com/AdguardTeam/AdguardFilters/issues/47187
+totv.org#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/47104
+imagefruit.com#%#//scriptlet("remove-attr", "href", "a[href='/view']")
+! https://github.com/AdguardTeam/AdguardFilters/issues/47046
+ifbbpro.com#%#//scriptlet('set-constant', 'td_ad_background_click_link', 'undefined')
+! https://github.com/AdguardTeam/AdguardFilters/issues/46923
+bannercuts.com#%#//scriptlet("prevent-window-open", "livefm.lk")
+! https://github.com/AdguardTeam/AdguardFilters/issues/46812
+myreadingmanga.info#%#//scriptlet("abort-on-property-read", "bisqus")
+! https://github.com/AdguardTeam/AdguardFilters/issues/46840
+shortearn.eu#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/46788
+adbull.site#%#//scriptlet("set-constant", "window.open", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/46722
+mstream.xyz#%#//scriptlet("abort-on-property-read", "doSecondPop")
+! https://github.com/AdguardTeam/AdguardFilters/issues/6537
+fetishshrine.com#%#//scriptlet("abort-on-property-read", "customScript")
+! https://github.com/AdguardTeam/AdguardFilters/issues/46280
+freehentaistream.com#%#//scriptlet("abort-on-property-read", "dataPopUnder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/46145
+zootube1.com#%#AG_onLoad(function(){document.querySelectorAll('a[href^="/zoo/play.php?hd="]').forEach(function(a){var b=a.getAttribute("href").split("/zoo/play.php?hd=");a.setAttribute("href",b[1])})});
+! https://github.com/AdguardTeam/AdguardFilters/issues/45979
+247hearts.com#%#AG_onLoad(function() { setTimeout(function() { var el = document.getElementById("feature-ad-holder"); if(el) { hideFeatureAd(); }; }, 300); });
+! https://github.com/AdguardTeam/AdguardFilters/issues/46009
+celeb.gate.cc#%#//scriptlet("abort-on-property-read", "dataPopUnder")
+! pirateproxy.space - popups
+pirateproxy.space#%#//scriptlet("set-constant", "openNewURLInTheSameWindow", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/45465
+yandexcdn.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/149491
+! https://github.com/AdguardTeam/AdguardFilters/issues/45376
+yt1s.com,y2mate.com#%#//scriptlet('set-constant', 'clickAds.isShown', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/45388
+shrtfly.net#%#//scriptlet("abort-on-property-read", "open")
+shrtfly.net#%#//scriptlet("abort-on-property-read", "tabUnder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/45350
+shon.xyz#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/44699
+pixroute.com#%#//scriptlet("set-constant", "proclayer", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/45272
+rekkerd.org#%#//scriptlet('set-constant', 'td_ad_background_click_link', 'undefined')
+! https://github.com/AdguardTeam/AdguardFilters/issues/45203
+savemp3.cc#%#//scriptlet("prevent-window-open")
+! streamcdn.to - popups
+!+ NOT_PLATFORM(windows, mac, android)
+streamcdn.to#%#//scriptlet("prevent-addEventListener", "click", "dtnoppu")
+! https://github.com/AdguardTeam/AdguardFilters/issues/45250
+pornxs.com#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/45240
+vidconverter.co#%#//scriptlet("prevent-window-open")
+! hdsex.org - auto-click video
+hdsex.org#%#//scriptlet('trusted-click-element', '#player', '', '1200')
+! https://github.com/AdguardTeam/AdguardFilters/issues/44864
+bit-url.com#%#//scriptlet("prevent-eval-if", "__PPU_CHECK")
+! https://github.com/AdguardTeam/AdguardFilters/issues/44714
+youzik.com#%#//scriptlet("prevent-window-open", ".info?tid=")
+! https://github.com/AdguardTeam/AdguardFilters/issues/44845
+stfly.io#%#//scriptlet("abort-on-property-read", "tabUnder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/44654
+!+ NOT_PLATFORM(windows, mac, android)
+1819714723.rsc.cdn77.org,streamsforu.com#%#//scriptlet("adjust-setInterval", "timerLayerAdLine", "", "0.02")
+! https://github.com/AdguardTeam/AdguardFilters/issues/44686
+lightnovelworld.com#%#AG_onLoad(function() { setTimeout(function() { var el = document.querySelectorAll(".adsbox"); if(el) { el.forEach(function(el) { el.remove(); }); } }, 1000); });
+! bcvc.xyz - popups
+bcvc.*#%#//scriptlet("abort-on-property-read", "pop_init")
+! https://github.com/AdguardTeam/AdguardFilters/issues/44643
+livecricket.is#%#//scriptlet("prevent-window-open")
+! filecrypt.co - popunder on download page
+filecrypt.co#%#//scriptlet('abort-current-inline-script', 'Number', 'popWait')
+filecrypt.co#%#//scriptlet("set-constant", "_popsThisDay", "999")
+filecrypt.co#%#//scriptlet("set-constant", "YPOP", "noopFunc")
+filecrypt.co#%#//scriptlet("set-constant", "YPOP2", "noopFunc")
+filecrypt.cc#%#//scriptlet("set-constant", "FBPOP", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/43700
+fuqer.com#%#//scriptlet("abort-on-property-read", "fUnder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/43415
+!+ NOT_PLATFORM(windows, mac, android)
+xsexvideos.pro,mature-tube.sexy#%#//scriptlet('prevent-setTimeout', '/window\.location\.href = ("\/sell\.php"|popURL)/')
+! https://github.com/AdguardTeam/AdguardFilters/issues/43481
+moneymanagement.com.au#%#(function(){if(-1!=window.location.href.indexOf("/intro-mm"))for(var c=document.cookie.split(";"),b=0;b li"); if(el) { for(i=0;isingle"); var data = el[i].getAttribute("data-id"); el[i].setAttribute("data-m", ' {"i":' + data + ',"p":115,"n":"single","y":8,"o":' + i + '} ')}; var count = document.querySelectorAll(".todaystripe .infopane-placeholder .slidecount span"); var diff = count.length - el.length; while(diff > 0) { var count_length = count.length; count[count_length-1].remove(); var count = document.querySelectorAll(".todaystripe .infopane-placeholder .slidecount span"); var diff = count.length - el.length; } } }, 300); });
+! https://github.com/AdguardTeam/AdguardFilters/issues/34952
+break.tv#%#(function() { window.open_ = window.open; var w_open = window.open, regex = /break\.tv\/widget\/r\//; window.open = function(a, b) { if (typeof a !== 'string' || !regex.test(a)) { w_open(a, b); } }; })();
+! https://github.com/AdguardTeam/AdguardFilters/issues/35056
+vidbob.com#%#(function(){var c=document.addEventListener;document.addEventListener=function(a,b,d,e){"mousedown"!=a&&-1==b.toString().indexOf('Z4P')&&c(a,b,d,e)}.bind(document); var b=window.setTimeout;window.setTimeout=function(a,c){if(!/Z4P/.test(a.toString()))return b(a,c)};})();
+! mediafire.com - ad redirect on download
+mediafire.com#%#//scriptlet("set-constant", "InfCustomFPSTAFunc", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/34854
+stfly.io#%#window.open = function() {};
+! https://forum.adguard.com/index.php?threads/userscloud-com.32800
+userscloud.com#%#//scriptlet("remove-attr", "onclick", "#btn_download")
+! dancers `Popping Tool`
+myporntape.com,super-games.cz,hentaipins.com,ahegaoporn.net,hentaicloud.com,camwhoresbay.porn,123strippoker.com,chicpussy.net,imgsto.com,lolhentai.net,pics4upload.com,imgstar.eu,porncoven.com,nakedbabes.club,vibraporn.com,imgtaxi.com,rintor.*,xcity.org,striptube.net,eroticity.net,camwhores.film,boobieblog.com,freeuseporn.com,gamesofdesire.com,imgsen.com,imgwallet.com,picdollar.com,zehnporn.com,babepedia.com,kvador.com,sikwap.xyz,imgadult.com,sexgames.xxx,picbaron.com,porno-island.*,wantedbabes.com,ftopx.com,bunnylust.com,mysexgames.com,sexykittenporn.com,lizardporn.com,doseofporn.com,erotichdworld.com,freyalist.com,guruofporn.com,jennylist.xyz,jesseporn.xyz,kendralist.com,vipergirls.to,8boobs.com,babesinporn.com,bustybloom.com,fooxybabes.com,hotstunners.com,rabbitsfun.com,silkengirl.com,jumboporn.xyz,zazzybabes.com#%#//scriptlet("abort-on-property-read", "loadTool")
+! https://github.com/AdguardTeam/AdguardFilters/issues/34700
+kickassz.com#%#(function(){var c=document.addEventListener;document.addEventListener=function(a,b,d,e){"click"!=a&&-1==b.toString().indexOf('checkTarget')&&c(a,b,d,e)}.bind(document);})();
+! hubfiles.ws - popups
+hubfiles.ws#%#(function() { window.open_ = window.open; var w_open = window.open, regex = /decademical\.com/; window.open = function(a, b) { if (typeof a !== 'string' || !regex.test(a)) { w_open(a, b); } }; })();
+! https://github.com/AdguardTeam/AdguardFilters/issues/34096
+sexvid.xxx#%#//scriptlet("abort-on-property-read", "pu")
+! https://github.com/AdguardTeam/AdguardFilters/issues/34029
+sozosblog.com#%#//scriptlet('remove-attr', 'href', '#content-area a[href="/go.php"][rel="nofollow"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/42251
+! https://forum.adguard.com/index.php?threads/resolved-www-file-up-org.30886
+file-up.org#%#AG_onLoad(function() { var el = document.querySelector('.container > .page-wrap'); if(el) { el.innerHTML = el.innerHTML.replace(/\nads\n|ads( )?\n/g,''); } });
+! https://github.com/AdguardTeam/AdguardFilters/issues/33665
+empflix.com#%#//scriptlet("prevent-addEventListener", "", "/exo")
+empflix.com#%#//scriptlet("set-constant", "FlixPop.isPopGloballyEnabled", "falseFunc")
+! fc.lc - popups
+fc.lc#%#(function(){var c=document.addEventListener;document.addEventListener=function(a,b,d,e){"mouseup"!=a&&-1==b.toString().indexOf(`var U="click";var R='_blank';var v="href";`)&&c(a,b,d,e)}.bind(document);})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/32781
+imgadult.com#%#//scriptlet("abort-on-property-read", "adbctipops")
+imgadult.com#%#(function(){Object.defineProperty(window, 'ExoLoader', { get: function() { return; } }); var c=document.addEventListener;document.addEventListener=function(a,b,d,e){"getexoloader"!=a&&-1==b.toString().indexOf('loader')&&c(a,b,d,e)}.bind(document);})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/33357
+wickedsick.tv#%#//scriptlet("abort-current-inline-script", "spot", "api/direct")
+! nitroflare.com - popunder when downloading
+nitroflare.com#%#(function(){window.open_=window.open;var c=window.open,d=/./;window.open=function(e,f){return"string"==typeof e&&d.test(e)?document.body:void c(e,f)}})();
+! linkshrink.net mobile website - popups
+linkshrink.net#%#//scriptlet("prevent-window-open")
+linkshrink.net#%#//scriptlet("abort-current-inline-script", "confirm", "ads.linkshrink.net")
+linkshrink.net#%#//scriptlet("abort-current-inline-script", "history.pushState", "onpopstate")
+! uii.io - popups
+uii.io#%#(function(){var c=document.addEventListener;document.addEventListener=function(a,b,d,e){"mouseup"!=a&&-1==b.toString().indexOf(`var U="click";var R='_blank';var v="href";`)&&c(a,b,d,e)}.bind(document);})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/32669
+arenavision.cc#%#//scriptlet("abort-on-property-read", "smrtAdSySPop")
+! https://github.com/AdguardTeam/AdguardFilters/issues/31807
+mangovideo.pw#%#//scriptlet("abort-on-property-read", "myFunction")
+mangovideo.pw#%#//scriptlet("abort-on-property-read", "myFunctions")
+analdin.com,mangovideo.pw,streamporn.pw#%#//scriptlet("abort-on-property-read", "popunder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/31976
+fileflares.com#%#(function(){var c=document.addEventListener;document.addEventListener=function(a,b,d,e){"click"!=a&&-1==b.toString().indexOf('bi()')&&c(a,b,d,e)}.bind(document);})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/31204
+x1337x.eu,1337x.to,1337x.st,x1337x.ws#%#//scriptlet("set-constant", "S9tt", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/30037
+imgmaze.pw,imgview.pw#%#//scriptlet("set-constant", "_pop", "emptyArr")
+! https://github.com/AdguardTeam/AdguardFilters/issues/30728
+shrtfly.com#%#AG_onLoad(function() { setTimeout(function() { $("#go-popup").remove(); }, 300); });
+! quora.com - ad posts
+quora.com#%#(function(){ var observer=new MutationObserver(hide);observer.observe(document,{childList:!0,subtree:!0});function hide(){var e=document.querySelectorAll('span[data-nosnippet] > .q-box');e.forEach(function(e){var i=e.innerText;if(i){if(i!==void 0&&(!0===i.includes('Sponsored')||!0===i.includes('Ad by')||!0===i.includes('Promoted by'))){e.style="display:none!important;"}}})} })();
+quora.com#%#(function(){ var observer=new MutationObserver(hide);observer.observe(document,{childList:!0,subtree:!0});function hide(){var e=document.querySelectorAll('.paged_list_wrapper > .pagedlist_item');e.forEach(function(e){var i=e.innerHTML;if(i){if(i!==void 0&&(!0===i.includes('Hide This Ad<\/span>'))){e.style="display:none!important;"}}})} })();
+! https://github.com/AdguardTeam/AdguardFilters/issues/30452
+arcadeprehacks.com#%#//scriptlet("abort-current-inline-script", "Math.random", "#cpmstar")
+! https://github.com/AdguardTeam/AdguardFilters/issues/30266
+tnaflix.com#%#window.open = function() {};
+! https://github.com/AdguardTeam/AdguardFilters/issues/29675
+soundpark-club.com#%#AG_onLoad(function() { $(function() { $('.dnl').unbind('click'); }); });
+soundpark-club.com#%#(function() { window.open_ = window.open; var w_open = window.open, regex = /afletedly\.info/; window.open = function(a, b) { if (typeof a !== 'string' || !regex.test(a)) { w_open(a, b); } }; })();
+! https://github.com/AdguardTeam/AdguardFilters/issues/29849
+mydramaoppa.com#%#AG_defineProperty('dtGonza.playeradstime', {value: -1}); AG_onLoad(function() { setTimeout(function() { if(window.location.href.indexOf("/links/") != -1) { var el = document.getElementById("link"); if(el) { var link = el.getAttribute("href"); location.replace(link); } }}, 300); });
+! https://github.com/AdguardTeam/AdguardFilters/issues/29727
+vidbom.com#%#//scriptlet("abort-current-inline-script", "atob", "removeCookie")
+! https://github.com/AdguardTeam/AdguardFilters/issues/29775
+flix555.com#%#window.open = function() {};
+! https://github.com/AdguardTeam/AdguardFilters/issues/29773
+adsrt.me#%#window.open = function() {};
+! https://github.com/AdguardTeam/AdguardFilters/issues/34795
+! https://github.com/AdguardTeam/AdguardFilters/issues/75585
+! twitter.com#%#!function(){(new MutationObserver(function(){document.querySelectorAll('div[style^="padding-bottom: 0px;"] > div[style^="padding-top:"] > div:not([class]):not([style]), div[class] > div[style^="position: relative"] > div[style*="position: absolute;"]:not([class]):not([style*="display: none"])').forEach(function(b){Object.keys(b).some(function(a){if(a.includes("reactEventHandlers")){a=b[a];try{var c=a.children._owner.alternate.key;c.includes("promotedTweet")&&(b.style="display:none!important;")}catch(d){}}})})})).observe(document,{childList:!0,subtree:!0})}();
+! https://github.com/AdguardTeam/AdguardFilters/issues/164633
+instagram.com#%#!function(){new MutationObserver((function(){document.querySelectorAll("article > div[class] > div[class]").forEach((function(e){Object.keys(e).forEach((function(c){if(c.includes("__reactEvents")||c.includes("__reactProps")){c=e[c];try{c.children?.props?.adFragmentKey?.items&&e.parentNode.remove()}catch(c){}}}))}))})).observe(document,{childList:!0,subtree:!0});}();
+! https://github.com/AdguardTeam/AdguardFilters/issues/153636
+! Blocking ads based on property
+pinterest.*#%#!function(){var e=0,r=[];new MutationObserver((function(){document.querySelectorAll("div[role='list'] > div[role='listitem']:not([style*='display: none'])").forEach((function(i){Object.keys(i).forEach((function(s){if(s.includes("__reactFiber")||s.includes("__reactProps")){s=i[s];try{if(s.memoizedProps?.children?.props?.children?.props?.pin?.ad_destination_url||s.memoizedProps?.children?.props?.children?.props?.children?.props?.pin?.ad_destination_url||s.memoizedProps?.children?.props?.children?.props?.children?.props?.children?.props?.pin?.ad_destination_url){e++,i.style="display: none !important;";var n=i.querySelector('a[href] span[class*=" "]:last-child, a[href] div[class*=" "][style*="margin"]:last-child > div[class*=" "][style*="margin"] + div[class*=" "]:last-child');n&&(r.push(["Ad blocked based on property ["+e+"] -> "+n.innerText]),console.table(r))}}catch(s){}}}))}))})).observe(document,{childList:!0,subtree:!0})}();
+! https://forum.adguard.com/index.php?threads/mac-adguard-2-4-3-718-facebook-sponsored-ads-are-not-blocked.37861
+! update: 05.06.2020 (full rule)
+facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion#%#!function(){var e=new MutationObserver(function(){var m=document.querySelectorAll("div[id^='mount_']");{var e;e=0 div[data-pagelet^="FeedUnit"] > div[class]:not([style*="height"])'):document.querySelectorAll('[id^="substream"] > div:not(.hidden_elem) div[id^="hyperfeed_story_id"]')}e.forEach(function(e){function n(e,n){for(0 a > span > span > span[data-content]')).length&&(h=e.querySelectorAll('div[role="article"] span[dir="auto"] > a > span[aria-label]')):h=e.querySelectorAll(".userContentWrapper h5 + div[data-testid] a [class] [class]"),socheck=0;socheck a > span > span > span[data-content]')).length&&(h=e.querySelectorAll('div[role="article"] span[dir="auto"] div[role="button"][tabindex]')):h=e.querySelectorAll(".userContentWrapper h5 + div[data-testid] > span a > [class] [class]"),"0"==h.length&&(h=e.querySelectorAll('div[role="article"] span[dir="auto"] > a > span[aria-label]')),socheck=0;socheck a > span span[data-content='+n+"]"),p=e.querySelectorAll('div[role="article"] span[dir="auto"] > a > span span[data-content='+t+"]"),d=e.querySelectorAll('div[role="article"] span[dir="auto"] > a > span span[data-content='+c+"]"),e.querySelectorAll('div[role="article"] span[dir="auto"] > a > span span[data-content='+a+"]")):(h=e.querySelectorAll(".userContentWrapper h5 + div[data-testid] a [data-content="+n+"]"),p=e.querySelectorAll(".userContentWrapper h5 + div[data-testid] a [data-content="+t+"]"),d=e.querySelectorAll(".userContentWrapper h5 + div[data-testid] a [data-content="+c+"]"),e.querySelectorAll(".userContentWrapper h5 + div[data-testid] a [data-content="+a+"]"))}var s=0,l=0,r=0,i=0,h=0,p=0,d=0,u=0,a=e.querySelectorAll("div[style='width: 100%'] > a[href*='oculus.com/quest'] > div"),o=document.querySelector("[lang]"),k=document.querySelectorAll("link[rel='preload'][href*='/l/']");o=o?document.querySelector("[lang]").lang:"en";var y,g=e.querySelectorAll('a[ajaxify*="ad_id"] > span'),f=e.querySelectorAll('a[href*="ads/about"]'),S=e.querySelectorAll('a[href*="https://www.facebook.com/business/help"]');if("display: none !important;"!=e.getAttribute("style")&&!e.classList.contains("hidden_elem")&&(0 div:not(.hidden_elem) div[id^="hyperfeed_story_id"]').forEach(function(e){function n(e,n){for(d=e.querySelectorAll(".userContentWrapper h5 + div[data-testid] a [class] [class]"),socheck=0;socheck a[href*='oculus.com/quest'] > div"),c=document.querySelector("[lang]");document.querySelectorAll("link[rel='preload'][href*='/l/']");c=c?document.querySelector("[lang]").lang:"en";var a,y=e.querySelectorAll('a[ajaxify*="ad_id"] > span'),k=e.querySelectorAll('a[href*="ads/about"]'),g=e.querySelectorAll('a[href*="https://www.facebook.com/business/help"]');if("display: none !important;"!=e.getAttribute("style")&&!e.classList.contains("hidden_elem")&&(0 span a > [class] [class]")).length&&(d=e.querySelectorAll('div[role="article"] span[dir="auto"] > a > span[aria-label]')),socheck=0;socheck div:not([style*=\"display: none\"]), div[role=\"feed\"] > span:not([style*=\"display: none\"]), #ssrb_feed_start + div > div[class]:not([style*=\"display: none\"]), #ssrb_feed_start + div span > h3 ~ div[class]:not([style*=\"display: none\"]), #ssrb_feed_start + div h3~ div[class]:not([style*=\"display: none\"]), #ssrb_feed_start + div h3 ~ div > div[class]:not([style*=\"display: none\"]), div[role=\"main\"] div[class] > #ssrb_feed_start ~ div > h3 ~ div > div[class]:not([style*=\"display: none\"]), div[role=\"main\"] div > h3 ~ div > div[class]:not([style*=\"display: none\"]), #ssrb_feed_start + div > div > div[class]:not([style*=\"display: none\"]), div[role=\"main\"] div > h2 ~ div > div[class]:not([style*=\"display: none\"]), #ssrb_feed_start + div > div > div[class] > div:not([class], [id]) div:not([class], [id]):not([style*=\"display: none\"]), div[role=\"main\"] div > h3 ~ div > div[class] > div:not([class], [id]) div:not([class], [id], [dir], [data-0], [style]), div[role=\"main\"] div > h2 ~ div > div[class] > div > div:not([style*=\"display: none\"]),div[role=\"main\"] h3[dir=\"auto\"] + div > div[class]:not([style*=\"display: none\"])").forEach(function(e){Object.keys(e).forEach(function(a){if(a.includes?.("__reactEvents")||a.includes?.("__reactProps")){a=e[a];try{if(a.children?.props?.category?.includes("SPONSORED")||a.children?.props?.children?.props?.category?.includes("SPONSORED")||a.children?.props?.feedEdge?.category?.includes("SPONSORED")||a.children?.props?.children?.props?.feedEdge?.category?.includes("SPONSORED")||a.children?.props?.children?.props?.children?.props?.feedEdge?.category?.includes("SPONSORED")||a.children?.props?.children?.props?.children?.props?.children?.props?.feedEdge?.category?.includes("SPONSORED")||a.children?.props?.children?.props?.children?.props?.children?.props?.feedEdge?.feed_story_category?.includes("SPONSORED")||a.children?.props?.children?.props?.children?.props?.children?.props?.feedEdge?.story_category?.includes("SPONSORED")||a.children?.props?.children?.props?.children?.props?.children?.props?.feedEdge?.story_cat?.includes("SPONSORED")||a.children?.props?.children?.props?.children?.props?.children?.props?.feedEdge?.category_sensitive?.cat?.includes("SPONSORED")||a.children?.props?.children?.props?.children?.props?.children?.props?.feedEdge?.node?.sponsored_data?.brs_filter_setting){b++,e.style="display: none !important;";var f=e.querySelector("a[href][aria-label]:not([aria-hidden])");f&&(d.push(["Ad blocked based on property ["+b+"] -> "+f.ariaLabel]),console.table(d))}}catch(a){}}})})}).observe(document,{childList:!0,subtree:!0})}();
+! Blocking ads based on property in watch section
+facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion#%#!function(){(new MutationObserver(function(){window.location.href.includes("/watch")&&document.querySelectorAll('#watch_feed div:not([class]):not([id]) > div[class*=" "]:not([style*="display: none !important"]) div[class^="_"] > div[class*=" "]').forEach(function(b){Object.keys(b).forEach(function(a){if(a.includes("__reactFiber")){a=b[a];try{var c,d,e,f;if(null==(c=a)?0:null==(d=c["return"])?0:null==(e=d.memoizedProps)?0:null==(f=e.story)?0:f.sponsored_data){var g=b.closest('#watch_feed div[class*=" "] div:not([class]):not([id]) > div[class*=" "]:not([style*="display: none !important"])');g.style="display: none !important;"}}catch(h){}}})})})).observe(document,{childList:!0,subtree:!0,attributeFilter:["style"]})}();
+! Blocking ads based on property when watching an marketplace item
+facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion#%#!function(){if(location.href.includes("marketplace/item")){var b=0,d=[];new MutationObserver(function(){document.querySelectorAll("div[aria-label='Marketplace listing viewer'] > div div + div + span:not([style*='display: none']), #ssrb_feed_start + div > div div + div + span:not([style*='display: none'])").forEach(function(e){Object.keys(e).forEach(function(a){if(a.includes("__reactEvents")||a.includes("__reactProps")){a=e[a];try{if(a.children?.props?.children?.props?.adId){b++,e.style="display: none !important;";var f=e.querySelector("a[href][aria-label]:not([aria-hidden])");f&&(d.push(["Ad blocked based on property ["+b+"] -> "+f.ariaLabel]),console.table(d))}}catch(a){}}})})}).observe(document,{childList:!0,subtree:!0})}}();
+! ! #if (!adguard_app_windows && !adguard_app_mac && !adguard_app_android)
+facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion#%#!function(){var e=new MutationObserver(function(){document.querySelectorAll('[id^="substream"] > div:not(.hidden_elem) div[id^="hyperfeed_story_id"]').forEach(function(e){function t(e,t){for(s=e.querySelectorAll('.userContentWrapper h5 + div[data-testid*="sub"] a [class] [class]'),socheck=0;socheck a[href*='oculus.com/quest'] > div"),h=document.querySelector("[lang]").lang,g=e.querySelectorAll('a[ajaxify*="ad_id"] > span'),p=e.querySelectorAll('a[href*="ads/about"]');if("display: none !important;"!=e.getAttribute("style")&&!e.classList.contains("hidden_elem")){if(0 div > div').forEach(function(e){var t=e.outerHTML;t&&void 0!==t&&!0===t.includes("/ads/about/")&&(e.style="display:none!important;")})}).observe(document,{childList:!0,subtree:!0})}}();
+! https://github.com/AdguardTeam/AdguardFilters/issues/28288
+vumoo.life#%#//scriptlet("set-constant", "dtGonza.playeradstime", "-1")
+! https://github.com/AdguardTeam/AdguardFilters/issues/28203
+adnangamer.com#%#window.open = function() {};
+! https://github.com/AdguardTeam/AdguardFilters/issues/28252
+youtube6download.top#%#(function() { window.open_ = window.open; var w_open = window.open, regex = /youtube6download\.top\/adx\.php/; window.open = function(a, b) { if (typeof a !== 'string' || !regex.test(a)) { w_open(a, b); } }; })();
+! https://github.com/AdguardTeam/AdguardFilters/issues/28250
+ycapi.org#%#(function() { window.open_ = window.open; var w_open = window.open, regex = /ycapi\.org\/p\//; window.open = function(a, b) { if (typeof a !== 'string' || !regex.test(a)) { w_open(a, b); } }; })();
+! https://github.com/AdguardTeam/AdguardFilters/issues/27936
+dvdgayporn.com#%#//scriptlet("set-constant", "dtGonza.playeradstime", "-1")
+! 9movies.us - popups
+9movies.us#%#(function(){window.open_=window.open;var c=window.open,d=/go\.pub2srv\.com/;window.open=function(e,f){return"string"==typeof e&&d.test(e)?document.body:void c(e,f)}})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/25451
+hotpornfile.org#%#//scriptlet("abort-current-inline-script", "document.dispatchEvent", "getexldr")
+! https://github.com/AdguardTeam/AdguardFilters/issues/26931
+youngsexhd.net#%#//scriptlet("abort-current-inline-script", "document.addEventListener", "api_host")
+! https://github.com/AdguardTeam/AdguardFilters/issues/171677
+! https://github.com/AdguardTeam/AdguardFilters/issues/8272
+pictoa.com#%#//scriptlet('abort-on-property-write', 'tiPopAction')
+! https://github.com/AdguardTeam/AdguardFilters/issues/41797
+! https://github.com/AdguardTeam/AdguardFilters/issues/24886
+vivo.sx#%#//scriptlet("prevent-addEventListener", "click", "about:blank")
+vivo.sx#%#(function(){var c=document.addEventListener;document.addEventListener=function(a,b,d,e){"click"!=a&&-1==b.toString().indexOf('about:blank')&&c(a,b,d,e)}.bind(document);})();
+vivo.sx#%#(function(){var b=window.setTimeout;window.setTimeout=function(a,c){if(!/Object\[/.test(a.toString()))return b(a,c)};})();
+vivo.sx#%#(function(){Object.defineProperty(window,"open",{writable:!1,enumerable:!1,configurable:!1,value:window.open})})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/24596
+onionplay.net#%#//scriptlet('set-constant', 'scds', '0')
+! https://github.com/AdguardTeam/AdguardFilters/issues/24207
+pogo.com#%#//scriptlet("adjust-setTimeout", "this.onComplete()", "20000", "0.02")
+! https://github.com/AdguardTeam/AdguardFilters/issues/23887
+xxxdan.com#%#//scriptlet("abort-current-inline-script", "document.cookie", "nasl")
+! https://github.com/AdguardTeam/AdguardFilters/issues/64754
+! https://github.com/AdguardTeam/AdguardFilters/issues/29035
+! https://github.com/AdguardTeam/AdguardFilters/issues/21439
+! https://forum.adguard.com/index.php?threads/twitch-new-ads-mechanism.39980
+! twitch.tv#%#(function(){if("function"==typeof fetch){var a=window.fetch;window.fetch=function(b){if(2<=arguments.length&&"string"==typeof b&&b.includes("/access_token")){var d=new URL(arguments[0]);d.searchParams.delete("player_type"),d.searchParams.set("platform", "_"),arguments[0]=d.href}return a.apply(this,arguments)}}})();
+! twitch.tv#%#(function(){if("function"==typeof fetch){var e=window.fetch;window.fetch=function(d,g){if(2<=arguments.length&&"string"===typeof d&&d.includes("/access_token")){var c=new URL(arguments[0]),a=[];c.searchParams.forEach(function(h,f){a.push(f)});for(var b=0;b{if("string"==typeof a)if(a.includes("/access_token"))a=a.replace("player_type=site","player_type=thunderdome");else if(a.includes("/gql")&&f&&"string"==typeof f.body&&f.body.includes("PlaybackAccessToken")){var b=JSON.parse(f.body);(null===b||void 0===b?void 0:b.variables)&&(b.variables.playerType="thunderdome",f.body=JSON.stringify(b))}return e(a,f,...c)}}})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/22429
+bc.vc#%#//scriptlet("set-constant", "history.pushState", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/22121
+optifine.net#%#//scriptlet('remove-attr', 'onclick', 'a[href^="download"][onclick="onDownload()"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/20845
+deezer.com#%#Object.defineProperty(window, 'sas_manager', { get: function() { return { noad: function() {} }; }, set: function() {} });
+! https://github.com/AdguardTeam/AdguardFilters/issues/21972
+adsrt.com#%#window.open = function() {};
+! https://forum.adguard.com/index.php?threads/userscloud-not-fixed.29344/
+userscloud.com#%#//scriptlet('set-constant', 'SubmitDownload1', 'true')
+! fembed.com - popup
+fembed.com#%#(function(){var b=window.setTimeout;window.setTimeout=function(a,c){if(!/=setTimeout\(/.test(a.toString()))return b(a,c)};})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/61936
+eteknix.com#%#//scriptlet("prevent-addEventListener", "click", "e.target.tagName")
+! https://github.com/AdguardTeam/AdguardFilters/issues/21054
+tusfiles.com#%#window.open = function() {};
+! https://github.com/AdguardTeam/AdguardFilters/issues/20914
+androidpolice.com#%#AG_onLoad(function() { setTimeout(function() {var el=document.querySelector('.primary > .post-flag-pinned + .post'); if(el) { if(el.classList.contains("sticky") && el.clientHeight == 0) { document.querySelector('.primary > .post-flag-pinned').style.display = "none"; }} }, 300); });
+! https://github.com/AdguardTeam/AdguardFilters/issues/20663
+shortit.pw#%#//scriptlet("prevent-window-open")
+! https://forum.adguard.com/index.php?threads/getlink-pw.29175/
+getlink.pw#%#AG_onLoad(function() { setTimeout(function() { $("#go-popup").remove(); }, 300); });
+! https://github.com/AdguardTeam/AdguardFilters/issues/20172
+webcamsbabe.com#%#//scriptlet("set-constant", "bcs_popup_show_bongacams_pop", "true")
+! vidup.io - popup
+vidup.io#%#(function(){var c=document.addEventListener;document.addEventListener=function(a,b,d,e){"click"!=a&&-1==b.toString().indexOf('.hi()')&&c(a,b,d,e)}.bind(document);})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/19709
+vidcloud.co#%#//scriptlet("set-constant", "BetterJsPop", "noopFunc")
+vidcloud.co#%#AG_onLoad(function() { setTimeout(function() { loadPlayer(); }, 300); });
+! https://github.com/AdguardTeam/AdguardFilters/issues/19522
+cwtvembeds.com#%#window.open = function() {};
+! sport7.pw - popup
+sport7.pw#%#window.open = function() {};
+! https://forum.adguard.com/index.php?threads/19490/
+katfile.com#%#//scriptlet('prevent-window-open')
+! https://github.com/AdguardTeam/AdguardFilters/issues/18543
+embedy.me#%#window.open = function() {};
+! https://github.com/AdguardTeam/AdguardFilters/issues/18219
+mp3-pn.com#%#(function() { window.open_ = window.open; var w_open = window.open, regex = /demolat\.com/; window.open = function(a, b) { if (typeof a !== 'string' || !regex.test(a)) { w_open(a, b); } }; })();
+! https://github.com/AdguardTeam/AdguardFilters/issues/17495
+asiananimaltube.org#%#window.open = function() {};
+! https://github.com/AdguardTeam/AdguardFilters/issues/16854
+! https://github.com/AdguardTeam/AdguardFilters/issues/16855
+! https://github.com/AdguardTeam/AdguardFilters/issues/16856
+! https://github.com/AdguardTeam/AdguardFilters/issues/16867
+vixenless.com,bestialporn.com,bestialitysexanimals.com,mynakedwife.video,bestialitytaboo.tv,mujeresdesnudas.club#%#//scriptlet("abort-current-inline-script", "$", "clickObject")
+! https://github.com/AdguardTeam/AdguardFilters/issues/16191
+intoupload.com#%#AG_onLoad(function() { var el = document.getElementById("chkIsAdd"); if(el) el.checked = false; });
+! https://github.com/AdguardTeam/AdguardFilters/issues/15740
+pacogames.com#%#AG_onLoad(function() { setTimeout(function() { AG_defineProperty('Garter.ads.affiliate.enabled', { value: false }); }, 1000); });
+! https://github.com/AdguardTeam/AdguardFilters/issues/15482
+sex.com#%#window.open = function() {};
+! thevid.net - popups
+thevid.net#%#(function(){var c=document.addEventListener;document.addEventListener=function(a,b,d,e){"click"!=a&&-1==b.toString().indexOf('"dtnoppu"')&&c(a,b,d,e)}.bind(document);})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/15306
+bagusdl.pro#%#(function() { window.open_ = window.open; var w_open = window.open, regex = /adserver\.adreactor\.com/; window.open = function(a, b) { if (typeof a !== 'string' || !regex.test(a)) { w_open(a, b); } }; })();
+! https://github.com/AdguardTeam/AdguardFilters/issues/14842
+rmdown.com#%#window.open = function() {};
+! https://github.com/AdguardTeam/AdguardFilters/issues/13191
+xxx-videos.org#%#window.open = function() {};
+! https://github.com/AdguardTeam/AdguardFilters/issues/14306
+cpmlink.net#%#//scriptlet("abort-current-inline-script", "history.pushState", "onpopstate")
+! https://github.com/AdguardTeam/AdguardFilters/issues/12386
+fileflares.com#%#AG_onLoad(function(){ window.open_ = window.open; var w_open = window.open, regex = /hicpm10.com/; window.open = function(a, b) { if (typeof a !== 'string' || !regex.test(a)) { w_open(a, b); } }; });
+! sawlive.tv video stream - blocks start popup
+sawlive.tv#%#window.open = function() {};
+! https://github.com/AdguardTeam/AdguardFilters/issues/13045
+pornoaffe.com,hd-pornos.net#%#//scriptlet("set-constant", "vpUsePreRoll", "false")
+! https://github.com/AdguardTeam/AdguardFilters/issues/12912
+analust.com#%#//scriptlet('set-session-storage-item', 'poped', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/12919
+gamecode.win#%#window.open = function() {};
+! https://github.com/AdguardTeam/AdguardFilters/issues/11358
+xtapes.to#%#//scriptlet("abort-current-inline-script", "jQuery", "pop_init")
+! https://github.com/AdguardTeam/AdguardFilters/issues/12778
+watchcartoonsonline.eu#%#//scriptlet("abort-on-property-read", "bbHideDiv")
+gogoanimes.tv,igg-games.com,animeflv.net,9anime.is#%#//scriptlet("abort-on-property-write", "bbHideDiv")
+! https://github.com/AdguardTeam/AdguardFilters/issues/12794
+imagefap.com#%#//scriptlet('set-constant', 'Buu', 'undefined')
+! https://github.com/AdguardTeam/AdguardFilters/issues/12705
+telecharger-youtube-mp3.com#%#//scriptlet('remove-attr', 'onclick|href', 'a[href][onclick^="setTimeout(function(){ window.open("][onclick*="clksite.com"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/12361
+spaste.com#%#AG_onLoad(function() { document.getElementsByClassName('pasteContent')[0].innerHTML = document.getElementsByClassName('pasteContent')[0].innerHTML.replace('Buy Premium Account of Brazzers, Mofos @40% Lifetime Discount How ?',''); });
+! https://github.com/AdguardTeam/AdguardFilters/issues/12072
+tusfiles.net#%#//scriptlet('remove-attr', 'onclick', '#btn_download[onclick^="window.open"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/11879
+pornflip.com#%#window["pop_clicked"] = 1;
+! https://github.com/AdguardTeam/AdguardFilters/issues/11866
+wstream.video#%#//scriptlet('remove-attr', 'onclick', '#dws > span[style] > a[href][onclick^="window.open"]')
+! https://github.com/AdguardTeam/AdguardFilters/issues/11417
+pornotube.xxx#%#window.open = function() {};
+! https://github.com/AdguardTeam/AdguardFilters/issues/10856
+adlpu.com#%#(function(){var c=document.addEventListener;document.addEventListener=function(a,b,d,e){"click"!=a&&-1==b.toString().indexOf('trigerred')&&c(a,b,d,e)}.bind(document);})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/10592
+viralnova.com#%#//scriptlet("set-constant", "oio", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/10275
+vcrypt.net#%#//scriptlet("remove-attr", "onclick", ".btncontinue")
+! https://github.com/AdguardTeam/AdguardFilters/issues/10230
+chicksextube.com#%#AG_onLoad(function() { setTimeout(function() { $('body').unbind('click'); }, 300); });
+! https://github.com/AdguardTeam/AdguardFilters/issues/10226
+downsub.com#%#//scriptlet("abort-current-inline-script", "atob", "window.TextDecoder")
+! https://github.com/AdguardTeam/AdguardFilters/issues/9880
+ndtv.com#%#AG_onLoad(function() { if (window.location.href.indexOf("hpinterstitialnew.html") != -1) { window.setCookie1('sitecapture_interstitial', 1, 1); window.location.href = "http://www.ndtv.com/"; } });
+! https://github.com/AdguardTeam/AdguardFilters/issues/9650
+imgprime.com#%#AG_onLoad(function() {setTimeout(function() { if(linkid) { document.location.href = linkid;};}, 300); });
+! https://github.com/AdguardTeam/AdguardFilters/issues/9507
+savemyrights.com#%#//scriptlet("set-constant", "document.onclick", "true")
+! https://github.com/AdguardTeam/AdguardFilters/issues/9402
+planetsuzy.org#%#//scriptlet("prevent-window-open")
+! https://github.com/AdguardTeam/AdguardFilters/issues/9175
+24score.com#%#window.open = function(){};
+! https://github.com/AdguardTeam/AdguardFilters/issues/9166
+gotblop.com#%#//scriptlet("set-constant", "popunderUrl", "undefined")
+! https://github.com/AdguardTeam/AdguardFilters/issues/9147
+ashemaletube.com#%#window.open = function() {};
+! https://github.com/AdguardTeam/AdguardFilters/issues/8813
+pornokeep.com#%#//scriptlet("set-constant", "bdet", "noopFunc")
+! https://github.com/AdguardTeam/AdguardFilters/issues/8751
+drtuber.com#%#window.open = function() {};
+! https://github.com/AdguardTeam/AdguardFilters/issues/8596
+foxgay.com#%#window.open = function() {};
+! https://github.com/AdguardTeam/AdguardFilters/issues/8075
+myshared.ru,slideplayer.biz,slideplayer.biz.tr,slideplayer.com,slideplayer.com.br,slideplayer.cz,slideplayer.dk,slideplayer.es,slideplayer.fi,slideplayer.fr,slideplayer.hu,slideplayer.in.th,slideplayer.info,slideplayer.it,slideplayer.nl,slideplayer.no,slideplayer.org,slideplayer.pl,slideplayer.se#%#//scriptlet("set-constant", "service.show_after_load", "noopFunc")
+! https://forum.adguard.com/index.php?threads/27295/
+sendit.cloud#%#AG_onLoad(function() { $('button[type="submit"]').prop('onclick',null).off('click'); });
+! https://github.com/AdguardTeam/AdguardFilters/issues/7266
+sportvisions.ws#%#window.open = function() {};
+! https://forum.adguard.com/index.php?threads/zupload-me.26823/
+zupload.me#%#//scriptlet("remove-attr", "onclick", "a[onclick].link_button")
+! https://forum.adguard.com/index.php?threads/26805/
+linkshrink.net#%#AG_onLoad(function() { setTimeout(function() {var click = document.getElementById("btd"); link = click.onclick.toString().split(";");var link2 = link[0].split(")"); var link3 = link2[1].split("("); document.location.href = revC(link3[2]); }, 300); });
+! https://forum.adguard.com/index.php?threads/26804/
+cpmlink.net#%#window.open = function(){};
+! https://forum.adguard.com/index.php?threads/resolved-empflix-com-nsfw.25961/
+empflix.com#%#window.exo99HL3903jjdxtrnLoad = true;
+! https://forum.adguard.com/index.php?threads/25943/
+zapak.com#%#AG_onLoad(function() { prerollskip(); setTimeout(function() { prerollskip(); }, 100); setTimeout(function() { prerollskip(); }, 300); });
+! https://github.com/AdguardTeam/AdguardFilters/issues/79154
+timesofindia.indiatimes.com#%#//scriptlet("set-constant", "nsShowMaxCount", "0")
+! https://forum.adguard.com/index.php?threads/25920/
+entervideo.net#%#AG_onLoad(function() { window.dowin = function() {}; });
+! https://github.com/AdguardTeam/AdguardFilters/issues/6812
+pigav.com#%#AG_onLoad(function() { jQuery(function() { jQuery('body').unbind('click'); jQuery(`#td-outer-wrap`).css("cursor","default"); }); });
+! https://github.com/AdguardTeam/AdguardFilters/issues/6801
+firstonetv.net#%#AG_onLoad(function() { var player = document.querySelector('#playerContainer'); if(player){ var _setInterval = setInterval(function(){ skipTimer() }, 500); function skipTimer() { var el = document.querySelector('#skipAdBtn'); if (el) { outputPlayer(); el.remove(); clearInterval(_setInterval); } }; } });
+! https://forum.adguard.com/index.php?threads/24981/
+buenaisla.net#%#AG_onLoad(function() { setTimeout(function() { crearRep(); $('#bannerRep').remove();}, 300); });
+! https://github.com/AdguardTeam/AdguardFilters/issues/6339
+sawlive.tv#%#AG_onLoad(function() { closeMyAd(); });
+! https://github.com/AdguardTeam/AdguardFilters/issues/6495
+greatdaygames.com#%#AG_onLoad(function() { showPreRollAd = function() {}; RefreshFlashGame(); });
+! https://forum.adguard.com/index.php?threads/resolved-saavn-com-missed-ads-windows.22981/#post-143066
+!+ NOT_PLATFORM(ext_ff, ext_opera)
+saavn.com#%#!function(a,b){b=new MutationObserver(function(){a.classList.contains('idle')&&a.classList.remove('idle')}),b.observe(a,{attributes:!0,attributeFilter:['class']})}(document.documentElement);
+! https://forum.adguard.com/index.php?threads/littlebyte-net.22689/
+littlebyte.net#%#//scriptlet('remove-attr', 'href|target', 'a[onclick^="getActionContent"]')
+! https://forum.adguard.com/index.php?threads/userscloud-com-android-unsolved.22394/
+userscloud.com#%#//scriptlet("remove-attr", "onclick", "a[href*='usercdn.com'][onclick*='window.open(']")
+! https://forum.adguard.com/index.php?threads/filescdn-com.22215/
+filescdn.com#%#window.open = function(){};
+! PanamaClient WebRTC circumvention
+androidcentral.com,businessnewsdaily.com,champion.gg,closerweekly.com,connectedly.com,crackberry.com,firstforwomen.com,intouchweekly.com,j-14.com,kiplinger.com,lifeandstylemag.com,lolcounter.com,merriam-webster.com,newsarama.com,phonearena.bg,phonearena.com,probuilds.net,teamliquid.net,theberry.com,thepoliticalinsider.com,tomshardware.co.uk,tomshardware.com,tomshardware.de,tomshardware.fr,topix.com,windowscentral.com,womansworld.com#%#URL.createObjectURL=function(){return"about:blank"};
+drudgereport.com#%#URL.createObjectURL=function(){return"about:blank"};
+! https://github.com/AdguardTeam/AdguardFilters/issues/12211
+! Ad reinject
+israelnationalnews.com#%#//scriptlet("abort-current-inline-script", "Math.random", "new RegExp")
+! https://github.com/AdguardTeam/AdguardFilters/issues/11692
+peekvids.com#%#window["pop_clicked"] = 1;
+! https://github.com/AdguardTeam/AdguardFilters/issues/4874
+9to5google.com,9to5mac.com,9to5toys.com,dronedj.com,electrek.co#%#window.canRunAds = true; window.OXHBConfig = {};
+! qz.com header glitch
+qz.com#%#AG_onLoad(function(){if(document.body.classList){document.body.classList.remove("has-marquee");var a=document.getElementById("settingsNav");a&&a.classList.remove("header-stuck")}});
+! https://forum.adguard.com/index.php?threads/linclik-com.20662/
+linclik.com#%#(function(a){window.open=function(){if("Popup_Window"!==argument[1])return a.apply(window,arguments)};})(window.open);
+! https://forum.adguard.com/index.php?threads/18374/
+dato.porn#%#window.open = function() {};
+! https://forum.adguard.com/index.php?threads/19046/
+katfile.com#%#AG_onLoad(function() { window.newlink = true; window.bodyclick = true; });
+! https://github.com/AdguardTeam/AdguardFilters/issues/75252
+! https://forum.adguard.com/index.php?threads/19043/
+uppit.com#%#//scriptlet("adjust-setTimeout", "#countdown", "", "0.02")
+! https://forum.adguard.com/index.php?threads/18968/
+hqq.tv#%#AG_onLoad(function() { setTimeout(function() { if(typeof after_click === "function") { after_click(); } }, 300); });
+! https://forum.adguard.com/index.php?threads/18216/
+imgclick.net#%#AG_onLoad(function() { document.getElementById("form-captcha").submit(); });
+! https://forum.adguard.com/index.php?threads/www-apkpromod-net.18611/
+apkpromod.net#%#(function(){var a=window.open;window.open=function(){if(-1==arguments[0].indexOf("www.facebook.com/"))return a.apply(window,arguments)}})();
+! https://forum.adguard.com/index.php?threads/18584/
+youjizz.com#%#AG_onLoad(function() { for (var key in window) { if (key.indexOf('ExoLoader') == 0) { window[key] = {}; } }; });
+! https://forum.adguard.com/index.php?threads/9895/
+motherless.com#%#//scriptlet('abort-current-inline-script', 'jQuery', 'secondPop')
+! https://forum.adguard.com/index.php?threads/hqporner-com-nsfw.16107/
+bemywife.cc#%#window.canRunAds = !0;
+! https://forum.adguard.com/index.php?threads/telegraph-co-uk.16064/
+! We need a scriptlet to change/set HTML elements attributes, it's part of this task - https://github.com/AdguardTeam/Scriptlets/issues/106
+telegraph.co.uk#%#AG_onLoad(function(){AG_each(".gallery.component > .gallery-settings[data-gallery-ad-viewability][data-gallery-slides-per-ad]",function(a){a.setAttribute("data-gallery-ad-viewability","1E9");a.setAttribute("data-gallery-slides-per-ad","1E9")})});
+! https://github.com/AdguardTeam/AdguardFilters/issues/3364
+vg247.com#%#AG_onLoad(function() { window.yafaIt = function() {}; });
+! https://forum.adguard.com/index.php?threads/13088/
+8muses.com#%#AG_onLoad(function() { for (var key in window) { if (key.indexOf('_0x') == 0) { window[key] = []; } }; });
+! https://forum.adguard.com/index.php?threads/11545/
+ndtv.com#%#AG_onLoad(function() { if (window.location.href.indexOf("hpinterstitial.aspx") != -1) { window.setCookie1('sitecapture_interstitial', 1, 1); window.location.href = "http://www.ndtv.com/"; } });
+! nypost.com
+nypost.com#%#window.checkState = function() {};
+! https://forum.adguard.com/index.php?threads/10683/
+videomega.tv#%#if (typeof localStorage != 'undefined' && localStorage.setItem) { localStorage.setItem('ppu_main_none', 1 + (1 ? "; expires=" + (new Date((new Date()).getTime() )).toUTCString() : "")); }
+! https://github.com/AdguardTeam/AdguardFilters/issues/2345
+pcmag.com#%#window.checkState = function() {};
+! https://forum.adguard.com/index.php?threads/11171/
+mediafire.com#%#if (typeof localStorage != 'undefined' && localStorage.setItem) { localStorage.setItem('InfNumFastPops', '5'); }
+mediafire.com#%#if (typeof localStorage != 'undefined' && localStorage.setItem) { localStorage.setItem('InfNumFastPopsExpire', new Date(new Date().setYear(2020))); }
+! https://github.com/AdguardTeam/AdguardFilters/issues/2283
+constitution.com#%#var cv = function() {};
+! https://forum.adguard.com/index.php?threads/10684/
+imagetwist.com#%#AG_onLoad(function() { setTimeout(function() {document.cookie="ppu_sub=1"; document.cookie="ppu_main=1";}, 300); });
+! https://forum.adguard.com/index.php?threads/10077/
+keeplinks.eu#%#AG_onLoad(function() { window.p0t = undefined; });
+! https://forum.adguard.com/index.php?threads/9717/
+sportlive.me#%#window.setTimeout=function() {};
+! http://forum.adguard.com/showthread.php?9989
+streamlive.to#%#window.open = function() {};
+! http://forum.adguard.com/showthread.php?8765
+hltv.org#%#AG_onLoad(function() { window.foo = function(){}; });
+! http://forum.adguard.com/showthread.php?9338
+pornxs.com#%#//scriptlet('prevent-addEventListener', 'DOMContentLoaded', 'popunder')
+pornxs.com#%#//scriptlet('prevent-setTimeout', 'window.location.href')
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1642
+play3r.net#%#(function() { var w_open = window.open, regex = /goo.gl/; window.open = function(a, b) { if (typeof a !== 'string' || !regex.test(a)) { w_open(a, b); } }; })();
+! cpmstar ads
+armorgames.com,onrpg.com,mmohuts.com,newgrounds.com#%#//scriptlet('set-constant', 'cpmstar_siteskin_settings', 'emptyObj')
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1607
+! spectrum.ieee.org - disable splash screen
+spectrum.ieee.org#%#//scriptlet("set-constant", "splashpage", "undefined")
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1416
+! clickable background
+thinkcomputers.org#%#window.myatu_bgm = 0;
+! http://forum.adguard.com/showthread.php?8685
+fastpik.net#%#window.open = function() {};
+! datafilehost.com - disable loader
+datafilehost.com#%#AG_onLoad(function() { setTimeout(function() { document.cbf.cb.checked = false; }, 1000); });
+! sendspace.com - clickunder
+sendspace.com#%#AG_onLoad(function() { window.runad = function() {} });
+! your-pictures.net - remove redirect by click
+your-pictures.net#%#window.open = function() {};
+! http://forum.ru-board.com/topic.cgi?forum=5&topic=31105&start=1920
+180upload.com#%#AG_onLoad(function() { $('#use_installer').removeAttr('checked') });
+! http://forum.adguard.com/showthread.php?1805
+sendspace.com#%#window.runad = function() {};
+! filepost.com (fixing popups on low speed download click)
+filepost.com#%#setTimeout(function() { window.show_popup=false; window.download_inited = true; }, 300);
+! ilive.to (found on http://freetvall.com/video/5U2B12R6R878/CNN-USA)
+ilive.to#%#function setOverlayHTML() {};
+ilive.to#%#function setOverlayHTML_new() {};
+ilive.to#%#setTimeout(removeOverlayHTML, 2000);
+! any.gs autoredirect
+any.gs#%#var parts = document.URL.split("/url/"); if (parts.length == 2 && parts[1].indexOf('script') < 0 && /^https?:\/\/[a-z0-9.-_]+\/.*$/.test(parts[1])) { document.location = parts[1]; };
+! thepiratebay and pirateproxy anti-popup
+pirateproxy.in,pirateproxy.be#%#window.open=function() {};
+! Fixing zive.cz video ad
+zive.cz#%#AG_onLoad(function() { window.VIDEO_AD_ENABLED = false; } );
+! pornhub.com -- it does not show popups in opera
+pornhub.com,pornhub.org,pornhub.net#%#window.opera = true;
+! http://forum.adguard.com/showthread.php?3431
+secureupload.eu#%#window.open = function() {};
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/47
+kissanime.com#%#AG_onLoad(function() { window.DoDetect2 = function() {} });
+! clickunder(empty) http://www.imagebam.com/image/fc3dc3397258172
+imagebam.com#%#window.open = function() {};
+! http://forum.adguard.com/showthread.php?4971
+calameo.com#%#AG_onLoad(function() { document.getElementsByTagName('body')[0].className = ''; });
+! zippymoviez.com - clickunder
+zippymoviez.com#%#window.open = function() {};
+! https://forum.adguard.com/index.php?threads/mobilapk-com.27521
+mobilapk.com#%#AG_onLoad(function() { setTimeout(function() {document.getElementsByClassName('post-inner')[0].innerHTML = document.getElementsByClassName('post-inner')[0].innerHTML.replace('Sponsored Ads',''); document.getElementsByClassName('post-inner')[0].innerHTML = document.getElementsByClassName('post-inner')[0].innerHTML.replace('Sponsored Ads',''); }, 300); });
+!
+!-------------------
+!-------CSS---------
+!-------------------
+!
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/183416
+pocketgamer.biz#$##mid-main { margin-top: 0 !important; }
+pocketgamer.biz#$#.additional { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/181965
+euronews.com#$?##o-site-hr__leaderboard-wallpaper.u-show-for-xlarge { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/184328
+! https://github.com/AdguardTeam/AdguardFilters/issues/184317
+! https://github.com/AdguardTeam/AdguardFilters/issues/184338
+! https://github.com/AdguardTeam/AdguardFilters/issues/184337
+! https://github.com/AdguardTeam/AdguardFilters/issues/183441
+! https://github.com/AdguardTeam/AdguardFilters/issues/181590
+worthplaying.com,psu.com,waytoomany.games,operationrainfall.com,cogconnected.com#$?##disqus_recommendations > iframe[src*="://disqus.com/recommendations/"] { width: 100% !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/181961
+! https://github.com/AdguardTeam/AdguardFilters/issues/182285
+! https://github.com/AdguardTeam/AdguardFilters/issues/185199
+gomoviestv.to,9anime.*,swiftload.io,decmelfot.xyz,usgate.xyz#$?#div[style="position: fixed; inset: 0px; z-index: 2147483647; pointer-events: auto;"] { remove: true; }
+gomoviestv.to,9anime.*,swiftload.io,decmelfot.xyz,usgate.xyz#$?#iframe[src="about:blank"] { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/181083
+ew.com#$?#.mm-ads-gpt-adunit { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/180648
+giphy.com#$#.huOLev { top: 0 !important; }
+giphy.com#$#.dGsUCi { top: -70px !important; }
+giphy.com#$#body > div[class*="device"]:has(> div[class*=" "]:only-child > div[class^="htlad-"]:only-child) { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/179962
+smithsonianmag.com#$#body > header[style^="top:"] { top: 0 !important; }
+smithsonianmag.com#$#body > :is(article, .largemasthead)[style^="margin-top:"] { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/179867
+cybernews.com#$#aside[data-e="popupEvent"] { display: none !important; }
+cybernews.com#$#body { overflow: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/179840
+! https://github.com/AdguardTeam/AdguardFilters/issues/179245
+1secmail.com#$#.col1:has(> #leftadbox:only-child) { visibility: hidden !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/179144
+taodung.com#$?#.penci-wrapper-data > li.grid-style:has(> div.penci-inner-infeed-data > ins) { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/178439
+thestudentroom.co.uk#$#img[src*="logo-colour.svg"] { margin-top: 14px !important; }
+thestudentroom.co.uk#$#header.MuiAppBar-positionFixed { position: static !important; }
+thestudentroom.co.uk#$#.custom-8fdcnk { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/178657
+||creative*.simulmedia-apis.com$media,redirect=noopmp4-1s,domain=play.geforcenow.com
+play.geforcenow.com#$?##preStreamContainer { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/176838
+gaamess.dk#$#body .PrerollSplash { opacity: 1 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/175743
+thesprucepets.com#$?#.mm-ads-leaderboard-spacer { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/175615
+formu1a.uno#$#.et_pb_row_1_tb_body { min-height: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/174650
+loudwire.com#$?#.non-menu-content { remove: true; }
+loudwire.com#$#.fixed-full-width #site-menu-wrapper .logo { height: auto !important; top: 0px !important;}
+! https://github.com/AdguardTeam/AdguardFilters/issues/174648
+faroutmagazine.co.uk#$#.header { margin-top: 0px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/173776
+whattoexpect.com#$?#div[id][style="min-height:277px"] { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/171909
+fxstreet.com#$##prestitial-handle { display: none !important; }
+fxstreet.com#$#body { overflow: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/171821
+pastemagazine.com#$##site_navigation > .grid-container > #master-header { margin-top: 0 !important; }
+! https://github.com/uBlockOrigin/uAssets/issues/22175
+qwant.com#$#.result__ext:has([data-testid="adResult"]) { max-height: 1px !important; opacity: 0 !important; pointer-events: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/171385
+gumtree.com#$#div[data-q="tBanner-container"] ~ div[data-q="section-top-and-left-and-middle"] { margin-top: -256px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/170612
+edition.cnn.com#$#.header__wrapper-outer:not([style]) { height: 40px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/170087
+icy-veins.com#$?##video-guide:empty:matches-css(before, content: Advertisement) { visibility: hidden !important; width: 0 !important; }
+! fixed scrolling
+chan.sankakucomplex.com#$#body.no-scroll { overflow: auto !important; position: static !important; width: unset !important; }
+! pervertgirlsvideos.com ad leftover
+pervertgirlsvideos.com#$#.pum-overlay[data-popmake*="ads-pop"] { display: none !important; }
+pervertgirlsvideos.com#$#html.pum-open-overlay { overflow: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/169360
+fapello.com#$#.wbar { display: none !important; }
+fapello.com#$##wrapper { margin-top: 0 !important; }
+fapello.com#$#header { margin-top: 0 !important; }
+! placeholder https://www.bettycrocker.com/recipes/twice-baked-potatoes/70094ef5-645b-4d9f-b6ae-af0d449ef38e
+bettycrocker.com#$#@media (min-width: 1000px) { .adhesiveHeaderAdFixed header { top: 0 !important; } }
+bettycrocker.com#$#.adhesiveAdSpacing { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/168134
+upornia.com#$#.jwplayer > div.afs_ads ~ span[class][style*="flex"] { position: absolute !important; left: -3000px !important; }
+! Instagram ads (on mobile?)
+instagram.com#$?#article:has(a[href^="https://www.facebook.com/ads/"]) { height: 0 !important; overflow: hidden !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/166895
+accountantsdaily.com.au#$#.body-container-active-billboard { padding-top: 0 !important; }
+! bookriot.com - fix top padding
+bookriot.com#$##top_fold[style="display:flex !important;"] { min-height: 0px !important; transition: all 0s ease 0s !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/165588
+cloudpaten.pro#$##load-modal { display: none !important; }
+cloudpaten.pro#$#.modal-backdrop { display: none !important; }
+cloudpaten.pro#$#body { overflow: auto !important; padding-right: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/165284
+pornclassic.tube,tubepornclassic.com#$#.irvdvvi { position: absolute !important; left: -3000px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/165272
+moovitapp.com#$#html[data-ab-hide="true"]:not(#style_important) { opacity: 1 !important; }
+! promodj.com - удаление отступа сверху
+promodj.com#$##topbrandingspot {padding-top:0!important;}
+! https://github.com/AdguardTeam/AdguardFilters/issues/164982
+rap-up.com#$#.header.no-header-top { top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/163862
+oko.sh#$#.banner-inner { display: block; width: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/163588
+mat6tube.com#$#.video_player { height: 600px !important; }
+mat6tube.com#?#.container > div[style]:has(> div[style] > iframe[src*="/banner.go?"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/162756
+lolchess.gg#$##content-menu + div[class^="css-"][class*=" "] { padding-bottom: 0px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/148141
+sportskeeda.com#$#.trending-articles { width: 100% !important; }
+sportskeeda.com#$#.content-holder + div[style] > div[style] { width: 100% !important; }
+sportskeeda.com#$##article-content { width: 100% !important; }
+sportskeeda.com#$#.fragments-container { width: 100% !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/162780
+screenhub.com.au#$#body .ads-slot:not(#style_important) { display: none !important; }
+screenhub.com.au#$#@media (min-width: 768px) { header[class="site-header"] { top: -110px !important; } }
+! https://github.com/AdguardTeam/AdguardFilters/issues/162346
+! Minute Media
+mentalfloss.com,90min.com,fansided.com,90min.de,12thmanrising.com,1428elm.com,8points9seconds.com,acceptthisrose.com,airalamo.com,allcougdup.com,allfortennessee.com,allstokedup.com,allucanheat.com,alongmainstreet.com,amazonadviser.com,animeaway.com,apptrigger.com,aroundthefoghorn.com,aroyalpain.com,arrowheadaddict.com,artofgears.com,askeverest.com,audiophix.com,autzenzoo.com,awaybackgone.com,awinninghabit.com,badgerofhonor.com,balldurham.com,bamahammer.com,bamsmackpow.com,bayernstrikes.com,bealestreetbears.com,beargoggleson.com,beaverbyte.com,behindthebuckpass.com,beyondtheflag.com,bigredlouie.com,birdswatcher.com,blackandteal.com,blackhawkup.com,blackoutdallas.com,bladesofteal.com,bleedinblue.com,bloggingdirty.com,blogoflegends.com,blogredmachine.com,bluelinestation.com,bluemanhoop.com,boltbeat.com,boltsbythebay.com,bosoxinjection.com,broadstreetbuzz.com,buffalowdown.com,bustingbrackets.com,bvbbuzz.com,calltothepen.com,caneswarning.com,cardiaccane.com,catcrave.com,causewaycrowd.com,champagneandshade.com,chopchat.com,chowderandchampions.com,cincyontheprowl.com,claireandjamie.com,claretvillans.com,climbingtalshill.com,clipperholics.com,cubbiescrib.com,culturess.com,dailyddt.com,dailyknicks.com,dairylandexpress.com,dawgpounddaily.com,dawindycity.com,dawnofthedawg.com,dearoldgold.com,deathvalleyvoice.com,detroitjockcity.com,devilsindetail.com,diredota.com,districtondeck.com,dodgersway.com,dogoday.com,dorksideoftheforce.com,dunkingwithwolves.com,ebonybird.com,editorinleaf.com,empirewritesback.com,everythingbarca.com,everythingontap.com,eyesonisles.com,factoryofsadness.co,fantasycpr.com,fightinggobbler.com,flameforthought.com,flywareagle.com,foodsided.com,foreverfortnite.com,fourfourcrew.com,foxesofleicester.com,friarsonbase.com,garnetandcocky.com,gbmwolverine.com,geeksided.com,gigemgazette.com,glorycolorado.com,gmenhq.com,gojoebruin.com,goldengatesports.com,gonepuckwild.com,greenstreethammers.com,guiltyeats.com,hailfloridahail.com,hailwv.com,halohangout.com,hardwoodhoudini.com,hiddenremote.com,hookemheadlines.com,hoopshabit.com,hoosierstateofmind.com,horseshoeheroes.com,hotspurhq.com,houseofhouston.com,housethathankbuilt.com,howlinhockey.com,huskercorner.com,insideibrox.com,insidetheiggles.com,insidetheloudhouse.com,interheron.com,jaysjournal.com,jetswhiteout.com,justblogbaby.com,kardashiandish.com,kckingdom.com,keepingitheel.com,kingjamesgospel.com,kingsofkauffman.com,krakenchronicle.com,lakeshowlife.com,lasportshub.com,lastnighton.com,lawlessrepublic.com,lobandsmash.com,localpov.com,lombardiave.com,mancitysquare.com,marlinmaniac.com,maroonandwhitenation.com,milehighsticking.com,mlsmultiplex.com,motorcitybengals.com,musketfire.com,netflixlife.com,newcastletoons.com,nflmocks.com,nflspinzone.com,ninernoise.com,nolanwritin.com,northbankrsl.com,nothinbutnets.com,nugglove.com,octopusthrower.com,oilonwhyte.com,oldjuve.com,olehottytoddy.com,onechicagocenter.com,orangeintheoven.com,orlandomagicdaily.com,otowns11.com,paininthearsenal.com,pelicandebrief.com,penslabyrinth.com,phinphanatic.com,pippenainteasy.com,pistonpowered.com,playingfor90.com,pokespost.com,precincttv.com,predlines.com,predominantlyorange.com,princerupertstower.com,progolfnow.com,psgpost.com,puckettspond.com,puckprose.com,pucksandpitchforks.com,pucksofafeather.com,raisingzona.com,ramblinfan.com,ranchesandreins.com,raptorsrapture.com,rayscoloredglasses.com,razorbackers.com,redbirdrants.com,reddevilarmada.com,redshirtsalwaysdie.com,reignoftroy.com,releasetheknappen.com,reportingkc.com,reviewingthebrew.com,rhymejunkie.com,riggosrag.com,rinkroyalty.com,ripcityproject.com,risingapple.com,roxpile.com,rubbingtherock.com,rumbunter.com,rushthekop.com,sabrenoise.com,saintsmarching.com,saturdayblitz.com,scarletandgame.com,section215.com,senshot.com,showsnob.com,sidelionreport.com,sircharlesincharge.com,skyscraperblues.com,slapthesign.com,soaringdownsouth.com,sodomojo.com,soundersnation.com,southboundanddown.com,southsideshowdown.com,spacecityscoop.com,spartanavenue.com,sportdfw.com,stairwayto11.com,starsandsticks.com,stillcurtain.com,stormininnorman.com,stormthepaint.com,stripehype.com,survivingtribal.com,swarmandsting.com,teaandbanter.com,tenntruth.com,terrapinstationmd.com,thatballsouttahere.com,thecanuckway.com,thecelticbhoys.com,thehuskyhaul.com,thejetpress.com,thejnotes.com,thelandryhat.com,theparentwatch.com,thepewterplank.com,theprideoflondon.com,therattrick.com,therealchamps.com,thesixersense.com,thesmokingcuban.com,thetimberlean.com,thetopflight.com,theviewfromavalon.com,thevikingage.com,throughthephog.com,thunderousintentions.com,tipofthetower.com,titansized.com,torontoreds.com,torotimes.com,tripsided.com,trumanstales.com,undeadwalking.com,underthelaces.com,unionandblue.com,valleyofthesuns.com,vegashockeyknight.com,venomstrikes.com,victorybellrings.com,vivaligamx.com,whitecleatbeat.com,whodatdish.com,wildcatbluenation.com,winteriscoming.net,withthefirstpick.com,wizofawes.com,wreckemred.com,writingillini.com,dbltap.com,fansidedmma.com,poppicante.com,yanksgoyard.com,yellowjackedup.com,zonazealots.com#$##primary-sidebar { height: calc(100%) !important; }
+mentalfloss.com,90min.com,fansided.com,90min.de,12thmanrising.com,1428elm.com,8points9seconds.com,acceptthisrose.com,airalamo.com,allcougdup.com,allfortennessee.com,allstokedup.com,allucanheat.com,alongmainstreet.com,amazonadviser.com,animeaway.com,apptrigger.com,aroundthefoghorn.com,aroyalpain.com,arrowheadaddict.com,artofgears.com,askeverest.com,audiophix.com,autzenzoo.com,awaybackgone.com,awinninghabit.com,badgerofhonor.com,balldurham.com,bamahammer.com,bamsmackpow.com,bayernstrikes.com,bealestreetbears.com,beargoggleson.com,beaverbyte.com,behindthebuckpass.com,beyondtheflag.com,bigredlouie.com,birdswatcher.com,blackandteal.com,blackhawkup.com,blackoutdallas.com,bladesofteal.com,bleedinblue.com,bloggingdirty.com,blogoflegends.com,blogredmachine.com,bluelinestation.com,bluemanhoop.com,boltbeat.com,boltsbythebay.com,bosoxinjection.com,broadstreetbuzz.com,buffalowdown.com,bustingbrackets.com,bvbbuzz.com,calltothepen.com,caneswarning.com,cardiaccane.com,catcrave.com,causewaycrowd.com,champagneandshade.com,chopchat.com,chowderandchampions.com,cincyontheprowl.com,claireandjamie.com,claretvillans.com,climbingtalshill.com,clipperholics.com,cubbiescrib.com,culturess.com,dailyddt.com,dailyknicks.com,dairylandexpress.com,dawgpounddaily.com,dawindycity.com,dawnofthedawg.com,dearoldgold.com,deathvalleyvoice.com,detroitjockcity.com,devilsindetail.com,diredota.com,districtondeck.com,dodgersway.com,dogoday.com,dorksideoftheforce.com,dunkingwithwolves.com,ebonybird.com,editorinleaf.com,empirewritesback.com,everythingbarca.com,everythingontap.com,eyesonisles.com,factoryofsadness.co,fantasycpr.com,fightinggobbler.com,flameforthought.com,flywareagle.com,foodsided.com,foreverfortnite.com,fourfourcrew.com,foxesofleicester.com,friarsonbase.com,garnetandcocky.com,gbmwolverine.com,geeksided.com,gigemgazette.com,glorycolorado.com,gmenhq.com,gojoebruin.com,goldengatesports.com,gonepuckwild.com,greenstreethammers.com,guiltyeats.com,hailfloridahail.com,hailwv.com,halohangout.com,hardwoodhoudini.com,hiddenremote.com,hookemheadlines.com,hoopshabit.com,hoosierstateofmind.com,horseshoeheroes.com,hotspurhq.com,houseofhouston.com,housethathankbuilt.com,howlinhockey.com,huskercorner.com,insideibrox.com,insidetheiggles.com,insidetheloudhouse.com,interheron.com,jaysjournal.com,jetswhiteout.com,justblogbaby.com,kardashiandish.com,kckingdom.com,keepingitheel.com,kingjamesgospel.com,kingsofkauffman.com,krakenchronicle.com,lakeshowlife.com,lasportshub.com,lastnighton.com,lawlessrepublic.com,lobandsmash.com,localpov.com,lombardiave.com,mancitysquare.com,marlinmaniac.com,maroonandwhitenation.com,milehighsticking.com,mlsmultiplex.com,motorcitybengals.com,musketfire.com,netflixlife.com,newcastletoons.com,nflmocks.com,nflspinzone.com,ninernoise.com,nolanwritin.com,northbankrsl.com,nothinbutnets.com,nugglove.com,octopusthrower.com,oilonwhyte.com,oldjuve.com,olehottytoddy.com,onechicagocenter.com,orangeintheoven.com,orlandomagicdaily.com,otowns11.com,paininthearsenal.com,pelicandebrief.com,penslabyrinth.com,phinphanatic.com,pippenainteasy.com,pistonpowered.com,playingfor90.com,pokespost.com,precincttv.com,predlines.com,predominantlyorange.com,princerupertstower.com,progolfnow.com,psgpost.com,puckettspond.com,puckprose.com,pucksandpitchforks.com,pucksofafeather.com,raisingzona.com,ramblinfan.com,ranchesandreins.com,raptorsrapture.com,rayscoloredglasses.com,razorbackers.com,redbirdrants.com,reddevilarmada.com,redshirtsalwaysdie.com,reignoftroy.com,releasetheknappen.com,reportingkc.com,reviewingthebrew.com,rhymejunkie.com,riggosrag.com,rinkroyalty.com,ripcityproject.com,risingapple.com,roxpile.com,rubbingtherock.com,rumbunter.com,rushthekop.com,sabrenoise.com,saintsmarching.com,saturdayblitz.com,scarletandgame.com,section215.com,senshot.com,showsnob.com,sidelionreport.com,sircharlesincharge.com,skyscraperblues.com,slapthesign.com,soaringdownsouth.com,sodomojo.com,soundersnation.com,southboundanddown.com,southsideshowdown.com,spacecityscoop.com,spartanavenue.com,sportdfw.com,stairwayto11.com,starsandsticks.com,stillcurtain.com,stormininnorman.com,stormthepaint.com,stripehype.com,survivingtribal.com,swarmandsting.com,teaandbanter.com,tenntruth.com,terrapinstationmd.com,thatballsouttahere.com,thecanuckway.com,thecelticbhoys.com,thehuskyhaul.com,thejetpress.com,thejnotes.com,thelandryhat.com,theparentwatch.com,thepewterplank.com,theprideoflondon.com,therattrick.com,therealchamps.com,thesixersense.com,thesmokingcuban.com,thetimberlean.com,thetopflight.com,theviewfromavalon.com,thevikingage.com,throughthephog.com,thunderousintentions.com,tipofthetower.com,titansized.com,torontoreds.com,torotimes.com,tripsided.com,trumanstales.com,undeadwalking.com,underthelaces.com,unionandblue.com,valleyofthesuns.com,vegashockeyknight.com,venomstrikes.com,victorybellrings.com,vivaligamx.com,whitecleatbeat.com,whodatdish.com,wildcatbluenation.com,winteriscoming.net,withthefirstpick.com,wizofawes.com,wreckemred.com,writingillini.com,dbltap.com,fansidedmma.com,poppicante.com,yanksgoyard.com,yellowjackedup.com,zonazealots.com#$##sidebars { height: calc(100%) !important; }
+mentalfloss.com,90min.com,fansided.com,90min.de,12thmanrising.com,1428elm.com,8points9seconds.com,acceptthisrose.com,airalamo.com,allcougdup.com,allfortennessee.com,allstokedup.com,allucanheat.com,alongmainstreet.com,amazonadviser.com,animeaway.com,apptrigger.com,aroundthefoghorn.com,aroyalpain.com,arrowheadaddict.com,artofgears.com,askeverest.com,audiophix.com,autzenzoo.com,awaybackgone.com,awinninghabit.com,badgerofhonor.com,balldurham.com,bamahammer.com,bamsmackpow.com,bayernstrikes.com,bealestreetbears.com,beargoggleson.com,beaverbyte.com,behindthebuckpass.com,beyondtheflag.com,bigredlouie.com,birdswatcher.com,blackandteal.com,blackhawkup.com,blackoutdallas.com,bladesofteal.com,bleedinblue.com,bloggingdirty.com,blogoflegends.com,blogredmachine.com,bluelinestation.com,bluemanhoop.com,boltbeat.com,boltsbythebay.com,bosoxinjection.com,broadstreetbuzz.com,buffalowdown.com,bustingbrackets.com,bvbbuzz.com,calltothepen.com,caneswarning.com,cardiaccane.com,catcrave.com,causewaycrowd.com,champagneandshade.com,chopchat.com,chowderandchampions.com,cincyontheprowl.com,claireandjamie.com,claretvillans.com,climbingtalshill.com,clipperholics.com,cubbiescrib.com,culturess.com,dailyddt.com,dailyknicks.com,dairylandexpress.com,dawgpounddaily.com,dawindycity.com,dawnofthedawg.com,dearoldgold.com,deathvalleyvoice.com,detroitjockcity.com,devilsindetail.com,diredota.com,districtondeck.com,dodgersway.com,dogoday.com,dorksideoftheforce.com,dunkingwithwolves.com,ebonybird.com,editorinleaf.com,empirewritesback.com,everythingbarca.com,everythingontap.com,eyesonisles.com,factoryofsadness.co,fantasycpr.com,fightinggobbler.com,flameforthought.com,flywareagle.com,foodsided.com,foreverfortnite.com,fourfourcrew.com,foxesofleicester.com,friarsonbase.com,garnetandcocky.com,gbmwolverine.com,geeksided.com,gigemgazette.com,glorycolorado.com,gmenhq.com,gojoebruin.com,goldengatesports.com,gonepuckwild.com,greenstreethammers.com,guiltyeats.com,hailfloridahail.com,hailwv.com,halohangout.com,hardwoodhoudini.com,hiddenremote.com,hookemheadlines.com,hoopshabit.com,hoosierstateofmind.com,horseshoeheroes.com,hotspurhq.com,houseofhouston.com,housethathankbuilt.com,howlinhockey.com,huskercorner.com,insideibrox.com,insidetheiggles.com,insidetheloudhouse.com,interheron.com,jaysjournal.com,jetswhiteout.com,justblogbaby.com,kardashiandish.com,kckingdom.com,keepingitheel.com,kingjamesgospel.com,kingsofkauffman.com,krakenchronicle.com,lakeshowlife.com,lasportshub.com,lastnighton.com,lawlessrepublic.com,lobandsmash.com,localpov.com,lombardiave.com,mancitysquare.com,marlinmaniac.com,maroonandwhitenation.com,milehighsticking.com,mlsmultiplex.com,motorcitybengals.com,musketfire.com,netflixlife.com,newcastletoons.com,nflmocks.com,nflspinzone.com,ninernoise.com,nolanwritin.com,northbankrsl.com,nothinbutnets.com,nugglove.com,octopusthrower.com,oilonwhyte.com,oldjuve.com,olehottytoddy.com,onechicagocenter.com,orangeintheoven.com,orlandomagicdaily.com,otowns11.com,paininthearsenal.com,pelicandebrief.com,penslabyrinth.com,phinphanatic.com,pippenainteasy.com,pistonpowered.com,playingfor90.com,pokespost.com,precincttv.com,predlines.com,predominantlyorange.com,princerupertstower.com,progolfnow.com,psgpost.com,puckettspond.com,puckprose.com,pucksandpitchforks.com,pucksofafeather.com,raisingzona.com,ramblinfan.com,ranchesandreins.com,raptorsrapture.com,rayscoloredglasses.com,razorbackers.com,redbirdrants.com,reddevilarmada.com,redshirtsalwaysdie.com,reignoftroy.com,releasetheknappen.com,reportingkc.com,reviewingthebrew.com,rhymejunkie.com,riggosrag.com,rinkroyalty.com,ripcityproject.com,risingapple.com,roxpile.com,rubbingtherock.com,rumbunter.com,rushthekop.com,sabrenoise.com,saintsmarching.com,saturdayblitz.com,scarletandgame.com,section215.com,senshot.com,showsnob.com,sidelionreport.com,sircharlesincharge.com,skyscraperblues.com,slapthesign.com,soaringdownsouth.com,sodomojo.com,soundersnation.com,southboundanddown.com,southsideshowdown.com,spacecityscoop.com,spartanavenue.com,sportdfw.com,stairwayto11.com,starsandsticks.com,stillcurtain.com,stormininnorman.com,stormthepaint.com,stripehype.com,survivingtribal.com,swarmandsting.com,teaandbanter.com,tenntruth.com,terrapinstationmd.com,thatballsouttahere.com,thecanuckway.com,thecelticbhoys.com,thehuskyhaul.com,thejetpress.com,thejnotes.com,thelandryhat.com,theparentwatch.com,thepewterplank.com,theprideoflondon.com,therattrick.com,therealchamps.com,thesixersense.com,thesmokingcuban.com,thetimberlean.com,thetopflight.com,theviewfromavalon.com,thevikingage.com,throughthephog.com,thunderousintentions.com,tipofthetower.com,titansized.com,torontoreds.com,torotimes.com,tripsided.com,trumanstales.com,undeadwalking.com,underthelaces.com,unionandblue.com,valleyofthesuns.com,vegashockeyknight.com,venomstrikes.com,victorybellrings.com,vivaligamx.com,whitecleatbeat.com,whodatdish.com,wildcatbluenation.com,winteriscoming.net,withthefirstpick.com,wizofawes.com,wreckemred.com,writingillini.com,dbltap.com,fansidedmma.com,poppicante.com,yanksgoyard.com,yellowjackedup.com,zonazealots.com#$##main { min-height: calc(100%) !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/161962
+fortune.com#$##header-wrapper-id { top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/161405
+! Metroland Media Group
+thestar.com,thespec.com,therecord.com,thepeterboroughexaminer.com,stcatharinesstandard.ca,niagarafallsreview.ca,wellandtribune.ca,bramptonguardian.com,caledonenterprise.com,cambridgetimes.ca,durhamregion.com,flamboroughreview.com,guelphmercury.com,hamiltonnews.com,insidehalton.com,insideottawavalley.com,mississauga.com,muskokaregion.com,mykawartha.com,newhamburgindependent.ca,niagarathisweek.com,northbaynipissing.com,northumberlandnews.com,orangeville.com,ourwindsor.ca,parrysound.com,sachem.ca,simcoe.com,theifp.ca,toronto.com,waterloochronicle.ca,yorkregion.com,legacy.com,edition.pagesuite-professional.co.uk,hub.metroland.com#$#div[id="site-top-nav-container"][style="padding-top: 144px;"] { padding-top: 0 !important; }
+thestar.com,thespec.com,therecord.com,thepeterboroughexaminer.com,stcatharinesstandard.ca,niagarafallsreview.ca,wellandtribune.ca,bramptonguardian.com,caledonenterprise.com,cambridgetimes.ca,durhamregion.com,flamboroughreview.com,guelphmercury.com,hamiltonnews.com,insidehalton.com,insideottawavalley.com,mississauga.com,muskokaregion.com,mykawartha.com,newhamburgindependent.ca,niagarathisweek.com,northbaynipissing.com,northumberlandnews.com,orangeville.com,ourwindsor.ca,parrysound.com,sachem.ca,simcoe.com,theifp.ca,toronto.com,waterloochronicle.ca,yorkregion.com,legacy.com,edition.pagesuite-professional.co.uk,hub.metroland.com#$#div[id="site-navbar-container"][style="padding-top: 144px;"] { padding-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/160955
+skiddle.com#$#html.async-hide { opacity: 1 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/163646
+! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-6912053
+antonimos.de,quesignifi.ca#$##checkclick { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/160970
+!+ NOT_OPTIMIZED
+theportugalnews.com#$#.popup-banner-ctnr { display: none !important; }
+!+ NOT_OPTIMIZED
+theportugalnews.com#$#.modal-backdrop { display: none !important; }
+!+ NOT_OPTIMIZED
+theportugalnews.com#$#body { overflow: auto !important; padding-right: 0 !important;}
+! https://github.com/AdguardTeam/AdguardFilters/issues/160419
+freshnewsasia.com#$#.ifancybox-overlay { display: none !important; }
+freshnewsasia.com#$?#html[class] { overflow: auto !important; margin-right: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/159857
+androidacy.com#$#body > div.site { height: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/159704
+greatondeck.net#$#div[data-elementor-type="wp-page"] > section[data-element_type="section"]:not([data-settings]):first-child { margin-top: 0px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/159611
+chromeactions.com#$#body { margin-top: 0px !important; }
+chromeactions.com#$#body > div { margin-top: 0px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/159325
+core77.com#$#body > div.extra_padd_me { padding-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/159355
+short2url.xyz#$#form[id] { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/159069
+gmx.com#$#html.can-have-sky .page-body > .section-content { margin-right: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/158274
+rome2rio.com#$#section.section--columns { margin-top: 50px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/158745
+sportstiger.com#$#body.open_pop { overflow: auto !important; }
+sportstiger.com#$#.fullads_banner { display: none !important; }
+! searchengineland.com
+searchengineland.com#$#div[id^="div-gpt-ad"] { position: absolute !important; left: -3000px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/157096
+totalcsgo.com#$#.body-container { background-image: none !important; cursor: auto !important; background-color: #f3f3f3 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/156544
+! https://github.com/AdguardTeam/AdguardFilters/issues/115709
+! "padding-top: 0 !important;" causes that part of the content is hidden on iPad
+ign.com#$#.zad.billboard { min-height: 1px !important; }
+ign.com#$#.zad.top { min-height: 1px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/136636
+theporndude.com#$#body::before { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/156632
+adsy.pw,playstore.pw#$##targetdiv { display: block !important; }
+adsy.pw,playstore.pw#$##containerr { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/156310
+hometheaterreview.com#$#@media (max-width: 991px) { body .ct-new-columns > .ct-div-block:last-child:not(#style_important) { height: auto !important; } }
+! https://github.com/AdguardTeam/AdguardFilters/issues/157163
+fieldandstream.com#$#footer { margin-bottom: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/156673
+popphoto.com#$#footer { margin-bottom: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/156373
+popsci.com#$#footer { margin-bottom: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/156020
+planetf1.com#$#div[data-widget-id="ps-footer"][style*="padding-bottom:"] { padding-bottom: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/155865
+in.mashable.com#$#.slide-container:has(> div.slide-wrapper div.zad) { display: none !important; }
+in.mashable.com#$?#.additional-info > div.additional-container:has(> p:contains(Advertisement)) { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/155844
+! https://github.com/AdguardTeam/AdguardFilters/issues/155842
+videocardz.net,videocardz.com#$#html > body { padding-bottom: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/154900
+olyrix.com#$#.skin-takeover-container { top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/154882
+snapinsta.app#$##adOverlay { display: none !important; }
+snapinsta.app#$#body[class] { overflow: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/171736
+theaviationist.com#$#html > body { padding-bottom: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/170315
+! https://github.com/AdguardTeam/AdguardFilters/issues/154253
+!+ NOT_OPTIMIZED
+securityweek.com#$#html { overflow: auto !important; }
+!+ NOT_OPTIMIZED
+securityweek.com#$#.pum-overlay[data-popmake*="welcome-popup-ad"] { display: none !important; }
+! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-6110748
+mdn.lol#$#.modal { display: none !important; }
+mdn.lol#$#.modal-backdrop { display: none !important; }
+mdn.lol#$#.modal-open { overflow: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/152683
+onlinewebfonts.com#$#.homeads { margin-top: 10px !important; }
+onlinewebfonts.com#$#@media (max-width: 1045px) { .homeads { display: none !important; } }
+! https://github.com/AdguardTeam/AdguardFilters/issues/152451
+apnews.com#$#.LeadFeature { min-height: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/151971
+cinejosh.com#$##mymodal { display: none !important; }
+cinejosh.com#$#body { overflow: auto !important; padding-right: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/151320
+foxnews.com,foxweather.com#$#.site-header { min-height: 120px !important; }
+foxweather.com#$#.sticky-pre-content { display: none !important; }
+foxnews.com#$#.sticky-pre-header { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/151224
+animenewsnetwork.com#$##page > div.side { visibility: hidden !important; }
+animenewsnetwork.com#$##canvas > div.top { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/151216
+fileproinfo.com#$##dvtopad { display: none !important; }
+fileproinfo.com#$##main { margin-top: 100px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/151017
+ygoprodeck.com#$##header-adlayout { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/150642
+newslive.com#$#.pum-overlay[data-popmake*="cookies"] { display: none !important; }
+newslive.com#$#html.pum-open-overlay { overflow: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/149679
+javbibi.com#$#.main-content-inner .col-md-8 { width: 100% !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/149461
+mirchi9.com#$#body { overflow: auto !important; }
+mirchi9.com#$#.m9-ad-modal { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/148942
+inspire.com#$##unav-desktop-header { top: 0px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/148767
+thefastcode.com#$#div[id^="placeholder_"] { display: none !important; }
+thefastcode.com#$#body { margin-top: 0 !important; margin-bottom: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/147677
+thewrap.com#$##header-widgets { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/146352
+gotofap.tk#$#.border { background: none !important; }
+! placeholder
+glosbe.com#$#@media (min-width: 1280px) { .dictionary-grid { grid-template-columns: minmax(180px,250px) minmax(400px,736px) 0 !important; grid-template-rows: 0 auto !important; } }
+glosbe.com#$#@media (min-width: 1024px) { .dictionary-grid { grid-template-columns: minmax(180px,200px) minmax(400px,736px) 0 !important; grid-template-rows: 0 auto !important; } }
+glosbe.com#$#@media (min-width: 768px) { .dictionary-grid { grid-template-rows: 0 auto !important; } }
+! https://github.com/AdguardTeam/AdguardFilters/issues/145223
+soccerstreams2.com#$#.content-area#primary { width: 100% !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/143619
+efukt.com#$#.efi_container { display: none !important; }
+efukt.com#$#.efi_enabled { overflow: auto !important; height: auto !important; width: auto !important; position: static !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/143452
+bitchesgirls.com#$#.item { height: auto !important; }
+bitchesgirls.com#$#.item > .post { height: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/143493
+yoho.games#$##game_url { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/140838
+retailturkiye.com#$##mvp-leader-wrap { display: none !important; }
+retailturkiye.com#$##mvp-site-main { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/140139
+desiporn.tube#$#.itkykki { position: absolute !important; left: -9999px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/139756
+pornpoppy.com#$##parrot { display: none !important; }
+pornpoppy.com#$##embed-overlay { display: none !important; }
+pornpoppy.com#$##embed { margin-top: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/139238
+wunderground.com#$#@media (min-width: 1024px) { body .content-wrap #inner-wrap { height: calc(100vh - 53px) !important; } }
+! https://github.com/AdguardTeam/AdguardFilters/issues/138461
+youpornzz.com#$#.preroll_skip_countdown { display: none !important; }
+youpornzz.com#$##preroll_skip_btn { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/137600
+eatwell101.com#$##custom-menu[style*="top:"] { top: 0 !important; }
+eatwell101.com#$##content_area[style*="top:"] { top: 60px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/137249
+spankbang.com#$#div[id^="interstitial_div_"] { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/136741
+lyricstranslate.com#$##content-inner > #content-top { min-height: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/136235
+news.zerkalo.io#$#.outer .content { padding-top: 0px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/136111
+tvtv.ca,tvtv.us#$#.gridRowPad { margin-top: 0 !important; }
+tvtv.ca,tvtv.us#$#.channels > div[class^="MuiBox-root"][class*="css"] { display: none !important; }
+tvtv.ca,tvtv.us#$#.css-uc3mu7 { margin-top: 0 !important; height: 2400px !important; }
+tvtv.ca,tvtv.us#$#.css-1352p5e { height: 2400px !important; }
+tvtv.ca,tvtv.us#$#.css-1s6rfoz { height: 2400px !important; }
+tvtv.ca,tvtv.us#$#.css-1wm768n { height: 1560px !important; }
+! mobile
+tvtv.ca,tvtv.us#$#.css-1wrjilj { margin-top: 0 !important; height: 2400px !important; }
+tvtv.ca,tvtv.us#$#.css-laxwha { height: 2400px !important; }
+tvtv.ca,tvtv.us#$#.css-3vwr5v { height: 2400px !important; }
+tvtv.ca,tvtv.us#$#.css-1j9nufa { height: 1560px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/135854
+swiggy.com#$#.MZy1T { justify-content: normal !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/135971
+myhentaicomics.com#$#.header-container > div.header-top + div.header-bottom { height: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/135240
+onlyporn.tube,pornhits.com#$#.xplepele { position: absolute !important; left: -3000px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/134960
+xxxporn.me#$#.kPYsnxpplayer-promo-col { visibility: hidden !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/135036
+h-flash.com#$#.nav + a[target="_blank"] { display: none !important; }
+h-flash.com#$#.pagehead { height: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/134599
+slideshare.net#$#.ad-notification { display: none!important; }
+slideshare.net#$#.slide-index { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/133519#issuecomment-1302628377
+!+ PLATFORM(ext_chromium, ext_ff, ext_edge, ext_opera)
+pagesix.com#$#body.header-recirc-bar-enabled { margin-top: 50px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/132166
+questaseratv.it#$#.channelBoxAds { height: 0 !important; }
+questaseratv.it#$#.gptslot { height: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/131858
+animenewsnetwork.com#$#body { background-image: none !important; background-color: unset !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/131645
+ff14angler.com#$##main > ins.adsbygoogle { position: absolute !important; left: -4000px !important; }
+ff14angler.com#$#.side_banner { position: absolute !important; left: -4000px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/131357
+affplus.com#$#@media (min-width: 1024px) { .main { top: 0 !important; } }
+! https://github.com/easylist/easylist/commit/bb94bacdb7765b503a4d22c8e9e4b096cff25e7b#commitcomment-85496285
+theblock.co#$#.modal-container[ga-event-label$="Prime Trust_Modal"] { display: none !important; }
+theblock.co#$#.overflow-hidden { overflow: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/130750
+blackedraw.com,blacked.com#$#header { top: 0px !important; }
+blackedraw.com,blacked.com#$#div[class^="TopBanner__"] { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/130467
+hatauzmani.com#$#body { overflow: auto !important; padding-right: 0 !important; }
+hatauzmani.com#$#.modal-newsletter { display: none !important; }
+hatauzmani.com#$#.modal-newsletter ~ div.modal-backdrop { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/130273
+theatlantic.com#$#body { overflow: auto !important; }
+! copypastecharacter.com - empty space
+copypastecharacter.com#$##sets_wrapper { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/129650
+hdzog.com#$#.xkggggx { position: absolute !important; left: -3000px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/129515
+bigtitslust.com,lesbian8.com#$##int-over { display: none !important; }
+bigtitslust.com,lesbian8.com#$#body.int-body-fixed { overflow: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/129185
+javuncensored.watch#$#.adstrick > .video-item { clear: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/128948
+flyertalk.com#$#.page > .sticky-container > #main-content[style*="calc"] { width: 100% !important; }
+flyertalk.com#$#.page > .sticky-container > #main-content[style*="calc"] + #right-rail { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/pull/128485
+cjr.org#$#html { overflow: auto !important; }
+cjr.org#$##interContainer { display: none !important; }
+cjr.org#$##interVeil { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/128039
+yourdictionary.com#$#.advertising-container ~ header.header { top: 0 !important; }
+yourdictionary.com#$#body .advertising-container:not(#style_important) { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/127663
+armidaleexpress.com.au#$#.top-0.sticky { top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/127534
+alrincon.com#$#body { background: none !important; }
+alrincon.com#$##principal {margin-top: 0px !important;}
+! popculture.com - hiding ad left-over
+popculture.com#$#.topnav { top: 0px !important; }
+popculture.com#$#body.pcm-public:not(.skybox-loaded) { margin-top: 110px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/127620
+instant-monitor.com#$#body { background: none !important; }
+instant-monitor.com#$#div.container.body-content { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/127561
+!+ NOT_PLATFORM(ios, android)
+4tube.com#$##listingFirstRow { width: 100%!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/127517
+thequint.com#$#.content { margin-top: 160px!important; }
+! https://www.wsj.com/articles/becky-hammon-las-vegas-aces-wnba-11660309231 placeholder
+wsj.com#$#.wsj-16h9qyj-Box { min-height: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/126835
+petri.com#$#body { overflow: auto !important; }
+petri.com#$#body #bww-advertising-popup-overlay { display: none !important; }
+! quora.com - fix page scrolling
+quora.com#$#body { overflow: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/126103
+thestudentroom.co.uk#$#.panel-main > #topFixedAd ~ #header { top: 0 !important; }
+thestudentroom.co.uk#$#.panel-main > #topFixedAd ~ #navigationMenu { top: 55px !important; }
+thestudentroom.co.uk#$#.panel-main > #topFixedAd ~ #content { padding-top: 110px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/125360
+boxingscene.com#$#.header { top: 0 !important; }
+boxingscene.com#$##fixed-ad { display: none !important; }
+! https://github.com/uBlockOrigin/uAssets/issues/14141
+novelgames.com#$##gameEtTopRight.commonEt { height: 0 !important; }
+novelgames.com#$##gamelistCategories { margin-bottom: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/124348
+claim.fun#$#input[type="submit"][style*="none"][id] { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/124274
+mozo.com.au#$#.b-header-promotion { display: none !important; }
+mozo.com.au#$#.b-sub-nav { top: 64px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/123687
+imgur.com#$#.RewardVideo { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/122741
+manageditmag.co.uk#$#body { background: none !important; }
+manageditmag.co.uk#$#body { cursor: default !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/121905
+appleinsider.com#$#.ad-wrap { min-height: 50px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/120787
+exchange4media.com#$##myModal.desktopadd { display: none !important; }
+exchange4media.com#$#body { overflow: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/121630
+megadrive-emulator.com#$#.adv { display: none !important; }
+megadrive-emulator.com#$#.gameplay { filter: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/119622
+dailyadvertiser.com.au,newcastleherald.com.au#$#.md\:inline > .fixed.sticky { top: 0 !important; }
+dailyadvertiser.com.au,newcastleherald.com.au#$#.md\:inline > .invisible { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/116391
+imgtaxi.com#$##image_details { margin-top: 30px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/113429
+moddingzone.in#$#.wpsafe-top { margin-top: 100px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/110928
+fileproinfo.com#$##main { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/112831
+techhelpbd.com#$#html { overflow: auto !important; }
+techhelpbd.com#$#.pum-overlay[data-popmake*="advertisement"] { display: none !important; }
+techhelpbd.com#$#html.pum-open.pum-open-overlay.pum-open-scrollable body > [aria-hidden] { padding-right: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/111179
+stackhowto.com#$#.adsbygoogle { position: absolute !important; left: -3000px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/107778
+tr.investing.com#$#.billboard_top_page_wrapper { padding-top: 120px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/108372
+tamilmv.nocensor.*#$#html { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/107184
+fex.net#$#.fs-table__row { position: unset !important; }
+fex.net#$#.fs-table__row[style^="height: 162px;"] { height: auto !important; }
+fex.net#$#.ReactVirtualized__Grid__innerScrollContainer { height: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/110352
+unilad.com,unilad.co.uk#$#div[class$="-ArticleBodyContainer"] { min-height: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/110182
+ulozto.net#$#.l-wrapper { padding-top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/106020
+forbes.com#$#.main-content--body { padding-top: unset !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/109775
+tiger-algebra.com#$#body { padding-bottom: 100px; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/104687
+quizdeveloper.com#$##main > div[class="full-width float-left mh-335"] { min-height: 50px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/104676
+firstpost.com#$#p[class^="story_para_"] > a[target="_blank"] { color: unset !important; cursor: default !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/104743
+farminguk.com#$#.advert-word { position: absolute !important; left: -3000px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/102637
+metacritic.com#$#.title_bump > .ad_unit + .browse_list_wrapper { border-top: none !important; padding-top: 0 !important; }
+metacritic.com#$#.title_bump > .ad_unit + .browse_list_wrapper + div[style="padding-bottom: 30px; display: none !important;"] + .browse_list_wrapper { border-top: none !important; padding-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/53366 top placeholder
+l2db.info#$##wrapper-content { margin-top: 0!important; }
+! https://github.com/FastForwardTeam/FastForward/issues/207
+defaultfreeshort.in#$##myDIV { display: block!important; }
+defaultfreeshort.in#$#.banner-inner { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/100125
+libertycity.net,libertycity.ru#$#.downloada { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/98823
+thethaiger.com#$#html { overflow: auto !important; }
+thethaiger.com#$#.pum-overlay[data-popmake*="-popup-ad-"] { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/98558
+karaoke-lyrics.net#$##ad_leader { min-height: 50px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/98518
+servers.fivem.net#$#body servers-container > .servers > article:not(#style_important) { height: 85vh !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/98000
+skymetweather.com#$##articleinnercontainer { min-height: 1200px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/97167
+speechnotes.co#$##app_container[style^="right:"] { right: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/96271
+filmibeat.com#$#.filmi-header-ad { margin-top: 60px !important; }
+filmibeat.com#$#.sixtysec-rightblock { margin-bottom: 30px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/95277
+games-guides.com#$#.adTopboard { min-height: 0 !important; }
+games-guides.com#$#.adTopboard > * { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/94109
+techonthenet.com#$#body.header_f { margin-top : 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/94364
+games4king.com#$##ava-game_container #wrapped-content { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/94104
+ncalculators.com#$#.ncad-lr { height: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/93860
+coolztricks.com#$#.entry-content > div.code-block:first-child { height: 20px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/93700
+send-anywhere.com#$#.receiving-ads { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/93715
+movies.meetdownload.com#$#body { margin-top: -40px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/94162
+javmovieporn.com,xxxmax.net#$#.video-list-content.with-happy .thumb-block { clear: unset !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/94047
+pixlr.com#$##workspace[style*="right:"] { right: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/92733
+thespruce.com#$#div[id^="mntl-leaderboard-"] { min-height: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/93515
+olympics.com#$#.tk-header.headroom[data-adv="true"] { top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/92031
+pockettactics.com#$#body { padding-top: 0 !important; }
+pockettactics.com#$#body header.banner:not(#style_important) { top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/91829
+team-bhp.com#$#.not-front #sidebar-second .billboardSpacer { height: 29px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/91995
+pastemagazine.com#$#.site-navigation { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/91802
+thetrendspotter.net#$##adsense_post_page_header { height: 50px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/91667
+thesprucepets.com#$?#.mntl-leaderboard-spacer { remove: true; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/92247
+rottentomatoes.com#$#nav.header_main_scroll { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/91694
+theloadout.com#$#body > header.banner { top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/90763
+top.gg#$##vote-button-container > div.slider-root { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/89505
+byrdie.com#$#.mntl-leaderboard-spacer { min-height: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/89390
+jamaicaobserver.com#$##bottom_leaderboard { height: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/89245
+medpagetoday.com#$##siteWrapper { padding-top: 0!important; }
+medpagetoday.com#$#.mpt-content-header { padding-top: 50px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/119520
+vegasslotsonline.com#$#.game-box__panel { display: none !important; }
+vegasslotsonline.com#$#.game-frame--fullscreen .game-box__control { height: 100% !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/108597
+pcgamesn.com#$##nn_astro_wrapper { height: 50px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/89020
+pcgamesn.com#$#body header.banner:not(#style_important) { top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/111280
+truetrophies.com,trueachievements.com#$#.nav-gamer.open { top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/88557
+truetrophies.com,trueachievements.com#$#body { padding-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/88726
+3dmodelshare.org#$#.homeadv { width: 0px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/87238#issuecomment-876268525
+egamersworld.com#$#.homeOdds { pointer-events: none !important; }
+egamersworld.com#$#.awayOdds { pointer-events: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/87587
+cheatcc.com#$##body { background-image: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/87242
+banglanews24.com#$#body > div[style^="position: relative;top:"] { top: 0 !important; }
+! rightside placeholder
+gameranbu.jp#$##sub-col-wrap_top280 { padding-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/86781
+instapage.com#$#.navbar { top: 0px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/86119
+codecs.forumotion.net#$#div[style^="height: 90px; position:relative; max-height: 90px; min-width: 728px;"] { position: absolute !important; left: -3000px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/85654
+punchng.com#$#.site-header-placeholder { min-height: 2em !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/84449
+forum.devicebar.com#$##main-outlet { padding-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/86585
+brides.com#$#div[id^="mntl-leaderboard-spacer_"] { min-height: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/86559
+interviewmania.com#$#.container > div[style^="background"] > div[style="min-width: 250px;min-height:250px;"] { min-height: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/84359
+qz.com#$##main { padding-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/83540
+shemalestube.com#$#.cover { background-image: none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/82567
+cryptoslate.com#$#body.scroll #header.top-sticky-display { top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/82937
+mathway.com#$#.mw-static-left > div#container { width: 100% !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/82086
+txxx.tube#$#.jwplayer > div.afs_ads + div[style="display:flex !important"] { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/82256
+readmng.com#$#.header > .scroll_to_top { min-height: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/81794
+toolss.net#$##rightCol { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/80770
+thumpertalk.com#$#div[data-role="commentContent"] a[rel="nofollow"] { color: black !important; text-decoration: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/80921
+afterdawn.com#$##base-header #ad-top-banner-placeholder { min-height: 0 !important; }
+! streamsport.* - remove overlay and retain cursor
+streamsport.*#$##localpp { width: 0% !important; height: 0% !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/79679
+history.com#$#.is-balloon-header-active .m-page-wrapper:not(.is-header-below-universal-nav) { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/79587
+gulte.com#$##awt_landing { display: none !important; }
+gulte.com#$#body[style^="overflow"] { overflow: visible !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/79154
+timesofindia.indiatimes.com#$#div[style="min-height:250px; display:block!important"].paisa1 { position: absolute !important; left: -3000px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/78621
+flaticon.com#$#li[id^="bn-icon-list"] { position: absolute !important; left: -3000px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/77338
+bestshort.xyz#$#footer.pt-120 { padding-top: 220px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/77107
+factinate.com#$#.advertisment_notice { position: absolute !important; left: -3000px !important; }
+factinate.com#$#.home-page-ad { position: absolute !important; left: -3000px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/75659
+jamaicaobserver.com#$#body { background-image: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/75537
+ufreegames.com#$##preroll { visibility: hidden !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/74765
+extramovies.*#$#body > #theme_back + .wrapper { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/74564
+ausdroid.net#$#body.td-background-link { cursor: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/74350
+yifyhdtorrent.org#$#.type-area > .torrent-type.non-direct[style="display: none;"] { display: block !important; }
+yifyhdtorrent.org#$#.type-area > .torrent-type.direct-link[style="display: block;"] { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/73752
+pixelexperience.org#$#.ezoic-ad { position: absolute !important; left: -3000px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/73676
+genshinimpactcalculator.com#$##BannerTop { height: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/73358
+taxidrivermovie.com#$#.category-taxi-fares-main { position: absolute!important; left: -3000px!important; }
+! javynow.com black space
+javynow.com#$#.videos-ad__wrap { background-color: transparent !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/72365
+adshrink.it#?#.dimmer:has(p:contains(Remove Ads))
+adshrink.it#$#body { overflow: visible !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/72023
+coincodex.com#$#.CCx3StickyTop { margin-top: 0 !important; }
+coincodex.com#$##CCx3StickyTop { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/72164
+javadecompilers.com#$#body > div[id^="bio_ep"] { display: none !important; }
+javadecompilers.com#$#body { overflow: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/70835
+3c-lxa.mail.com#$#html.can-have-sky .page-body > .section-content { margin-right: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/71428
+researchgate.net#$#.lite-page__header-navigation--with-ad { top: 0 !important; }
+researchgate.net#$#.research-resources-summary__inner.is-sticky { top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/72091
+thepointmag.com#$#div#tpopup-.button-x { display: none !important; }
+thepointmag.com#$#body { overflow-y: visible !important; }
+thepointmag.com#$#.overlay { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/71377
+3dzip.org#$#.adsbygoogle { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/69949
+jzzo.com#$##embed { position: static!important; margin-top: 0!important; }
+jzzo.com#$##parrot { display: none!important; }
+jzzo.com#$##embed-overlay { display: none!important; }
+jzzo.com#$#.ios_img { display: none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/69822
+streamcr7.com#$##ad { display: none !important; }
+streamcr7.com#$#iframe#ifram { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/69658
+getnada.com#$##__layout > div > div > .pb-4.justify-center.w-full + .container.px-4 > nav[class^="md:block"] { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/69412
+linkedin.com#$#.ad-banner-container.is-header-zone { padding: 0 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/68834
+taste.com.au#$#aside.rhc-container > div[data-sticky-element][style*="top:"] { top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/68890
+watoday.com.au,theage.com.au,brisbanetimes.com.au,smh.com.au#$#._2gSkZ { height: 150px !important; }
+watoday.com.au,theage.com.au,brisbanetimes.com.au,smh.com.au#$##app nav + header.noPrint { top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/68813
+warscrap.io#$#.squareAdContainer { visibility: hidden !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/128938
+! https://github.com/AdguardTeam/AdguardFilters/issues/70894
+! https://github.com/AdguardTeam/AdguardFilters/issues/67565
+redflagdeals.com#$#.partition_inner > .primary_content { width: 100% !important; }
+!+ NOT_OPTIMIZED
+redflagdeals.com#$##flyer_canvas:not([style*="height: 100%"]) { top: 8.2rem !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/68322
+sammobile.com#$#.container-fluid > div[class="g g-29"] { height: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/68248
+seattletimes.com#$#html.async-hide { opacity: 1!important; }
+! pcworld.com - left-over sidebar in article
+pcworld.com#$#.topDeals.topper { margin-top: 0px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/66650
+punchng.com#$#.header-wrap > #header > a[id^="cd-menu-trigger"] { margin-top: 0 !important; }
+punchng.com#$#@media (min-width: 701px) { .header-wrap > #header { height: 100px !important; } }
+punchng.com#$##pb-root > .row > div.col-sm-12[style="height:90px; text-align: center;"] { display: none !important; }
+punchng.com#$##pb-root > div[style="margin-bottom: 10px;"] > .row > div.col-sm-12[style="height:90px; text-align: center;"] { display: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/66020
+bkex.com#$#.top-notice-dialog { display: none !important; }
+bkex.com#$#.v-modal { display: none !important; }
+bkex.com#$#body { overflow: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/65550
+! fixing scrolling(@@ rules for content blockers are in content_blocker.txt)
+joe.ie,joe.co.uk#$#.noscroll { overflow: visible!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/65264
+extremetech.com#$#.inner-wrap > #bannerad + .wrapper:not([style]) { margin-top: 110px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/64949
+linuxgizmos.com#$#table[align="center"] + center > table[width="100%"] > tbody > tr > td[align="left"] { visibility: hidden !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/65018
+straitstimes.com#$#html { overflow: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/64784
+accuweather.com#$#.base-header.has-banner { height: calc(100%) !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/64090
+mokkaofficial.com#$#.adsbygoogle { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/63804
+notube.net#$##download2-add { display: none !important; }
+notube.net#$#download2 { display: inline-block !important; }
+! https://forum.adguard.com/index.php?threads/unable-to-use-live-sports-website-since-last-years-adguard-update.39785
+firstr0w.eu#$##sunInCenter + .cover { position: absolute!important; left: -2000px!important; }
+!
+eprice.com.tw#$#.parallax-ads-container { position: absolute!important; left: -3000px!important; }
+! vladan.fr - branding
+vladan.fr#$#html > body { background-image: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/63186
+!+ NOT_PLATFORM(android)
+boldsky.com#$#header { margin-bottom: 65px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/62170
+mac-torrents.io#$#.mysticky-welcomebar-position-top { display: none !important; }
+mac-torrents.io#$#html { margin-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/pull/61020
+ashemaletube.com#$##site { min-width: calc(100%)!important; max-width: calc(100%)!important; }
+ashemaletube.com#$##site-wrapper { min-height: calc(100%)!important; }
+ashemaletube.com#$##site-wrapper { padding-top: 0!important; }
+movies.ndtv.com#$##footer-ads { height: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/60512
+livenewschat.eu#$#.plyr--video { margin-top: 10px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/59499
+otakuwire.com#$#.adsbygoogle { position: absolute!important; top: -9999px!important; left: -9999px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/59412
+deadwalk.io#$#.squareAdContainer { visibility: hidden!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/59038
+addictinggames.com#$#.gam-add-box { min-height: auto!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/58455
+fileinfo.com#$#.adTopLB { height: 0!important; min-height: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/58360
+clipartkey.com#$#.adpop-content-left { display: block !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/57902
+iseekgirls.com#$#.flowplayer.is-cva .fp-controls { display: flex !important; }
+iseekgirls.com#$#.flowplayer.is-cva .fp-fullscreen { display: flex !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/57206
+camwhoresbay.com#$#.related-videos ~ div[class^="visible-"][style="border:1px solid #ccc;text-align: center;margin-top: 10px;padding:5px"] { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/136655
+filecrypt.co#$#body div[class] > [style*="background:url"][style*="!important"][onclick] { position: absolute !important; left: -3000px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/56086
+sammobile.com#$#body > div[class="g g-29"] { margin-top: 20px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/54274
+beermoneyforum.com#$#.samBackground { background-image: none ! important; }
+! https://github.com/AdguardTeam/AdguardFilters/pull/54114
+theverge.com#$#.async-hide { opacity: 1.0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/55216
+tutorialspark.com#$##mainblock { top: 0 !important; bottom: 1px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/55299
+douploads.net#$##downloadbtn { display: block!important; }
+douploads.net#$##downloadBtnClick { display: none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/54411
+getcomics.info#$#.advanced_floating_content { height: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/54352
+uk.pcmag.com#$#body > div#adkit_billboard[align="center"] { min-height: 100px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/54187
+gfinityesports.com#$#.page.relative { background-image: none !important; background: #000 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/53640
+yourdictionary.com#$#.floating-nav#site-menu-div:not([style="display: none;"]) + .floating-header#ydHeaderContainer[style] { top: 45px!important; }
+yourdictionary.com#$#.floating-nav#site-menu-div[style="display: none;"] + .floating-header#ydHeaderContainer[style] { top: 0px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/53366
+l2db.info#$##main-wrapper { margin: 0px auto 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/53257
+mypornhere.com#$#.block-video > div.table { visibility: hidden !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/52890#issuecomment-609878303
+tubeoffline.com#$#body > style[type] + div[style] { display: none !important; }
+tubeoffline.com#$#.header-strip { top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/52940
+vegasslotsonline.com#$##fullscreen.fullwidth > .iframe-wrap { height: 100vh!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/52775
+mumsnet.com#$#.header-bootstrap { padding-top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/52481
+bigleaguepolitics.com#$#header#mvp-main-head-wrap > nav#mvp-main-nav-wrap > .mvp-fixed.mvp-nav-small { top: -70px!important; }
+bigleaguepolitics.com#$#header#mvp-main-head-wrap > nav#mvp-main-nav-wrap > .mvp-fixed + #mvp-main-nav-bot.mvp-fixed1 { top: -70px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/50933
+pornsexer.com#$#.block-video > div.table { visibility: hidden !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/50693
+realestate.co.nz#$#html.async-hide { opacity: 1!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/50391
+starsinsider.com#$#.slide-show > .h-100 > .col-lg-8 { width: 100%!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/50383
+pixiv.net#$##js-mount-point-header { min-height: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/50164
+fapnado.com#$#.block-video > div.table { visibility: hidden!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/49891
+systemrequirementslab.com#$##amazon-skin { background-image: none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/47468
+hdpornvideos.su#$#.prefixdger-player-promo-col { display: none!important; }
+hdpornvideos.su#$#.prefixdger-player { max-width: 1050px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/51031
+! https://github.com/AdguardTeam/AdguardFilters/issues/50330
+! https://github.com/AdguardTeam/AdguardFilters/issues/47149
+cloudgallery.net,imgair.net#$#.big_img[style*="margin-top:"] { margin-top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/47193
+xda-developers.com#$#body.twig-body { margin-top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/47046
+ifbbpro.com#$#body.td-background-link { background-image: none!important; cursor: auto !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/46429
+2conv.com,flvto.biz,flv2mp3.by#$?#div[class*="ads"] {visibility: hidden !important; display: block !important; height: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/46183
+techdator.net#$#.adsbygoogle { position: absolute!important; top: -9999px!important; left: -9999px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/45462
+mail.yahoo.com#$#a[data-test-id^="pencil-ad"] { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/60452
+! https://github.com/AdguardTeam/AdguardFilters/issues/45545
+mirrorace.*#?#html.uk-modal-page > body > .uk-modal:has(> .uk-modal-dialog > form > .uk-margin-top > h3:contains(/^Are you protected with a VPN/))
+mirrorace.*#$#html.uk-modal-page { overflow: visible!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/45272
+rekkerd.org#$#.td-background-link { cursor: auto !important; }
+! usatoday.com - remove top padding
+usatoday.com#$#header.gnt_n { margin: 0 !important; top: 0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/44223
+cutlinks.pro#$#body .modal-open { overflow: visible!important; }
+cutlinks.pro#$#.box-main > .row > .col-md-12 > #countdown { display: none!important; }
+cutlinks.pro#$#.box-main > .row > .col-md-12 > #progressBar { display: none!important; }
+cutlinks.pro#$##myCAP { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/43973
+filegasm.com#$#.ovl { display: none!important; }
+filegasm.com#$##videoJSContainer_html5_api { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/43419
+torrentdownloads.co#$#a[href^="/max1.php?search="] { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/41763
+imgdrive.net#$##redirect-close { display: block!important; }
+imgdrive.net#$##redirect-wait { display: none!important; }
+! neowin.net - sponsored articles cleanup
+neowin.net#$#.news-list > .news-item[style="display: none !important;"] + .news-item { padding-left: 0px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/41258
+pixhost.to#$#body > div#web { display: block !important; }
+pixhost.to#$#body div#js { display: none !important; }
+! https://forum.adguard.com/index.php?threads/35054/
+mi-globe.com#$# div > span[id^="ezoic-pub-ad-placeholder-"] + span[style^="display:block"] { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/40649
+thejournal.ie#$#html[data-url][style] { background-image: none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/40388
+thessdreview.com#$#html > body { background-image: none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/40279
+dotnetfiddle.net#$#.main > .sidebar.unselectable { bottom: 4px!important; }
+dotnetfiddle.net#$#.content > .layout-container[style^="position: relative; height:"] { height: 100%!important; max-height: 100%!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/39958
+money.co.uk#$#.advertPlaceholderWrapper { display: none!important; }
+money.co.uk#$#header > .mainNavFixed[style*="top:"] { top: 0!important; }
+! riotpixels.com - remove top padding
+riotpixels.com#$#body .all-wrapper { top:0 !important; }
+riotpixels.com#$#body .bottom-bar { top:0 !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/39816
+pornflip.com#$#.bottom-banner > .a-label { visibility: hidden!important; }
+! digitaltrends.com - ad text in article
+digitaltrends.com#$#.dtads-slot { position: absolute!important; left: -2000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/38399
+ytss.unblocked.to#$#html[style] header.nav-bar { margin-top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/38211
+ratemyprofessors.com#$##container > .sticky-wrapper ~ #body.sticky-shown { margin-top: 100px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/38215
+computerworld.com#$#body > .related-content-wrapper[style="top: 50px;"] { top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/35885
+javqd.tv#$##external-embed { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/32038
+community.spiceworks.com#$#.community-content-banner > div[class^="community-content-banner-slot-"] > .community-content--ad_card { visibility: hidden!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/35539
+smh.com.au#$#div[id^="adspot-"] { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/35381
+forum.xda-developers.com#$#.twig { display: none !important; }
+forum.xda-developers.com#$#body.twig-body > header[role="banner"] { top: 0!important; }
+! viprow.net - overlay over video
+viprow.net#$#.embed-responsive > iframe + .position-absolute { position: absolute!important; left: -2000px!important; }
+! https://forum.adguard.com/index.php?threads/why-website-ask-you-these-questions.33046/
+space.com#$#.hawk-disclaimer-container { border-top:none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/33845
+dummies.com#$##promoted-stories { height: 600px!important; position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/33446
+duplichecker.com#$#body { overflow: visible!important; }
+duplichecker.com#$##bio_ep { display: none!important; }
+duplichecker.com#$##bio_ep_bg { display: none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/29979
+!+ NOT_OPTIMIZED
+arstechnica.com#$#.ad_crown { position: absolute!important; left: -10000px!important; }
+!+ NOT_OPTIMIZED
+arstechnica.com#$#.ad_xrail { position: absolute!important; left: -10000px!important; }
+!+ NOT_OPTIMIZED
+arstechnica.com#$#.ad_fullwidth { position: absolute!important; left: -10000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/32422
+nj.com#$#.ad--in-article { visibility: hidden; min-height: 0!important; margin: 0!important; padding: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/28601
+mysanantonio.com#$#.ctpl-fullbanner { display: none!important; }
+mysanantonio.com#$##ctpl-fullbanner-spacer { display: none!important; }
+mysanantonio.com#$#header > #subHead { transform: translateY(0px)!important; }
+mysanantonio.com#$#header > nav#siteNav[class="site-nav menu-slide"] { transform: translateY(0px)!important; }
+mysanantonio.com#$#header > nav#siteNav[class^="site-nav menu-slide fixed"] { top: 0!important; }
+mysanantonio.com#$#header > #homepage-timestamp { position: relative!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/31362
+nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion#$#ol[data-testid="search-results"] > li[data-testid="search-add-result"] > div[class] { border-top:0!important; padding-top:0px!important;}
+nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion#$#ol[data-testid="search-results"] > li[data-testid] + li:not([data-testid]) + li[data-testid="search-bodega-result"] > div[class] { border-top:0!important; padding-top:0px!important;}
+nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion#$##stream-panel > .supplemental > aside[class] { border-top:0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/30814
+timesofmalta.com#$#body.ad_takeover { background-color: #fff!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/30252
+ctv.ca#$##leaderboard_container.attach_to_nav ~ .site-wrapper .navigation-wrapper { top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/29633
+seattlepi.com#$#.ctpl-fullbanner { display: none!important; }
+seattlepi.com#$##ctpl-fullbanner-spacer { display: none!important; }
+seattlepi.com#$#header > #subHead { transform: translateY(0px)!important; }
+seattlepi.com#$#header > nav#siteNav[class="site-nav menu-slide"] { transform: translateY(0px)!important; }
+seattlepi.com#$#header > nav#siteNav[class^="site-nav menu-slide fixed"] { top: 0!important; }
+seattlepi.com#$#header > #homepage-timestamp { position: relative!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/29163
+brisbanetimes.com.au#$#div[id^="adspot-"] { position: absolute!important; left: -3000px!important; }
+! pornhub.com ad left-over on main page
+pornhub.com,pornhub.org,pornhub.net#$#iframe[title*="Campaign"] { position: absolute!important; left: -3000px!important; }
+! https://forum.adguard.com/index.php?threads/up-4-net.30856/
+up-4.net#$##btn_downloadLink { display:block!important; }
+up-4.net#$##btn_downloadPreparing { display:none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/125369
+! https://github.com/AdguardTeam/AdguardFilters/issues/29292
+comicbook.com#$#body > header { top: 0!important; }
+comicbook.com#$#body.pcm-public { margin-top: 95px !important; }
+comicbook.com#$#body > section.main { margin-top: 84px!important; }
+comicbook.com#$#.ad_blk { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/34431
+! https://github.com/AdguardTeam/AdguardFilters/issues/28991
+oxforddictionaries.com#$#@media (min-width: 1024px) { .main-content > div.container > aside[class="sidebar extend"] { margin: 0 0 20px -300px!important; } }
+! https://github.com/AdguardTeam/AdguardFilters/issues/25515
+javqd.com#$##external-embed { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/28194
+maxcheaters.com#$#.esPopupWrapper { display: none!important; }
+maxcheaters.com#$#.b-modal.__b-popup1__ { display: none!important; }
+maxcheaters.com#$#body { background-image: none!important; }
+maxcheaters.com#$#html[style="overflow: hidden;"] { overflow: auto!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/25992
+javdoe.com#$##external-embed { display: block!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/28143
+gamewatcher.com#$#.reskin-wrapper + .inner-wrapper { margin-top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/25148
+imgtaxi.com#$##container > .left-column[style] { margin-top: 25px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/27726
+pirate.ws#$#body { padding-top: 70px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/26874
+news.com.au#$##header { margin-top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/26761
+flaticon.com#$#ul.icons > li.icon[data-name][style="margin-bottom: 116px;"] { margin-bottom: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/25079
+maxedtech.com#$##headerwrap > div#header { height: 103px!important; }
+maxedtech.com#$##site-logo { top: 1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/26595
+review-hub.co.uk#$#a[href^="http://shrsl.com/"] { font-weight: 100!important; border-bottom: none!important; pointer-events: none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/26312
+torrentdownloads.me#$#a[href^="/max1.php?keyword="] { position: absolute!important; left: -3000px!important; }
+torrentdownloads.me#$#a[href^="/max.php?keyword="] { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/26569
+hackedfreegames.com#$##Content > div[itemscope="itemscope"] > div[style*="height"][style*="padding-top:"] { position: absolute!important; left: -3000px!important; }
+! https://forum.adguard.com/index.php?threads/uploadev-com.30032/
+uploadev.com#$##downloadbtn { display:block!important; }
+uploadev.com#$##downloadBtnClick { display:none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/24831
+extratorrent.si,onitube.com#$#div[id^="MGWrap"] { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/25564
+salon.com#$#.flex-center.header-wrapper { min-height: 100px!important; }
+! vg247.com - left-over in sidebar
+vg247.com#$#.sidebar-mpu-container { padding-bottom:0px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/25341
+u.gg#$##af-click > #af-header.clickable.af-header { height: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/25054
+apkpure.*#$##iframe_download + .slide-wrap > .bd > .tempWrap > ul[style^="width: 1656px;"] { left: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/24700
+leechpremium.link#$#body { overflow: visible!important; }
+leechpremium.link#$#div[aria-labelledby="myModalLabel"] { display: none!important; }
+leechpremium.link#$#.modal-backdrop { display: none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/24323
+oregonlive.com#$##adTower { margin-top: 0px; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/23644
+digit.in#$##main { padding: 59px 0 0!important; }
+digit.in#$##sub_header { top: 40px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/23098
+guardiandeals.com#$#div[id^="bsa-block"][style] { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/23221
+flyordie.com#$#body > iframe[style*="left: 180px;"] { left: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/22782
+nfl.com#$#div[data-foobar-id="realthing"] { padding-top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/22521
+babylonbee.com#$#.adsbygoogle { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/22408
+hardocp.com#$#body { background-image: none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/22345
+economictimes.indiatimes.com#$#.adsbg300 { position: absolute!important; left: -3000px!important; }
+! mirrorace.com - ads
+mirrorace.*#$#.uk-text-center > a[rel="nofollow"] > img { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/22116
+14powers.com#$#.adtester-container { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/22194
+citethisforme.com#$#.page.a4 { min-height: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/17500
+motherless.com#$#iframe[style="display:block !important"]:not([id="adguard-assistant-dialog"]) { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/21963
+todaysnews.live#$##container > #leftCol.shadow { min-height: 0!important; visibility:hidden!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/21857
+sfgate.com#$#.ctpl-fullbanner { display: none!important; }
+sfgate.com#$##ctpl-fullbanner-spacer { display: none!important; }
+sfgate.com#$#header > #subHead { transform: translateY(0px)!important; }
+sfgate.com#$#header > nav#siteNav[class="site-nav menu-slide"] { transform: translateY(0px)!important; }
+sfgate.com#$#header > nav#siteNav[class^="site-nav menu-slide fixed"] { top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/21715
+wowhead.com#$##page-content { padding-right: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/21672
+nbcsports.com#$#.entry-footer { min-height: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/20530
+readwhere.com#$#.adunit { margin-top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/20013
+toucharcade.com#$#header > #header { padding-top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/20098
+!+ NOT_PLATFORM(windows, mac, android)
+msn.com#$#li[data--ac*="adblockMediumCardContainer"] { position: absolute!important; left: -3000px!important; }
+!+ NOT_PLATFORM(windows, mac, android)
+msn.com#$#[id^="-"] { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/22485
+! https://forum.adguard.com/index.php?threads/29078/
+crackwatch.com#$#div[style$="text-align: center;"] > div > a[rel="nofollow noopener noreferrer"] span[style*="background-image"] + div { display: none!important; }
+crackwatch.com#$#div[style$="text-align: center;"] > div > a[rel="nofollow noopener noreferrer"] span[style*="background-image"][style*="base64"] { height: 1px!important; min-height: 1px!important; background-image: none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/19883
+opensubtitles.org#$#.content > fieldset.intro[style="height:250px;"] { height: auto!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/19624
+247sports.com#$#section.main-wrapper > .topnav { margin-top: 0!important; }
+247sports.com#$#section.main-wrapper > .topnav > .nav-bar.nav-bar--fixed { top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/19458
+smsget.net#$#.adsbygoogle { height:1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/19268
+trueanal.com#$#.modal-open { overflow:visible!important; }
+trueanal.com#$#div[class^="modal"] { display:none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/18659
+economist.com#$#.fe-blogs__top-ad-wrapper { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/17440
+realthaisluts.com#$#.ads-block-bottom-wrap { position: absolute!important; left: -3000px!important; }
+realthaisluts.com#$#.video-list-ads { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/17543
+healthline.com#$#.css-orw3q8 { margin-top: 100px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/17606
+tvtropes.org#$#.ad-content-top { min-height:1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/17252
+maps4heroes.com#$#.adsbygoogle iframe { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/17187
+rockettube.com#$#.fixedPos { overflow:visible!important; }
+rockettube.com#$#.popup { display:none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/16660
+filecrypt.cc#$#a[href][onclick^="var"][onclick*="openLink"] > i > img { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/16550
+egmnow.com#$##pt_dark_over { display:none!important; }
+egmnow.com#$##pt_place_content { visibility: visible!important; }
+egmnow.com#$##pt-everything { visibility: visible!important; }
+egmnow.com#$#div[class^="pt-pop-overlay"] { display:none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/16519
+dl.ccbluex.net#$#.ad { position: absolute!important; left: -4000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/15762
+! https://github.com/AdguardTeam/AdguardFilters/issues/52148
+! https://github.com/AdguardTeam/AdguardFilters/issues/33462
+! https://github.com/AdguardTeam/AdguardFilters/issues/15845
+! https://github.com/AdguardTeam/AdguardFilters/issues/15846
+screencrush.com,tasteofcountry.com#$##site-menu-wrapper > .logo { display: block!important; height: 50px!important; }
+popcrush.com#$##site-menu-wrapper > .logo { display: block!important; height: 50px!important; top: 10px!important; max-width: 318px!important; }
+kyssfm.com#$#.logo-next-to-logo-container > .logo { display: block!important; height: 50px!important; }
+kyssfm.com,screencrush.com,popcrush.com,tasteofcountry.com#$#.non-menu-content { display:none!important; }
+kyssfm.com,screencrush.com,popcrush.com,tasteofcountry.com#$#.site-menu-right { top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/15825
+justwatch.com#$#.filter__wrapper--fixed { top:50px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/15069
+ghanaweb.com#$#body > #pagecontainer[style$="top:85px;"] { top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/14248
+medicalnewstoday.com#$#ins[data-ad-client] { position: absolute!important; left: -4000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/14136
+majorgeeks.com#$#.cbola-banner-structure { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/14006
+forum.hackinformer.com#$#.adsbygoogle { height: 1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/13659
+livescience.com#$#.tmntag_adlabel { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/13143
+evanstonnow.com#$#.node-content > #node-story-full-group-lead-photo { float:right!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/12812
+reallifecamsex.xyz#$##video_player_container { display:inline!important; }
+reallifecamsex.xyz#$##preroll_placeholder { display:none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/11847
+xtube.com#$#body.desktopView.hasFooterAd .mainSection { margin-bottom: 0!important;padding-bottom: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/11843
+1337x.st#$#div[id*="Composite"] { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/11602
+updato.com#$#.adsbygoogle { height: 1px!important; }
+updato.com#$#div[class^="firmware-"][class*="-add"] { height:1px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/9747
+tempostorm.com#$#.bg-override {background-color: #1b141d!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/9959
+dvbtmap.eu#$##leftCol { top: 50px!important; }
+dvbtmap.eu#$##content-container { margin-top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/10712
+bitfun.co#$#div[class^="flex"][class*="Ad"] { position: absolute!important; left: -2000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/11379
+redtube.com,redtube.net#$#.video_left_section > .hd .subtxt {position: absolute!important; left: -3000px!important; }
+redtube.com,redtube.net#$#.remove_ads {position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/11187
+pictame.com#$#.grid > .panel.clearfix.social-entry.text-center[style*="padding: 0px; min-height:"] { visibility: hidden!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/10914
+citationmachine.net#$##rectangle_in_stream { position: absolute!important; left: -4000px!important;}
+! https://github.com/AdguardTeam/AdguardFilters/issues/10542
+nme.com#$##wrapper { padding-top: 0!important; }
+nme.com#$#.advert { z-index: -999999!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/10331
+uplod.org,uplod.cc#$#button.downloadbtn:not([name]) { display: block!important; }
+uplod.org,uplod.cc#$#button.downloadbtn[name] { display: none!important; }
+uplod.org,uplod.cc#$##downloadBtnClick~div.checkbox { display: none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/6945
+moviechat.org#$#.adc { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/9538
+showsport-tv.com#$##ch_area[style="pointer-events: none;"] { pointer-events: auto!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/8931
+vpnmentor.com#$##bio_ep { display: none!important; }
+vpnmentor.com#$##bio_ep_bg { display: none!important; }
+vpnmentor.com#$#body { overflow: visible!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/8455
+opensnow.com#$#.mobile-ad { position: absolute!important; left: -4000px!important; }
+opensnow.com#$#.wide-ad { position: absolute!important; left: -4000px!important; }
+opensnow.com#$#.web-ad { position: absolute!important; left: -4000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/7699
+hgtv.com#$#body[style^="margin-top: 90px;"] { margin-top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/7698
+diynetwork.com#$#body[style^="margin-top: 90px;"] { margin-top: 0!important; }
+! https://forum.adguard.com/index.php?threads/22273/
+skymetweather.com#$##wrapperinner > div#block_top > div.top10-top { height: 40px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/7697
+spoonuniversity.com#$#body[style^="margin-top: 90px;"] { margin-top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/7696
+cookingchanneltv.com#$#body[style^="margin-top: 90px;"] { margin-top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/7694
+travelchannel.com#$#body[style^="margin-top: 90px;"] { margin-top: 0!important; }
+! https://forum.adguard.com/index.php?threads/27171/
+timesofindia.indiatimes.com#$#.ad1 { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/7603
+androidauthority.com#$#div[data-spotim-slot-size="300x250"] { position: absolute!important; left: -3000px!important; }
+! https://forum.adguard.com/index.php?threads/26656/
+justwatch.com#$#.wrapper { padding-top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/7436
+futhead.com#$#.headliner-homepage { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/7175
+simply-debrid.com#$##google_ads { height: 1px!important; visibility: hidden!important; }
+! https://forum.adguard.com/index.php?threads/26512/
+dir50.com#$#.bigres { visibility: hidden; }
+! https://forum.adguard.com/index.php?threads/myrealgames-com.25940/
+myrealgames.com#$#.desktop-only.main-adv-block { visibility: hidden!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/13855
+poki.com#$#.Ex.FC { visibility: hidden!important; }
+poki.com#$#.Ex.FD { visibility: hidden!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/7026
+golfchannel.com#$#header.navigation { top: 0!important; }
+golfchannel.com#$##page-outer { margin-top: 45px!important; }
+golfchannel.com#$#body section.content { margin-top: 100px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/6984
+4downfiles.org#$#div[style="width:300px; height:250px; background-color:#f4f4f4; text-align:center"] { visibility: hidden!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/7007
+foodnetwork.com#$#body[style^="margin-top: 90px;"] { margin-top: 0!important; }
+! https://forum.adguard.com/index.php?threads/25732/
+nextgenupdate.com#$##ad-block { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/6981
+warclicks.com#$#.holder > .cool-holder.cool-728.blocked-728 { visibility: hidden; }
+! https://forum.adguard.com/index.php?threads/25651/
+tennistemple.com#$##header_height[style="height: 110px;"] { height: 50px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/6876
+bicycling.com#$#.region-banner { display: none!important; }
+bicycling.com#$#.header.scrolling { top: auto!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/6874
+runnersworld.com#$#.region-banner { display: none!important; }
+runnersworld.com#$#.header.scrolling { top: auto!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/6867
+easybib.com#$##easybib_lboard { position: absolute!important; left: -3000px!important; }
+easybib.com#$#[id^="easybib_box"] { position: absolute!important; left: -3000px!important; }
+easybib.com#$#.easybib-col2-box { position: absolute!important; left: -3000px!important; }
+! https://forum.adguard.com/index.php?threads/https-www-gumtree-com-au.25525/
+gumtree.com.au#$#.header { margin-top: 0 !important; top: 0 !important; }
+! https://forum.adguard.com/index.php?threads/http-thefreedictionary-com.25069/
+freethesaurus.com,thefreedictionary.com#$#.content-holder > div[class]:empty { position: absolute!important; left: -3000px!important; }
+thefreedictionary.com#$#.content-holder > div[class][style^="height:"] { position: absolute!important; left: -3000px!important; }
+! https://forum.adguard.com/index.php?threads/24991/
+pcgamingwiki.com#$#.home-information-column { padding-top: 40px!important; }
+! https://forum.adguard.com/index.php?threads/24881/
+time.com#$#.column.small-12[data-reactid="101"] > div.row > div.column:last-child { float: left!important; }
+! https://forum.adguard.com/index.php?threads/24871/
+daporn.com#$##mediaOverlay { position: absolute!important; left: -3000px!important; }
+! https://forum.adguard.com/index.php?threads/http-www-thebody-com.24551/
+thebody.com#$##pagecontainer > #topnav { margin-top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/6553
+yeptube.com#$#div[class="thr-rcol"] > div[class="container mt15"] { visibility: hidden!important; }
+! https://forum.adguard.com/index.php?threads/24651/
+youpornru.com#$#.column-flex { width: auto!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/6510
+pornhub.com,pornhub.org,pornhub.net#$#.playerFlvContainer > div#pb_template[style] { position: absolute!important; left: -3000px!important; }
+pornhub.com,pornhub.org,pornhub.net#$#.video-wrapper > div#player~div[class$=" hd clear"] { position: absolute!important; left: -3000px!important; }
+! https://forum.adguard.com/index.php?threads/24633/
+perfectgirls.net#$#.list__item { margin-right: auto!important; }
+perfectgirls.net#$#.list__item { margin-left: auto!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/6359
+dotesports.com#$#.row._mwxnus{ margin-top: 10px!important; }
+dotesports.com#$#.row._1nsgeoz { margin-top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/6391
+trustedreviews.com#$#body.has-adverts > #wrapper { padding-top: 0!important; }
+trustedreviews.com#$#body.has-adverts > .header-advert { display: none!important; }
+! https://forum.adguard.com/index.php?threads/24189/
+hanime.tv#$#.golden-saucer-bar { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/6241
+popculture.com#$#.ad_blk { position: absolute!important; left: -3000px!important; }
+popculture.com#$#body div.adInContent { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/6229
+moviemakeronline.com#$#.adsbygoogle { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/6071
+sexoasis.com#$#.detail-side-td { visibility: hidden!important; }
+! https://forum.adguard.com/index.php?threads/yourdictionary-com-missed-ads-windows.24013/
+yourdictionary.com#$#body > .floating-nav { top: 0px; }
+yourdictionary.com#$#body > #ydHeaderContainer[style="display: block; top: 145px;"] { top: 45px!important; }
+yourdictionary.com#$#body > #ydHeaderContainer[style="display: block; top: 100px;"] { top: 0!important; }
+yourdictionary.com#$#body > ul[class="ui-autocomplete ui-menu ui-widget ui-widget-content ui-corner-all"] { z-index: 99999999!important; }
+yourdictionary.com#$#body > #top_spacer[style] { height: 141px!important; }
+yourdictionary.com#$#html.touch > body > #top_spacer { height: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/5998
+kitguru.net#$#html body { background-image: none !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/5953
+menshealth.com#$#.region-banner { display: none!important; }
+menshealth.com#$#[class="header scrolling"][role="banner"][style^="top:"] { top: auto!important; }
+! https://forum.adguard.com/index.php?threads/23858/
+androidcentral.com#$#.field-items > .field-item > div[style*="display: block !important;"] { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/5944
+official-plus.com#$#body:not(.device-mobile-optimized) #comp-iwtg0twj { top: 430px!important; }
+! https://github.com/uBlockOrigin/uAssets/issues/14594
+! https://github.com/AdguardTeam/AdguardFilters/issues/5909
+w3schools.com#$##tryitLeaderboard { display: none!important; }
+w3schools.com#$##tryitLeaderboard + div.trytopnav { top: 0!important; }
+w3schools.com#$##tryitLeaderboard ~ div#breadcrumb + div.trytopnav { top: 36px!important; }
+w3schools.com#$##tryitLeaderboard + div#breadcrumb ~ div#container { top: 84px!important; }
+w3schools.com#$##tryitLeaderboard + div.trytopnav ~ a#dragbar + div#container { top: 48px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/5766
+yiv.com#$##LeftAdDiv { visibility: hidden!important; }
+yiv.com#$##RightAdDiv { visibility: hidden!important; }
+! https://forum.adguard.com/index.php?threads/23628/
+xxxhare.com#$#.block-video > div.table > div.opt { visibility: hidden!important; }
+! https://forum.adguard.com/index.php?threads/23648/
+battleate.com#$#iframe[src] { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/5657
+greenbayphoenix.com#$#[class="component c-nav c-nav-sport"][role="navigation"] { top: 120px; }
+! https://forum.adguard.com/index.php?threads/computerworld-com-au-missed-ads-windows.23530/
+computerworld.com.au#$#body.lo-body { padding-top: 85px!important; }
+computerworld.com.au#$#.lo-top > header.lo-header { top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/5474
+vlive.tv#$#.ly_promotion { display: none!important; }
+vlive.tv#$##header > .dimmed_bg { display: none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/5467
+gamepedia.com#$##siderail { position: absolute!important; left: -3000px!important; }
+! https://forum.adguard.com/index.php?threads/resolved-saavn-com-missed-ads-windows.22981/#post-143066
+!+ NOT_PLATFORM(ext_ff, ext_opera)
+saavn.com#$##idle-unit-curtain{display:none!important;}
+! https://forum.adguard.com/index.php?threads/saavn-com-missed-ads-windows.22981/
+saavn.com#$##aside + #main{margin-right:80px;}
+! https://forum.adguard.com/index.php?threads/gaana-com-missed-ads-windows.22939/
+gaana.com#$##mainarea{padding:0;}
+gaana.com#$#.add_block{display:none!important;}
+! https://github.com/AdguardTeam/AdguardFilters/issues/5390
+esport.aftonbladet.se#$#body > #abMasterContainer{top:0px;}
+! https://github.com/AdguardTeam/AdguardFilters/issues/5316
+giveawayoftheday.com#$#.middle.cf > .col1.giveaway_day { margin-top: 0!important; }
+giveawayoftheday.com#$#.middle.cf > .col2-2.gaotd_game2 { margin-top: 0!important; }
+! https://forum.adguard.com/index.php?threads/comicbook-com-android.22292/
+comicbook.com#$#.landingstrip-list > li:not([data-key]) {visibility:hidden!important;}
+! comickbook.com - ads leftovers
+comicbook.com#$#[id^="oas_"] { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/5207
+investing.com#$#[style*="height: 600px !important; width: 300px !important;"][style*="display: inline-table !important;"] { position: absolute!important; left: -3000px!important; }
+investing.com#$#[style*="height: 250px !important;"][style*="display: inline"] { position: absolute!important; left: -3000px!important; }
+investing.com#$#.wrapper > div[id][class] > div > div[style^="height: 90px"] { position: absolute!important; left: -3000px!important; }
+investing.com#$#.tradeNowRightColumn+div:not([class]):not([id]) > div:not([class]):not([id])[style] > div:not([class]):not([id]) > iframe:not([src])[style] { position: absolute!important; left: -3000px!important; }
+investing.com#$#.wrapper > div:not([class]):not([id]) > div:not([class]):not([id]) > div[style^="height: 90px !important;"] { position: absolute!important; left: -3000px!important; }
+! https://forum.adguard.com/index.php?threads/8772/
+apkmirror.com#$#body .google-ad-leaderboard-smaller { position: absolute!important; left: -4000px!important; display:block!important; }
+apkmirror.com#$#body .google-ad-square-sidebar { position: absolute!important; left: -4000px!important; display:block!important; }
+! adsjudo popup
+torrentking.eu,hotshotgamers.net,hugesharing.net,keepvidi.net,linkshrink.net,movie2k.io,moviesdbz.net,moviesmast.com,mydownloadtube.com,softango.com,stream2watch.cc,thepiratefilmeshd.com,vipleague.tv#$#a[onclick^="mainWidget_globalTm"] { position: absolute !important; top: -9999px !important; left: -9999px !important; }
+! https://forum.adguard.com/index.php?threads/21723/
+moddb.com#$##subheader { height: 50px!important; padding-bottom: 0!important; background-image: none!important; }
+! https://forum.adguard.com/index.php?threads/21454/
+forum.xda-developers.com#$#.post-first-post { min-height: auto!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/4921
+therebel.media#$#iframe.embedly-embed { max-height: 400px!important; }
+! https://forum.adguard.com/index.php?threads/20829/
+gadgets.ndtv.com#$#div[id^="div-gpt-ad"] { position: absolute!important; left: -3000px!important; }
+! https://forum.adguard.com/index.php?threads/20418/
+afaqs.com#$##afsitecap {display:none!important;}
+afaqs.com#$##masterhead_container { display: block !important; }
+! https://forum.adguard.com/index.php?threads/19798/
+ultimate-guitar.com#$##advanced_search td.b.bdrunion[style^="display: block!important;"] { position: absolute!important; left: -3000px!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/4346
+cdkeys.com#$#body .wrapper { background: none!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/4340
+worldfree4u.lol#$#body > a[onclick] { width: 0!important; height: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/4187
+theatlantic.com#$#.welcome-lightbox{display:none!important;}
+theatlantic.com#$#.welcome-screen-open #site{-webkit-filter:none!important;-moz-filter:none!important;filter:none!important;}
+theatlantic.com#$#.welcome-screen-open::after{display:none!important;}
+theatlantic.com#$#.welcome-screen-open{overflow:visible!important;}
+! https://forum.adguard.com/index.php?threads/www-trictrac-net.18102/
+trictrac.net#$#html > body.withAd { background: #f5f5f5!important; }
+trictrac.net#$#html > body.withAd:hover { cursor: auto; }
+trictrac.net#$#html > body.withAd #container { cursor: auto; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/3909
+picjumbo.com#$#.adsbygoogle { height: 1px!important; }
+! https://forum.adguard.com/index.php?threads/imgspice-com-nsfw.17966/
+imgspice.com#$##download_box > #widepage { display: none!important; }
+! https://forum.adguard.com/index.php?threads/14629/
+xhamster.com#$#div[style*="adVideo"] { position: absolute!important; left: -3000px!important; }
+! https://forum.adguard.com/index.php?threads/rockpapershotgun-com.17594/
+rockpapershotgun.com#$##page-wrapper { background: inherit!important; padding-top: inherit!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/3792
+pcmag.com#$##adkit_billboard { padding-top: 0!important; }
+! https://forum.adguard.com/index.php?threads/17649/
+techcentral.ie#$#body.home { background: none!important; }
+techcentral.ie#$#body.single { background: none!important; }
+! https://forum.adguard.com/index.php?threads/16856/
+recordedcams.com#$#.video-list-ads { position: absolute!important; left: -3000px!important; }
+! https://forum.adguard.com/index.php?threads/16347/
+redtube.com,redtube.net#$#.video-listing.two-in-row { width: 100% !important; }
+redtube.com,redtube.net#$#.video-listing.two-in-row > li.first-in-row:nth-child(4n-1) { clear: none !important; margin-left: 25px !important; }
+redtube.com,redtube.net#$#.tja { position: absolute!important; left: -3000px!important; }
+! https://forum.adguard.com/index.php?threads/16312/
+intoday.in#$#.ad-withborder { position: absolute!important; left: -3000px!important; }
+intoday.in#$#.ad_bn { position: absolute!important; left: -3000px!important; }
+intoday.in#$#.right-ad { position: absolute!important; left: -3000px!important; }
+intoday.in#$#.cnAdzerkDiv { position: absolute!important; left: -3000px!important; }
+! Fix ad left-overs https://forum.adguard.com/index.php?threads/marketwatch-com.15906/
+marketwatch.com#$##brass-rail { display: none!important; }
+marketwatch.com#$#.breadcrumb-container::after { max-width: 1280px!important; }
+marketwatch.com#$##right-rail-cutout { display:none!important; }
+! vg247.com - remove background branding, padding at the top
+vg247.com#$##page-wrapper { background-image: none!important; padding-top: 0!important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/3279
+cityam.com#$##pre-header { position: absolute!important; left: -3000px!important; }
+! https://forum.adguard.com/index.php?threads/15366/
+myanimelist.net#$#div._unit[style] { position: absolute!important; left: -3000px!important; }
+! https://forum.adguard.com/index.php?threads/10422/
+gamepedia.com#$#.ad-placement { position: absolute!important; left: -3000px!important; }
+! https://forum.adguard.com/index.php?threads/14313/
+ndtv.com#$#div[class^="ad300"] { position: absolute!important; left: -3000px!important; }
+! https://forum.adguard.com/index.php?threads/13435/
+inoreader.com#$##reader_pane.reader_pane_sinner { padding-right: 0!important; }
+! https://forum.adguard.com/index.php?threads/12853/
+allmusic.com#$#.leaderboard { position: absolute!important; left: -3000px!important; }
+! gismeteo.com - fixing ad leftover at the top, hiding one of leftovers
+gismeteo.lt,gismeteo.com,gismeteo.lv#$#.rframe#weather-lb { position: absolute!important; left: -3000px!important; }
+! https://forum.adguard.com/index.php?threads/10669/#post-84364
+! lifehacker.com - unhide usefil block
+lifehacker.com#$#.invisible.leftrailmodule--popular { visibility: visible; }
+! https://forum.adguard.com/index.php?threads/10857/
+hardwareheaven.com#$#html > body { background: #EEEDED!important; }
+hardwareheaven.com#$#body { background: #EEEDED!important; }
+! https://forum.adguard.com/index.php?threads/10206/
+hltv.org#$#body { background-image: none !important; }
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1828
+kitguru.net#$#body { background-image: none !important; }
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1815
+cdkeyit.it,allkeyshop.com#$#body { background-image: none!important; }
+! answers.yahoo.com - fixing "Ask a question" form
+answers.yahoo.com#$##Stencil.Answers #Aside { padding-top: 104px!important; }
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1642
+play3r.net#$#body { background-image: none!important; cursor: default!important; }
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1564
+custompcreview.com#$#body { background-size: 0!important; cursor: default!important; }
+! benchmarkreviews.com - branded background (the rules are not duplicate, 1st - for Chrome extension, 2nd - for app)
+benchmarkreviews.com#$#body { background-image: none!important; }
+benchmarkreviews.com#$#html > body { background-image: none!important; }
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1416
+thinkcomputers.org#$#body.myatu_bgm_body { background-image: none !important; }
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1373
+liberallogic101.com#$#aside#text-37 { visibility: hidden!important; width: 0!important; position: absolute!important; }
+!
+torrentdownloads.me#$#a[href^="/redir.php"][rel="nofollow"][style="display: block !important;"] > img[style="display: block !important"] { position: absolute!important; left: -3000px!important; }
+chinatownav.com#$#.invideo {display:none!important;}
+!
+mail.yahoo.com#$#div[id="shellcontent"] { right: 0!important; }
+mail.yahoo.com#$#.panescroll #toolbar { right:0 !important; }
+mail.yahoo.com#$#.pc.panescroll { top: 0px !important; }
+mail.yahoo.com#$#.pc.panescroll #theAd { top: 0px !important; }
+mail.yahoo.com#$#.pc.panescroll #shellcontent { top: 0px !important; }
+mail.yahoo.com#$##main { max-width: 2560px !important; }
+mail.yahoo.com#$##yucs { max-width: 2560px !important; }
+mail.yahoo.com#$##yuhead-bucket { max-width: 2560px !important; }
+mail.live.com#$#.WithRightRail { min-width: auto!important; right: 0!important; }
+neowin.net#$#.banner-square { height: 0!important; min-height: 0!important; margin: 0!important; padding: 0!important; display: none!important; }
+neowin.net#$#div[class^="banner-"] { height: 0!important; min-height: 0!important; margin: 0!important; padding: 0!important; display: none!important; }
+! It's necessary for apps, because ".ezoic-ad" usually has "display:block !important;" as an inline style which has higher priority than injected style
+!-------------------
+!-------HTML--------
+!-------------------
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/154161
+! Required for apps, because it's in iframe with sandbox attribute
+! which doesn't allow to execute scripts so cosmetic rules do not work
+! https://github.com/AdguardTeam/AdguardFilters/issues/73712
+! https://github.com/AdguardTeam/AdguardFilters/issues/72892
+! The rule needs for apps and, according to the user's response, since there are many such sites it became a generic one.
+! https://github.com/AdguardTeam/AdguardFilters/issues/69383
+! https://github.com/AdguardTeam/AdguardFilters/issues/63153
+!
+! PopAds
+! PopAds - 'Privet darkv'
+! PopAds - 'PopAds%20CGAPIL%20'
+! PopAds
+!
+! AdMaven
+! hilltopads ex. (function(__htas)
+! https://github.com/AdguardTeam/AdguardFilters/issues/99846
+! https://github.com/AdguardTeam/CoreLibs/issues/1576
+! https://github.com/AdguardTeam/AdguardFilters/issues/97540
+! https://github.com/AdguardTeam/AdguardFilters/issues/97093
+! https://github.com/AdguardTeam/AdguardFilters/issues/97067
+! xxxtime.sextgem.com popup on visit
+! https://github.com/AdguardTeam/AdguardFilters/issues/72379
+! ouo.io - ads
+! hclips.com
+! MGID ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/38730
+! https://github.com/AdguardTeam/AdguardFilters/issues/35648
+! https://github.com/AdguardTeam/AdguardFilters/issues/35671
+! https://github.com/AdguardTeam/AdguardFilters/issues/36247
+! viprow.net - ad reinject
+! https://github.com/AdguardTeam/AdguardFilters/issues/33064
+! https://forum.adguard.com/index.php?threads/up-4-net.30856
+! https://github.com/AdguardTeam/AdguardFilters/issues/23434
+! https://github.com/AdguardTeam/AdguardFilters/issues/19883
+! go.oclasrv.com clickunder
+! androidcentral.com - ads
+! htapop
+! https://forum.adguard.com/index.php?threads/msn-com.21237/
+! https://forum.adguard.com/index.php?threads/17040/
+! https://github.com/AdguardTeam/AdguardFilters/issues/3606
+! https://forum.adguard.com/index.php?threads/13055/
+! https://forum.adguard.com/index.php?threads/11841/
+! https://github.com/AdguardTeam/AdguardFilters/issues/11892
+! Stream close button: http://hdstreams.net/channel-35/
+! we are using content-rule because pages with ads are too small
+! http://forum.adguard.com/showthread.php?2219
+!-------------------------------------------------------------------------------!
+!------------------ Banner names -----------------------------------------------!
+!-------------------------------------------------------------------------------!
+!
+! This section contains the list of generic blocking rules.
+!
+! Good: .org/ads/
+! Bad: .org/ads/$domain=example.org (for instance, should be in speficic.txt)
+!
+!
+! This is an interesting case.
+! This is a part of the URL used by an Indian ISP called BSNL
+! to inject ads into HTTP pages
+! Example URL: http://117.254.84.212:3000/getjs?nadipdata=%7B%22url%22%3A%22%2F%22%2C%22referer%22%3A%22%22%2C%22host%22%3A%22h2020.myspecies.info%22%2C%22categories%22%3A%5B100%5D%2C%22reputations%22%3A%5B1%5D%2C%22nadipdomain%22%3A1%2C%22policyid%22%3A0%7D&screenheight=1120&screenwidth=1792&tm=1603925840327&lib=true&method2=true
+!
+! https://github.com/AdguardTeam/AdguardFilters/commit/76971ea821a06ab04ada21f1291e6081ad54c428#commitcomment-104226681
+/asset/angular.min.js?t=$xmlhttprequest,~third-party
+/asset/jquery/slim-3.2.min.js?*&t=$xmlhttprequest,~third-party
+! TODO: remove 20.03.2023 if generic rules will not cause problems
+! /asset/angular.min.js$domain=avple.video|javhdfree.icu|nekolink.site|mambast.tk|netflav.com|fembed-hd.com|ndrama.xyz|pornhole.club|ffem.club|jvembed.com|dzmdplay.xyz|jav247.top|yuistream.xyz|javfu.net|iframe2videos.xyz|viplayer.cc|watchjavnow.xyz|cdn-myhdjav.info|embed-media.com|fembed9hd.com|cloudrls.com|vidgo.top
+! /asset/jquery/slim-3.2.min.js$domain=avple.video|javhdfree.icu|nekolink.site|mambast.tk|netflav.com|fembed-hd.com|ndrama.xyz|pornhole.club|ffem.club|jvembed.com|dzmdplay.xyz|jav247.top|yuistream.xyz|javfu.net|iframe2videos.xyz|viplayer.cc|watchjavnow.xyz|cdn-myhdjav.info|embed-media.com|fembed9hd.com|cloudrls.com|vidgo.top
+!
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/189721
+! Opera promo on third-party sites
+/sm/getcode?apiKey=
+! https://github.com/AdguardTeam/AdguardFilters/issues/185532
+! Example: https://sheegiwo.com/tag.min.js
+! https://alwingulla.com/88/tag.min.js
+/^https:\/\/[a-z]{8,15}\.(?:(com|net)\/(?:\d{1,3}\/)?tag\.min\.js$)/$script,third-party
+! ex. https://jzjj.jeoawamjbbzjy.top/kljyjjeajazry/mevjvz?d=1
+/^https:\/\/[a-z]{3,5}\.[a-z]{10,14}\.top\/[a-z]{10,16}\/[a-z]{5,6}(?:\?d=\d)?$/$script,third-party,match-case
+! https://github.com/AdguardTeam/AdguardFilters/issues/182734
+.click/?token=*&sessionUser=*&amzId=*&tilTime=*&s=|$all
+.cfd/?siteId=*&sessionId=*&cookiesValue=$all
+! ex. https://gutazngipaf.com/en/olrod?id=2013574
+/^https:\/\/[a-z]{10,12}\.com\/[a-z\/]{2,}\?id=[12]\d{6}$/$script,third-party,match-case
+! ex. https://fiveyardlab.com/z-7131650
+/^https:\/\/[0-9a-z]{5,}\.[a-z]{2,3}\/z-[5-9]\d{6}$/$script,~third-party
+! https://github.com/AdguardTeam/AdguardFilters/pull/175819
+/^https:\/\/www\.[a-z]{8,16}\.com\/(?:[A-Za-z]+\/)*(?:[_0-9A-Za-z]{1,20}[-.])*[_0-9A-Za-z]{1,20}\.js$/$script,third-party,match-case,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,third-party,match-case,header=link:/adsco\.re\/>;rel=preconnect/
+://www.*.com/*.css|$script,third-party,header=popads-node
+://www.*.com*/images/*.min.js|$script,third-party,header=popads-node
+://www.*.com/css/$script,third-party,header=popads-node
+://www.*.com/js/css/$script,third-party,header=popads-node
+://www.*.com/*.css|$script,third-party,header=link:/adsco\.re\/>;rel=preconnect/
+://www.*.com*/images/*.min.js|$script,third-party,header=link:/adsco\.re\/>;rel=preconnect/
+://www.*.com/css/$script,third-party,header=link:/adsco\.re\/>;rel=preconnect/
+://www.*.com/js/css/$script,third-party,header=link:/adsco\.re\/>;rel=preconnect/
+! https://github.com/uBlockOrigin/uAssets/issues/9139#issuecomment-1945860142
+/tds/ae?*&clickid=$document
+.com/api/users*^in=false&token=$document
+.com/api/users*^pii=&in=false^$document
+.com/api/users*^in=false&pii=$document
+! https://github.com/AdguardTeam/AdguardFilters/issues/158316
+://trk.*.run^$document
+! https://github.com/AdguardTeam/AdguardFilters/issues/156603
+! Fake dating sites
+?aff_pg=PPU&aff_id=$all
+?subPublisher=popunder:$all
+! push notification scam
+/?clck=*&sid=$document
+/?pl=*&sm=$document
+! Lucky visitor and video scam ex. https://1821.antbenjaw.live/jiehxxgr/?u=1nup806&o=0wywy2l&t=...
+.live/web/?sid=t*~$document
+! https://urlscan.io/result/fb21aa1b-9c79-4ac4-8e82-386403964206/
+/?u1=*&o1=*&sid=t*~$document
+/^https?:\/\/[0-9a-z]*\.?[-0-9a-z]{4,}\.[a-z]{2,11}\.?[a-z]{0,7}\/(?:[0-9a-z]{6,10}\/)?\/?(?:article\d{4}\.doc)?\?(?:cid=[0-9a-z]+&)?[ou]=[0-9a-z]{7}(?:&t=\d+)?&[ou]=[0-9a-z]{7}/$document,match-case
+!
+! PopAds
+.com/*=3&*,1|$script,third-party
+.com/*=3&*,0|$script,third-party
+.com/*=e3&*,1|$script,third-party
+.com/*=e3&*,0|$script,third-party
+!
+.com/1?z=$script,third-party
+.com/2?z=$script,third-party
+.net/1?z=$script,third-party
+.net/2?z=$script,third-party
+/pub?id=$script,third-party
+/in/p/?spot_id=$subdocument,third-party
+&request_ab*&zoneid=$all
+&campid=*&did=$all
+&zoneid=*&request_ab$all
+! https://help.zeydoo.com/en/articles/4362747
+/?l=*&campid=*&ymid=$all
+! AaDetector
+/loadmez/com/coldvain/*.js
+/loadme/com/coldvain/*.js
+/loadme/com/lazymolecule/*.js
+/heyboy/com/lazymolecule/*.js
+! sadbl
+/script/suv5.js|$script
+/script/q91a.js|$script
+/script/frustration.js|$script
+/d3.php?*=s*&*&sadbl=
+/deity.php?*=s*&*&sadbl=
+/script/pop_packcpm.php
+! Porn banners
+.com/ablck/250-300/
+&type=dynamic_banner$subdocument,third-party
+! Ad redirects on visit abandoned domains
+/?tm=1&subid4=*&kw=$all
+/page/bouncy.php?&bpae=*&redirectType=js&inIframe=$all
+! https://github.com/AdguardTeam/AdguardFilters/issues/131024
+&siteid=*&adid=$removeparam
+! Vidstream
+/mellowpresence.com^$script
+! https://github.com/easylist/easylist/pull/9330
+! Example URL: https://2fe5885777.b370db8cb7.com/75ef9b49bd156e7615885ad2fbc87f82.js
+/^https:\/\/[0-9a-f]{10}\.[0-9a-f]{10}\.com\/[0-9a-f]{32}\.js$/$script,third-party
+!
+! Clickunders in the players on porn sites
+/assets/jquery/api.js?type=adult$~third-party
+/assets/jquery/api.js?type=mainstream$~third-party
+/assets/jquery/app100.js?type=$~third-party
+/assets/jquery/api100.js?type=$~third-party
+/assets/jquery/adult100.js?v=$~third-party
+/assets/jquery/main100.js?v=$~third-party
+/assets/jquery/jquery-1.4.1.min.js?v=2&type=adult
+/assets/jquery/jquery-1.4.2.min.js?v=2&type=adult
+/assets/jquery/jquery-1.4.3.min.js?v=2&type=adult
+/assets/jquery/jquery-2.4.3.min.js?v=2&type=adult
+/assets/jquery/jquery-3.2.min.js?v=2&type=adult
+!
+/?z=*&syncedCookie=true&rhd=false$all
+errx01USAHTML/?bcda=$document
+&js_build=iclick-$all
+&subAffId={SUBAFFID}^$script,subdocument,third-party
+&subAffId=tall^$script,subdocument,third-party
+/?rb=*&zoneid=$all,third-party
+&rb=*&zoneid=$all
+&zoneid=*&rb=$all,third-party
+/?request_ab*&zoneid=*&rb=$all
+/avo/includes/js/jquery.js
+/?uclick=*&uclickhash=$all
+.com/click/?ct=*&cu=$all
+/prepare/ads^
+_clickunder&pb=$popup
+/contents/images-banners/*
+/go/*?ident=*&id_site=$~third-party
+%3Faf_prt%3D*%26af_siteid%3D1*%26clickid%3D$all
+/rtb/r/?token=$script
+.com/pw/waWQiOjEw
+! Clickadu
+! ex. https://kaqppajmofte.com/en/owh/avw?spfrctux=ude&qdsp=jzub&dce=808204&jvkcce=391260&iilmwn=auge&id=1971897
+/^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,third-party,match-case
+?zoneid=*&ab=1|$script,third-party
+/get/*?zoneid=*&jp=$script
+! https://github.com/AdguardTeam/AdguardFilters/pull/83787
+/c-hive.min.js$script,~third-party
+/shrinker/js/ionqsnwx1.js$script,~third-party
+/shrinker/js/ionqsnwx2.js$script,~third-party
+!
+! common TXXX network scripts
+/assets/jwplayer-*/vast.js$script,~third-party
+/exort7.$script,~third-party
+/duayn7.$script,~third-party
+/howone7.$script,~third-party
+/ytrek7.$script,~third-party
+/lemon7.$script,~third-party
+/teo7.$script,~third-party
+/nofa7.$script,~third-party
+/afon7.$script,~third-party
+/rass7.$script,~third-party
+/huyass7.$script,~third-party
+/kzdh7.$script,~third-party
+/klesd7.$script,~third-party
+!
+! https://github.com/AdguardTeam/AdguardFilters/pull/136624
+! PropellerAds
+/^https:\/\/[a-z-]{8,15}\.(?:com|net|tv|xyz)\/(?:40[01]|50?0?)\/\d{6,7}\??\S*$/$script,xmlhttprequest,third-party
+! Popular on Japanese sites but seen in other countries too
+! https://github.com/AdguardTeam/AdguardFilters/issues/58587#issuecomment-656098019
+! Sample URL: ||js.passaro-de-fogo.biz/t/113/750/a1113750.js
+/\/t\/[0-9]{3}\/[0-9]{3}\/a[0-9]{4,9}\.js$/$script
+!
+! ex. https://d3a00ifauhjdp.cloudfront.net/?afiad=933423
+/^https?:\/\/[0-9a-z]{13,14}\.cloudfront\.net\/\?[a-z]{3,5}=\d{6,7}$/$script,xmlhttprequest,third-party
+!
+/js/fpu3/pu4.min.js
+/cb/cb.ta.js?v=
+/cb/cb.xb.js?v=
+/ab/thejsfile.js
+.xyz/1clkn/
+.club/1clkn/
+! https://github.com/AdguardTeam/AdguardFilters/issues/65588
+! https://github.com/AdguardTeam/AdguardFilters/issues/44105
+.com/*?*&refer=*fmovies.*&adb=$all
+! PopAds redirects
+! ads on the porn sites
+/s/s/js/m/custom.js?
+/s/s/js/m/custom_advanced.js?
+/s/s/js/ssu.v2.
+/_xa/ads_batch?ads=$xmlhttprequest,script
+/a/ipn/js/*
+/a/pop/js/*
+/s/s/supc.php
+/s/su.php?t=
+/s/js/ssu.v2.js?v=
+/xvideo.js|
+! Adman System popunderp
+/_a_ta/s/s/*
+/local_p.js^
+/local_su.js?t=
+/ab-a.js?v=
+/local_ssu.js|
+/s/s/suo.php
+!
+.pro/v1/a/*.js|
+.pro/v1/a/*/js?subid=awn|
+.pro/v1/a/*/js?container=
+.pro/v2/a/ban/
+!
+!
+/?scontext_r=*&nrb=$all
+&pbsubid=*&noads=$all
+.com/script/utils.js|$third-party
+.icu/*?zoneid=*&visitor_id=$all
+/?pid=*&subid=*&clickid=$popup
+/?tag=*&clickid=*&subid=$popup
+/pu/?psid=
+! Popular ExoClick script name
+.com/f_lo.js|$script,~third-party
+/flo.js|
+! Block some clickunders
+! for a lot of porn sites
+porn*.me/bees.js|
+porn*.com/bees.js|
+porn*.net/bees.js|
+!
+!+ NOT_OPTIMIZED
+/phpbb_ads/*$~xmlhttprequest
+!+ NOT_OPTIMIZED
+_ad_content.
+!+ NOT_OPTIMIZED
+/getAditem
+!+ NOT_OPTIMIZED
+/getMultiAdsStrategy
+!+ NOT_OPTIMIZED
+/getStartPageAds
+!+ NOT_OPTIMIZED
+/getads?
+!+ NOT_PLATFORM(ext_safari, ios)
+/tghr.js$script
+!
+/dynamic-pop-comb.min.js
+/cuid/?f=https%$xmlhttprequest,third-party
+.xyz/fl1hrrg/$popup
+/submit.min.js?abvar=$all
+/dupa.gif?z=
+?ab=*&rl=1|$all
+?dovr=true|$document,popup
+%3C?php%20echo%20substr(md5(microtime())$popup
+.com/C.ashx|$third-party
+/zone/*?frame=0&ancestorOrigins=$all
+/direct-link?pubid=$all
+.com/redirect-zone/$all
+.com/afu.php?zoneid=$all
+://creative.*/widgets/Spot/lib.js$third-party
+://creative.*/widgets/v4/Universal?$subdocument,third-party
+/?oo=1&aab=1|$script,third-party,xmlhttprequest
+/?oo=1&aab=1|$script,third-party,xmlhttprequest,redirect=noopjs
+/images/static/github-org-members.min.js
+.com/sha512.min.js
+/api/imagine.min.js$third-party
+.doc?t=popunder$all
+/?t=popunder&$all
+.doc?f=1&sid=$all
+/[0-9a-f]{32}\/invoke\.js/$script,third-party,redirect-rule=noopjs
+.com/invoke.js$script,third-party,redirect-rule=noopjs
+/api/ipv4check?$xmlhttprequest,third-party
+/api/senddata?$xmlhttprequest,third-party
+/ads/300.html
+.com/aS/feedclick?s=$all,match-case
+/js/re-ads-
+/_xa/ads_
+/image/affiliate/*
+/_adslot/*
+/ad-provider.
+/sdk/push_web/?zid=
+.com/api/senddata/*&format=iosSystemMessage-modal-
+/?publisherId=*&hostId=$all
+.com/1?z=$script,third-party
+/systemerror-mac/?$document
+/s/s/js/i-top.js?v=
+.online/*/eeeekayresrsammicraaajkaschhoilsebadhiyakuchtanahiaayaajturuionmeebbat/$document
+/Win0xixm07/?phone=$document
+/attractivebuilt.com/*$script
+/rndskittytor.com/*$script
+/itespurrom.com/*$script
+/pioneersuspectedjury.com/*$script
+/theologicalpresentation.com/*$script
+/asdfghjkl.tech/index.html$document
+/mooncars/rover/chasra*/index.php$document
+/W*ity0*00Er00*/index.$document
+/merrx01/^$document
+/werrx01/^$document
+_dating3/index.html?aref=$all
+/nb/thejsfile.js
+?adl=1&id=$subdocument,script,~third-party
+/common-js/exit/om2.min.js
+/vppdzdrw.js
+/push/p.js?u=$third-party
+/grgfbigo.js
+/nbk/frnd_ld.js
+/pwafeeds/amazon_$subdocument
+/uthnafrwy.js
+/fret/meow4/*$script,third-party
+/display/items.php?$script,third-party
+/s/s/sum.php
+/vhdpoppingmodels/*$script
+.popup_im.
+/728xx90.jpg?sid=
+/?c=propeller&lpid=$all
+/xstat/ppjs?
+/hillpop.php|$script,~third-party
+/eroclick.js
+/ts.php?q=$xmlhttprequest,third-party
+/ts.php?z=$xmlhttprequest,third-party
+/script/atga.js$third-party
+/rtbfeed.php?$image,third-party
+/gofd_fl.js
+/j/m/qqqq.js?
+/script/su.js$script,third-party
+/javascript/fropo.js
+/pub/js_min.js|
+/askrej/*$script,~third-party
+/nb/f_ls.js
+/askdrej/*$script,~third-party
+/bannerpop/uploads/*
+/xxx.js|$script,~third-party
+.systems/signup?ad_domain=$all
+/ld/ifk?zoneid=
+/asset/default/player/plugins/vast-*.js
+.com/1clkn/
+.php?*&v=direct&siteId=*&minBid=*&popundersPerIP=
+/cdn-cgi/pe/bag2?r[]=*ssp.zryydi.com
+/cdn-cgi/pe/bag2?r[]=*d27x580xb9ao1l.cloudfront.net
+/cdn-cgi/pe/bag2?r[]=*.popmajor.com
+/cdn-cgi/pe/bag2?r[]=*.mgid.com
+/cdn-cgi/pe/bag2?r[]=*party-vqgdyvoycc.now.sh
+/static/js/amvn.js
+://*.*.biz/*?*!&bid=$third-party
+/phantomPopunder.js|
+.com/ad_js/
+/cdn-cgi/pe/bag2?r[]=*syndication.exoclick.com
+/js/popunderjs/init.js^
+.space/?tid=
+.baidu.com/cpro/
+.baidu.com/ecom
+.baidu.com/h.
+.baidu.com/union/
+/?track=ad:$third-party
+/_ra_lib.js
+/_ra_lib.php
+/abdetect.min.js^
+/ads.criteo.com.js
+/adsadclient
+/adsen.php
+/adwolf.$domain=~adwolf.ru
+/anti-ad-buster.js
+/banners*swf
+/cdn-cgi/pe/bag2?r[]=*cdn.plopx.com
+/cdn-cgi/pe/bag2?r[]=*securepubads.g.doubleclick.net
+/cdn-cgi/pe/bag2?r[]=*bontent.powvideo.net
+/cdn-cgi/pe/bag2?r[]=*dacash.powvideo.net
+/cdn-cgi/pe/bag2?r[]=*.poptm.com
+/cdn-cgi/pe/bag2?r[]=*cpmstar.com
+/cdn-cgi/pe/bag2?r[]=*prscripts.com
+/cdn-cgi/pe/bag2?r[]=http%3A%2F%2Fhilltopads.net
+/cu.php?s=$popup
+/di3asdadasdadas.di3asdsa.js
+/fiets-banner_
+/filejoker.$image
+/hitfile_730_90.png
+/im/im.js?sk=
+/index.php?op=ad_click
+/mobiquo/smartbanner/ads.js^
+/player_embed_cu.php?s=$popup
+/redirect-ads.php
+/tc-under.min.js
+_200x250.png
+Banner468x60
+http://www.ads.$third-party
+!
+! https://forum.adguard.com/index.php?threads/22268/
+/file?type=script&n=1&k=*&int=60&cl=$script
+! RoughTed malvertising servers
+! https://blog.malwarebytes.com/cybercrime/2017/05/roughted-the-anti-ad-blocker-malvertiser/
+!
+! PPU clickunder
+.com/?zoneid=*&xref=*&uuid=$redirect=nooptext,important
+! AdMaven
+&abt=0&red=1*&tid=
+&tid=*&red=1&abt=$redirect=nooptext,important
+?tid=*&red=1&*&abt=$redirect=nooptext,important
+/?&pid=*&subid=$redirect=nooptext,important
+/?&subid=*&pid=$redirect=nooptext,important
+!-------------------------------------------------------------------------------!
+!------------------ Rules for specific web sites -------------------------------!
+!-------------------------------------------------------------------------------!
+!
+! This section contains the list of domain-specific rules that block ads.
+!
+! Good: example.org###rek; ||example.com/ads/
+! Bad: example.org#@##banner_ad (for instance, should be in allowlist.txt or in antiadblock.txt)
+!
+! Section contains rules for specific websites
+!
+!### HINTS are at the end of file
+!
+!### Temporary ###
+! SECTION: Temporary
+! Malware spam on GitHub
+! Example: https://github.com/AdguardTeam/AdguardFilters/issues/187256
+[$path=/AdguardTeam]github.com##.comment-body a[href^="https://bit.ly/"]
+[$path=/AdguardTeam]github.com##a[href^="https://gofile.io/d/"]
+github.com#?#.comment-body > p:contains(/must have gcc|changeme|d5kp14h/)
+github.com##.comment-body a[href*="/fix.zip"]
+github.com##.comment-body a[href*="/fix.rar"]
+! https://github.com/AdguardTeam/CoreLibs/issues/1887
+! TODO: check with release version of CoreLibs 1.15
+! https://github.com/AdguardTeam/AdguardFilters/issues/131124
+! TODO: Remove, when this fix will be in release versions https://github.com/AdguardTeam/Scriptlets/issues/248 [03.10.2022]
+beermoneyforum.com###preloader
+! TODO: Remove, when this is resolved https://github.com/AdguardTeam/SafariConverterLib/issues/58
+triblive.com#?#.section.hex-sports + div:has(> div[data-type="float"])
+triblive.com###storyContent > div[data-type="float"][data-stn-player]
+! NOTE: Temporary end ⬆️
+! !SECTION: Temporary
+!##################
+!
+! START: Ad-Shield ad reinsertion
+||07c225f3.online/loader.min.js$domain=edaily.co.kr
+||slobodnadalmacija.hr/templates/site/js/adrecover.js$script
+! Don't add url blocking rules inside this directive, which break sites in iOS without Advanced Protection
+! Use the next directive, where iOS is excluded
+thesaurus.net,cboard.net,joongdo.co.kr,viva100.com,thephoblographer.com,gamingdeputy.com,alle-tests.nl,maketecheasier.com,automobile-catalog.com,allthekingz.com,motorbikecatalog.com#%#//scriptlet('abort-current-inline-script', 'atob', 'eval(decodeURIComponent(escape(window.atob("KCgpPT57bGV0IGU')
+thesaurus.net,cboard.net,joongdo.co.kr,viva100.com,thephoblographer.com,gamingdeputy.com,alle-tests.nl,maketecheasier.com,automobile-catalog.com,allthekingz.com,motorbikecatalog.com#%#//scriptlet('prevent-eval-if', '/07c225f3\.online|content-loader\.com|css-load\.com|html-load\.com/')
+woxikon.de,yugioh-starlight.com,news4vip.livedoor.biz,onecall2ch.com,ff14net.2chblog.jp,mynet.com,laleggepertutti.it,gazetaprawna.pl,verkaufsoffener-sonntag.com,heureka.cz,raetsel-hilfe.de,word-grabber.com,the-crossword-solver.com,wort-suchen.de,eurointegration.com.ua,gloria.hr,wfmz.com,allthetests.com,javatpoint.com,globalrph.com,carscoops.com,islamicfinder.org#%#//scriptlet('remove-node-text', 'script', 'error-report.com')
+worldhistory.org#%#//scriptlet('remove-node-text', 'script', 'adShield')
+mynet.com,gazetaprawna.pl,thatgossip.com,infinityfree.com,timesofindia.indiatimes.com,heraldm.com,pravda.com.ua,winfuture.de,text-compare.com,onlinegdb.com,dziennik.pl#%#//scriptlet('abort-on-stack-trace', 'document.getElementById', 'onerror')
+*$document,csp=script-src-attr 'none',domain=cruciverba.it|motscroises.fr|palabr.as|word-grabber.com|wort-suchen.de|lamire.jp|picrew.me|badmouth1.com|jin115.com|gloria.hr|etnews.com|sportsseoul.com|hoyme.jp|heraldm.com
+||html-load.com^$script,redirect=noopjs,domain=yugioh-starlight.com|news4vip.livedoor.biz|onecall2ch.com|ff14net.2chblog.jp|laleggepertutti.it|cruciverba.it|motscroises.fr|palabr.as|word-grabber.com|dramabeans.com|wort-suchen.de|thesaurus.net|blog.esuteru.com|blog.livedoor.jp|carscoops.com|dziennik.pl|eurointegration.com.ua|flatpanelshd.com|fourfourtwo.co.kr|issuya.com|itainews.com|iusm.co.kr|logicieleducatif.fr|mydaily.co.kr|onlinegdb.com|pravda.com.ua|reportera.co.kr|sportsrec.com|taxguru.in|text-compare.com|thesaurus.net|thestar.co.uk|tweaksforgeeks.com|videogamemods.com|wfmz.com|winfuture.de|worldhistory.org|yorkshirepost.co.uk|infinityfree.com|the-crossword-solver.com|missyusa.com|crosswordsolver.com|raetsel-hilfe.de|heureka.cz|verkaufsoffener-sonntag.com|mynet.com|woxikon.de
+missyusa.com,blog.esuteru.com,blog.livedoor.jp,carscoops.com,dziennik.pl,eurointegration.com.ua,flatpanelshd.com,fourfourtwo.co.kr,issuya.com,itainews.com,iusm.co.kr,logicieleducatif.fr,mydaily.co.kr,onlinegdb.com,pravda.com.ua,reportera.co.kr,sportsrec.com,taxguru.in,text-compare.com,thestar.co.uk,tweaksforgeeks.com,videogamemods.com,wfmz.com,winfuture.de,worldhistory.org,yorkshirepost.co.uk,dramabeans.com#%#//scriptlet('prevent-setTimeout', 'error-report.com')
+woxikon.de,verkaufsoffener-sonntag.com,heureka.cz,raetsel-hilfe.de,crosswordsolver.com#%#//scriptlet('abort-current-inline-script', 'Symbol', 'error-report.com')
+thesaurus.net#%#//scriptlet('prevent-setTimeout', 'loader.min.js')
+mlbpark.donga.com,tweaksforgeeks.com#%#//scriptlet('remove-node-text', 'script', 'KCgpPT57bGV0IGU')
+! Stylesheet is loaded by html-load.com script, so we need to add it manually
+www.infinityfree.com#%#//scriptlet('trusted-create-element', 'head', 'link', 'rel="stylesheet" href="https://www.infinityfree.com/css/bundle.min.1f303fb496f0cf32c84c7d78432ca78e7e88ad2dc984192e4faa19b8c1fffc8c.css"')
+dash.infinityfree.com#%#//scriptlet('trusted-create-element', 'head', 'link', 'rel="stylesheet" href="https://dash.infinityfree.com/build/assets/clients-041be5e3.css"')
+dogdrip.net,smsonline.cloud,infinityfree.com#%#(()=>{const t="loader.min.js",e={includes:String.prototype.includes,querySelector:Document.prototype.querySelector},n=()=>(new Error).stack,o={construct:(o,r,c)=>{const i=n();return e.includes.call(i,t)&&e.querySelector.call(document,'link[rel="stylesheet"][href*="/resources"')&&!e.includes.call(r[0]?.toString(),"[native code]")&&!e.includes.call(r[0]?.toString(),"():")&&(r[0]=function(t,e){}),Reflect.construct(o,r,c)}};window.Promise=new Proxy(window.Promise,o),window.Promise.prototype.constructor=new Proxy(window.Promise.prototype.constructor,o);const r={apply:(o,r,c)=>{const i=n();if(e.includes.call(i,t)&&c[0]instanceof HTMLScriptElement&&e.includes.call(c[0]?.textContent,"[native code]")){const t=c[0].textContent;c[0].setAttribute("data-original-script",t),c[0].textContent=c[0].textContent.replace(/(\(function\(\){{)/,'$1document.currentScript.textContent = document.currentScript.getAttribute("data-original-script");document.currentScript.removeAttribute("data-original-script");'),c[0].textContent=c[0].textContent.replace(/(window\[.{1,10}\]=new Proxy\(window\[.{1,10}\],{construct:\(.{1,10}\)=>{).*(return Reflect\.construct(.{1,10})}}\))/,"$1$2")}return Reflect.apply(o,r,c)}};Element.prototype.appendChild=new Proxy(Element.prototype.appendChild,r)})();
+! Workaround also for iOS, where we cannot apply url blocking rule
+! Related to https://github.com/AdguardTeam/FiltersCompiler/issues/226
+! After implementation, we could add any rules for AdGuard for iOS only with Advanced Protection
+issuya.com#$?#script[src$="/loader.min.js"][onerror*="error-report.com"] { remove: true; }
+woxikon.de,mynet.com,gazetaprawna.pl,verkaufsoffener-sonntag.com,thatgossip.com,heureka.cz,modhub.us,missyusa.com,cruciverba.it,motscroises.fr,palabr.as,word-grabber.com,wort-suchen.de,pressian.com,pravda.com.ua,lamire.jp,picrew.me,mydaily.co.kr,badmouth1.com,taxguru.in,sportsrec.com,reportera.co.kr,tweaksforgeeks.com,fourfourtwo.co.kr,flatpanelshd.com,wfmz.com,videogamemods.com,dziennik.pl,eurointegration.com.ua,jin115.com,gloria.hr,etnews.com,carscoops.com,sportsseoul.com,onlinegdb.com,text-compare.com,winfuture.de,hoyme.jp,timesofindia.indiatimes.com,blog.esuteru.com,blog.livedoor.jp,itainews.com#%#//scriptlet('abort-on-stack-trace', 'Object.defineProperty', 'html-load.com')
+woxikon.de,mynet.com,gazetaprawna.pl,verkaufsoffener-sonntag.com,thatgossip.com,heureka.cz,modhub.us,missyusa.com,cruciverba.it,motscroises.fr,palabr.as,word-grabber.com,wort-suchen.de,issuya.com,pressian.com,pravda.com.ua,lamire.jp,picrew.me,mydaily.co.kr,badmouth1.com,taxguru.in,sportsrec.com,reportera.co.kr,tweaksforgeeks.com,fourfourtwo.co.kr,flatpanelshd.com,wfmz.com,videogamemods.com,dziennik.pl,eurointegration.com.ua,jin115.com,gloria.hr,etnews.com,carscoops.com,sportsseoul.com,onlinegdb.com,text-compare.com,winfuture.de,hoyme.jp,timesofindia.indiatimes.com,blog.esuteru.com,blog.livedoor.jp,itainews.com#%#//scriptlet('prevent-setTimeout', '/document\.querySelectorAll[\s\S]*?\.remove\(\)[\s\S]*?alert/')
+!
+||html-load.com/loader.min.js$domain=issuya.com|pravda.com.ua|lamire.jp|picrew.me|mydaily.co.kr|badmouth1.com|taxguru.in|sportsrec.com|reportera.co.kr|tweaksforgeeks.com|fourfourtwo.co.kr|flatpanelshd.com|wfmz.com|videogamemods.com|dziennik.pl|eurointegration.com.ua|jin115.com|gloria.hr|etnews.com|carscoops.com|sportsseoul.com|onlinegdb.com|text-compare.com|winfuture.de|hoyme.jp|timesofindia.indiatimes.com|blog.esuteru.com|modhub.us|thatgossip.com|gazetaprawna.pl
+||content-loader.com/loader.min.js$domain=issuya.com|dziennik.pl
+! Common rules, which partially hide banners
+! END: Ad-Shield ad reinsertion
+!
+! ExoClick
+.php$script,domain=onmpeg.com
+/abl.php$domain=sunporno.com
+/backend_loader.php$domain=beeg.com|croea.com|hipornvideo.com|imagetwist.com|imgskull.com|kporno.com|picfox.org|picshick.com|picturelol.com|porntube.com|yourporn.sexy
+/bl.php$domain=nopeporn.com|veu.xxx|sexytrunk.com|xxxbanjo.com|beeg.com|croea.com|hipornvideo.com|imagetwist.com|imgskull.com|kporno.com|picfox.org|picshick.com|picturelol.com|porntube.com|chaostube.net
+/fl.js$domain=nopeporn.com|veu.xxx|oralhoes.com|sexytrunk.com|xxxbanjo.com|beeg.com|croea.com|hipornvideo.com|imagetwist.com|imgskull.com|kporno.com|picfox.org|picshick.com|picturelol.com|porntube.com|24video.adult|24video.in|peretrah.com|pornognomik.com|sizke.com|imagecrest.com|imgtaxi.com|chaostube.net|imgadult.com|imgdrive.net|imgwallet.com
+/floa.js$domain=ah-me.com|beeg.com|croea.com|hipornvideo.com|imagetwist.com|imgskull.com|kporno.com|picfox.org|picshick.com|picturelol.com|porntube.com|yourporn.sexy
+/frontend_loader$domain=beeg.com|croea.com|hipornvideo.com|imagetwist.com|imgskull.com|kporno.com|picfox.org|picshick.com|picturelol.com|porntube.com|yourporn.sexy
+/fros_los.js$domain=beeg.com|croea.com|hipornvideo.com|imagetwist.com|imgskull.com|kporno.com|picfox.org|picshick.com|picturelol.com|porntube.com|yourporn.sexy
+!
+! system.popunder
+eztv.unblocked.sh,vidzi.tv##body > div[id][style*="position: fixed"][style*="z-index"][style*="height:"][style*="height:"]:not(#container)
+!
+! For ad scripts, which are using onerror event
+||octoclick.net/b/code/*.js$script,redirect=noopjs
+!
+! Windows apps
+! Skype
+! uTorrent
+||utclient.utorrent.com/offers/mac-ut-adfree/i18n/en/offer.json
+||bt.co/network/index-mac-ut.html$redirect=nooptext,important
+! Edge Browser start page ads
+||bing.com/retailexp/msn/api/*/trendingprods
+!
+! Viber for desktop
+!
+!***
+!* Metro Apps
+||adduplex.com/*/GetAd
+||impus.tradedoubler.com/imp?type(img)
+! https://github.com/AdguardTeam/AdguardForWindows/issues/1572
+||frank-luttmann.de/banner/
+||palmendeals.blob.core.windows.net
+||vungle.com^
+! News modern app
+||api.taboola.com/*/json/msn-windowsapps-*/recommendations.get?
+! Metro Commander
+||apps.boo-studio.com/*/banner/
+||apps.boo-studio.com/promotion/
+!*
+!***
+!
+! Spotify
+||spotifycdn.com/audio/$media,redirect=noopmp4-1s,domain=open.spotify.com
+||media-us.amillionads.com/*.mp3$media,redirect=noopmp4-1s,domain=spotify.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/136566
+||audio-*.scdn.co/audio/$media,redirect=noopmp4-1s,domain=spotify.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/171225
+! https://github.com/AdguardTeam/AdguardFilters/issues/165079
+||creativeservice-production.scdn.co/mp3-ad/*.mp3$media,~xmlhttprequest,redirect=noopmp4-1s,domain=spotify.com
+||audio-ak*-spotify-com.akamaized.net/audio/$media,~xmlhttprequest,redirect=noopmp4-1s,domain=spotify.com
+! https://github.com/AdguardTeam/AdguardForWindows/issues/3087
+! https://github.com/AdguardTeam/AdguardFilters/issues/165079
+||spclient.wg.spotify.com/ad-logic/flashpoint
+! Breaks next track button and seeking
+!
+! Prevent of loading WS (onerror event)
+||servicer.mgid.com^$redirect=nooptext,third-party,important
+||jsc.marketgid.com/*.js?t=$redirect=nooptext,important,~websocket
+!
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/155144
+!+ NOT_PLATFORM(ios, ext_android_cb, ext_safari)
+/^https:\/\/[a-z]{3,5}\.[a-z]{10,14}\.top\/[a-z]{10,16}\/[a-z]{5,6}$/$script,third-party,match-case,domain=moviesjoy.is|rawkuma.com|anichin.top
+! Example for rule below - https://np.yarndispost.com/rIikUX4kCyD2CNK/rOWeM
+/^https:\/\/[a-z]{2,5}\.[a-z]{10,14}\.com\/[a-zA-Z0-9]{10,16}\/[a-zA-Z]{5,6}$/$script,third-party,match-case,domain=lookmovie.foundation
+! common TXXX network scripts
+/\/[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|hclips.com|hdzog.com|hotmovs.com|imzog.com|inporn.com|javdaddy.com|porn555.com|pornforrelax.com|porngo.tube|pornj.com|pornl.com|pornq.com|porntop.com|privatehomeclips.com|puporn.com|see.xxx|shemalez.com|sss.xxx|thegay.*|tubepornclassic.com|tuberel.com|txxx.*|txxxporn.tube|upornia.*|vjav.*|voyeurhit.com|vxxx.com|bigdick.tube|voyeurhit.tube|hotmovs.tube|in-porn.com|manysex.com|pornclassic.tube|manysex.tube|aniporn.com|abxxx.com|gaytxxx.com|xjav.tube|abjav.com|transtxxx.com
+/\.[a-z]{3,5}\/[0-9a-z]{8,12}\/[0-9a-z]{8,12}\.js$/$script,domain=555.porn|hclips.com|hdzog.com|hotmovs.com|imzog.com|inporn.com|javdaddy.com|porn555.com|pornforrelax.com|porngo.tube|pornj.com|pornl.com|pornq.com|porntop.com|pornzog.com|privatehomeclips.com|puporn.com|see.xxx|senzuri.tube|shemalez.com|sss.xxx|thegay.*|tubepornclassic.com|tuberel.com|txxx.*|txxxporn.tube|upornia.*|vjav.*|voyeurhit.com|vxxx.com|bdsmx.tube|blackporn.tube|mrgay.tube|bigdick.tube|xmilf.com|voyeurhit.tube|hdzog.tube|teenorgy.video|hotmovs.tube|asiantv.fun|pornclassic.tube|pornhits.com|sextu.com|in-porn.com|manysex.com|onlyporn.tube|manysex.tube|aniporn.com|abxxx.com|gaytxxx.com|xjav.tube|abjav.com|transtxxx.com
+! same for iOS(no full regexp support)
+!
+! dancers `Popping Tool` (domain.com/t28193693144.js) / TotemTools
+! + scritplet rules in general_extensions.txt
+/\/t[a-f0-9v]{10,13}\.js$/$domain=camwhoresbay.porn|camvideos.org|camwhores.film|pics4you.net|naughtymachinima.com|imgbaron.com|pics4share.com|torrents-club.info|eroticahall.com|girlwallpaper.pro|mactorrent.co|erowall.com|adultwalls.com|motaen.com|camwhores.biz|imageteam.org|cambabe.video|cambabe.me|caminspector.net|free-strip-games.com|camwhores.tv|torrents-club.net|free-porn.games|picusha.net|porno-tracker.com|torrents-club.org|windows-soft.info|porno-island.*|zehnporn.com|x-movies.top|60-fps.net|femaleorgasms.pro|wetpussygames.com|mysexgames.com|sexgames.xxx|picmoney.org|imgadult.com|sikwap.xyz|kvador.com|pornsavant.com|babepedia.com|sexykittenporn.com|picdollar.com|imgwallet.com|imgsen.com|rintor.*|gamesofdesire.com|boobieblog.com|eroticity.net|xcity.org|imgdrive.net|imgtaxi.com|nakedbabes.club|vibraporn.com|porncoven.com|imgstar.eu|pics4upload.com|imgsto.com|silverpic.com|123strippoker.com|chicpussy.net|mota.ru|fotokiz.com|hentaicloud.com|ahegaoporn.net|hentaipins.com|super-games.cz|myporntape.com|asianlbfm.net|schoolgirls-asia.org
+!
+! 9anime.is side ads
+!! Blocking scripts
+/(toonget|kickassanime|watchanime|(the)?watchcartoons?online|readcomiconline|kimcartoon|kiss-anime|9anime|gogoanimes?|toonova|animeflv|animeplus|goodanime|animewow|animenova|animetoon|mangapanda|memecenter|mangareader|mangafreak)\.[a-z]{2,4}\/[s\S]*\/[-_a-zA-Z0-9]{22,}/$script,domain=gogoanimes.tv|animeflv.net
+! /(readcomiconline|kimcartoon|kiss-anime|9anime|gogoanime|toonova|animeflv|animeplus|goodanime|animewow|animenova|animetoon|mangapanda|memecenter|mangareader)\.[a-z]{2,4}\/(?!(assets|Content|cover|images|img|js|player|scripts|thumbs|Uploads|wp-content)\/)[-_a-zA-Z0-9]{4,}\/[-_a-zA-Z0-9]{2,}\/[-_a-zA-Z0-9]{2,}\/[-_a-zA-Z0-9]{1,}/$domain=animeflv.net
+/thumbs^$script,domain=animeflv.net
+!! Blocking pictures
+/(readcomiconline|kimcartoon|kiss-anime|9anime|gogoanime|toonova|animeflv|animeplus|goodanime|animewow|animenova|animetoon|mangapanda|memecenter|mangareader)\.[a-z]{2,4}\/[-_a-zA-Z0-9]{3,}\/[-_a-zA-Z0-9]{20,}.(gif|jpg|png)/$domain=animeflv.net
+gogoanimes.tv,animeflv.net##div[style*="visibility:hidden;"] > div[style*="z-index"] > a[href][rel*="nofollow"][rel*="noindex"]
+wcostream.com,watchcartoonsonline.eu,gogoanimes.tv,animeflv.net##div > div[id][style*="overflow:"][style*="hidden;"][style*="height:"]
+! no referrer anymore for ad request
+! old versions
+! /(readcomiconline|kimcartoon|kiss-anime|9anime|gogoanime|toonova|animeflv|animeplus|goodanime|animewow|animenova|animetoon|mangapanda|memecenter|mangareader)\.[a-z]{2,4}\/(?!(assets|scripts|player)\/)[a-zA-Z0-9]{4,}[\s\S]*.js/$domain=animeflv.net
+! /(readcomiconline|kimcartoon|kiss-anime|9anime|gogoanime|toonova|animeflv|animeplus|goodanime|animewow|animenova|animetoon|mangapanda|memecenter|mangareader)\.[a-z]{2,4}\/(?!(assets|scripts|player)\/)[a-zA-Z0-9]{4,}[\s\S]a*\/[a-zA-Z0-9]{4,}[\s\S]*.js/$domain=animeflv.net
+!
+! https://github.com/AdguardTeam/AdguardFilters/pull/168292
+! TODO: Remove once extension v4.4 is out
+://www.*.com/*.css|$script,third-party,domain=560pmovie.com|afrohung.com|bet36.es|blackcockadventure.com|blackcockchurch.org|blog.fc2.com|blogspot.com|blogtrabalhista.com|camgirlcum.com|castingx.net|derleta.com|desixx.net|diskusscan.com|dixva.com|dlhd.sx|ekasiwap.com|freetvsports.com|gameronix.com|gamesmountain.com|girlscanner.org|giurgiuveanul.ro|hayhd.net|hopepaste.download|igfap.com|incestflix.com|jp-films.com|kaoskrew.org|mdy48tn97.com|multicanaistv.com|novelas4k.com|nudebabesin3d.com|offlink.us|pervyvideos.com|phim12h.com|picsxxxporn.com|pinayscandalz.com|playtube.co.za|pornfits.com|pornhoarder.net|pornodominicano.net|pover.org|pubfilmz.com|rapbeh.net|rapload.org|rapelust.com|robaldowns.com|scat.gold|scatfap.com|scatkings.com|seneporno.com|shadowrangers.net|shahee4u.cam|sportea.online|stream.lc|streamcenter.pro|streamhub.to|subtitleporn.com|taboosex.club|vidtapes.com|watchjavidol.com|wincest.xyz|xxxxvideo.uno|a2zcrackworld.com|adricami.com|aeblender.com|animespire.net|blackporncrazy.com|cgpelis.net|erovoice.us|filthy.family|forumchat.club|freeporncomic.net|freeuse.me|gamepcfull.com|gamesfullx.com|influencersgonewild.org|itunesfre.com|keralatvbox.com|ladangreceh.xyz|maturegrannyfuck.com|milfmoza.com|monaskuliner.ac.id|naughtypiss.com|notformembersonly.com|ojearnovelas.com|oldbox.cloud|onlyfams.net|onlyfams.org|pervertgirlsvideos.com|piratefast.xyz|pmvzone.com|pornfetishbdsm.com|publicsexamateurs.com|rule34.club|scripts-webmasters.net|sextubebbw.com|slut.mom|shadowrangers.live|shadowrangers.net|sportskart.xyz|sxnaar.com|tabooflix.cc|tabooflix.org|teenporncrazy.com|torrsexvid.com|ufcfight.online|vfxmed.com|visifilmai.org|watchaccordingtojimonline.com|watchbrooklynnine-nine.com|wpdeployit.com|xxxfree.watch|yts.vin|pornredit.com|smoner.com|sportstream1.cfd|myeasymusic.ir|thepiratebay10.info|asialiveaction.com|tojav.net|wolverdon.fun|itopmusic.com|nlegs.com|stream.crichd.vip|jav-scvp.com|desivdo.com
+! hilltopads ex. (function(__htas)
+/^https?:\/\/[a-z-]{6,}\.(?:com?|pro|info|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,xmlhttprequest,third-party,match-case
+! for Safari
+!
+! remains from generichide rule `tnt-adblock`
+gazettetimes.com,missoulian.com,kenoshanews.com,cumberlink.com,trib.com,dailyprogress.com,stltoday.com,journalstar.com##.ad-col
+gazettetimes.com,missoulian.com,kenoshanews.com,cumberlink.com,trib.com,dailyprogress.com,stltoday.com,journalstar.com##.item-ad
+gazettetimes.com,missoulian.com,kenoshanews.com,cumberlink.com,trib.com,dailyprogress.com,stltoday.com,journalstar.com##.tnt-ads-container
+!
+! START: Youtube whitescreen fix
+!
+youtube.com#%#//scriptlet('set-constant', 'yt.config_.EXPERIMENT_FLAGS.web_bind_fetch', 'false')
+! This one might be needed when the page is loaded for the first time
+!youtubekids.com,youtube-nocookie.com,youtube.com#%#(()=>{const wrapper=(target,thisArg,args)=>{let result=Reflect.apply(target,thisArg,args);try{const decoded=atob(result);if(decoded.includes('ssapPrerollEnabled')){const modifiedContent=decoded.replace(/\n.\n.playerConfig\.ssapConfig\.ssapPrerollEnabled.{2}(?:tru|fals)e/,'');const encodeToBase64=btoa(modifiedContent);return encodeToBase64}}catch(e){} return result};const handler={apply:wrapper};window.Array.prototype.join=new Proxy(window.Array.prototype.join,handler)})();
+!youtubekids.com,youtube-nocookie.com,youtube.com#%#//scriptlet('set-constant', 'ytInitialPlayerResponse.playerConfig.ssapConfig', 'undefined')
+youtubekids.com,youtube-nocookie.com,youtube.com#%#//scriptlet('set-constant', 'ytInitialPlayerResponse.adPlacements', 'undefined')
+youtubekids.com,youtube-nocookie.com,youtube.com#%#//scriptlet('set-constant', 'ytInitialPlayerResponse.adSlots', 'undefined')
+youtubekids.com,youtube-nocookie.com,youtube.com#%#//scriptlet('set-constant', 'ytInitialPlayerResponse.playerAds', 'undefined')
+youtubekids.com,youtube-nocookie.com,youtube.com#%#//scriptlet('set-constant', 'playerResponse.adPlacements', 'undefined')
+!
+! Modify YT xhr responses
+! https://github.com/AdguardTeam/AdguardFilters/issues/167440
+! The rule trusted-replace-xhr-response with '\"adPlacements.*?([A-Z]"\}|"\}{2})\}\]\,' causes breakage on tv.youtube.com
+! The problem is that rules with '~' do not work correctly in Safari, the same might be for exceptions,
+! so requests from tv.youtube.com are excluded from this rule (the url part - '^(?!.*(\/\/tv\.youtube\.com)).*(player\?key=|watch\?[tv]=)') and instead simple workaround is used
+!youtube.com#%#//scriptlet('trusted-replace-xhr-response', '/\"adPlacements.*?([A-Z]"\}|"\}{2,4})\}\]\,/', '', '/^(?!.*(\/\/tv\.youtube\.com)).*(playlist\?list=|player\?|watch\?[tv]=)/')
+!tv.youtube.com#%#//scriptlet('trusted-replace-xhr-response', '"adPlacements"', '"no_ads"', '/playlist\?list=|player\?|watch\?[tv]=/')
+!youtube.com#%#//scriptlet('trusted-replace-fetch-response', '/"adPlacements.*?([A-Z]"\}|"\}{2,4})\}\]\,/', '', 'player?')
+!youtube.com#%#//scriptlet('trusted-replace-fetch-response', '"adSlots"', '"no_ads"', '/playlist\?list=|player\?|watch\?[tv]=/')
+!
+! Multiple trusted-replace-xhr-response causes breakage on music.youtube.com when logged in
+! youtube.com,youtubekids.com,youtube-nocookie.com#%#//scriptlet('trusted-replace-xhr-response', '/\"adSlots.*?\}\]\}\}\]\,/', '', '/player\?key=|watch\?[tv]=/')
+! youtube.com,youtubekids.com,youtube-nocookie.com#%#//scriptlet('trusted-replace-xhr-response', '/\"playerAds.*?\}\}\]\,/', '', '/player\?key=|watch\?[tv]=/')
+!youtube.com#%#//scriptlet('json-prune', 'playerResponse.playerConfig.ssapConfig playerConfig.ssapConfig')
+! Exclude "get_drm_license" from "player" url because it breaks "Free with ads" movies
+youtube.com#%#//scriptlet('json-prune-xhr-response', 'playerResponse.adPlacements playerResponse.playerAds playerResponse.adSlots adPlacements playerAds adSlots', '', '/playlist\?list=|\/player(?!.*(get_drm_license))|watch\?[tv]=/')
+youtube.com#%#//scriptlet('json-prune-fetch-response', 'playerResponse.adPlacements playerResponse.playerAds playerResponse.adSlots adPlacements playerAds adSlots', '', '/playlist\?list=|player\?|watch\?[tv]=/')
+m.youtube.com,music.youtube.com,youtubekids.com,youtube-nocookie.com#%#//scriptlet('json-prune', 'playerResponse.adPlacements playerResponse.playerAds playerResponse.adSlots adPlacements playerAds adSlots')
+! https://github.com/AdguardTeam/AdguardFilters/issues/172033#issuecomment-1925290685
+||googlevideo.com/initplayback?source=youtube&*&c=TVHTML5&oad=$xmlhttprequest,domain=youtube.com
+[$path=/tv]youtube.com#%#//scriptlet('json-prune', 'playerResponse.adPlacements playerResponse.playerAds playerResponse.adSlots adPlacements playerAds adSlots', '', '/https:\/\/www\.youtube\.com\/s\/player\/.*\/tv-player-ias\.vflset\/tv-player-ias\.js:/')
+! Fix SSAP ads
+www.youtube.com#%#//scriptlet('adjust-setTimeout', '[native code]', '17000', '0.001')
+www.youtube.com#%#(()=>{let t=document.location.href,e=[],n=[],o="",r=!1;const i=Array.prototype.push,a={apply:(t,o,a)=>(window.yt?.config_?.EXPERIMENT_FLAGS?.html5_enable_ssap_entity_id&&a[0]&&a[0]!==window&&"number"==typeof a[0].start&&a[0].end&&"ssap"===a[0].namespace&&a[0].id&&(r||0!==a[0]?.start||n.includes(a[0].id)||(e.length=0,n.length=0,r=!0,i.call(e,a[0]),i.call(n,a[0].id)),r&&0!==a[0]?.start&&!n.includes(a[0].id)&&(i.call(e,a[0]),i.call(n,a[0].id))),Reflect.apply(t,o,a))};window.Array.prototype.push=new Proxy(window.Array.prototype.push,a),AG_onLoad((function(){if(!window.yt?.config_?.EXPERIMENT_FLAGS?.html5_enable_ssap_entity_id)return;const i=()=>{const t=document.querySelector("video");if(t&&e.length){const i=Math.round(t.duration),a=Math.round(e.at(-1).end/1e3),c=n.join(",");if(!1===t.loop&&o!==c&&i&&i===a){const n=e.at(-1).start/1e3;t.currentTime{t!==document.location.href&&(t=document.location.href,e.length=0,n.length=0,r=!1),i()})).observe(document,{childList:!0,subtree:!0})}))})();
+! SSAP ads - fix for Firefox extension
+! Firefox extension cannot download new JavaScript rules, so we need to use a workaround by using $replace rule
+! Another problem is that commas must be escaped, but in Firefox extension escaped commas in "replacement" part are not converted to normal commas,
+! so we need to use capturing group for the comma and use it in the script
+! TODO: remmove it when new version of the extension will be released (current version is 4.3.53)
+! Fix ads on https://www.youtube.com/shorts/
+! https://github.com/AdguardTeam/AdguardFilters/issues/172033#issuecomment-1991263854
+! TODO: use scriptlet when this issue will be fixed - https://github.com/AdguardTeam/Scriptlets/issues/183
+www.youtube.com#%#(()=>{window.JSON.parse=new Proxy(JSON.parse,{apply(r,e,t){const n=Reflect.apply(r,e,t);if(!location.pathname.startsWith("/shorts/"))return n;const a=n?.entries;return a&&Array.isArray(a)&&(n.entries=n.entries.filter((r=>{if(!r?.command?.reelWatchEndpoint?.adClientParams?.isAd)return r}))),n}});})();
+! This one may be unnecessary:
+||youtube.com/get_video_info?*=adunit&$important
+! https://github.com/AdguardTeam/AdguardFilters/issues/81610
+! test for iOS
+! https://github.com/AdguardTeam/AdguardFilters/issues/51453
+!+ NOT_OPTIMIZED
+||youtube.com/get_video_info?$~third-party,badfilter
+!
+! END: Youtube whitescreen fix
+!
+! Fixing a new type of advertising for platforms without support for advanced rules
+! Fixing embedded video player
+! https://github.com/easylist/easylist/issues/5112
+! https://github.com/easylist/easylist/commit/3ed65e66e22963dc08a659dce6baa344ff158664
+@@||youtube.com/get_video_info*&el=editpage
+@@||youtube.com/get_video_info?*embedded$~third-party,other
+!
+! Fake buttons on pirate video services
+! '##.mvic-btn > a.btn-successful'
+pornwatch.ws,hindimoviestv.com,thetodaypost.com,5movies.buzz,xxxparodyhd.net,movgotv.com,123movies.*,freeomovie.info,hindilinks4u.co,movi.pk,novamovie.net,prmovies.co,putlocker.*,streamporn.pw,xopenload.me##.mvic-btn > a.btn-successful
+! '##.mvic-btn'
+watchmoviesss.*,123movies.*##.mvic-btn
+watchmoviesss.*###bread + div[style^="width:"]
+!
+! For Safari ('{,}' is not supported in regex rules)
+! URLs like that:
+! https://r023m83skv5v.com/c5/d1/c7/c5d1c7fa34676226827685638cd1efb7.js
+! https://prevotch.com/r8WLKGtgCSjddY/11983
+!
+! common names
+! ##.banner
+sheshaft.com,themoscowtimes.com,2pdf.com,levelup.com,curseforge.com,cool-proxy.net,newsletter.co.uk,e-chords.com,files2zip.com,scotsman.com,hotair.com,promokodi.coupons,e.vnexpress.net,deavita.net,tribuna.com,northamptonchron.co.uk,lep.co.uk,shieldsgazette.com,blackpoolgazette.co.uk,mitly.us,eurohoops.net,diudemy.com,match3games.com,adultdeepfakes.com,rawporn.org,xpshort.com,miltonkeynes.co.uk,jakiwniosek.pl,score808.com,audiosexstories.net,ipleak.org,mahjong.com,charexempire.com,photocollage.com,linkszia.co,subtitlist.com,belsat.eu,vikiporn.com,vidoo.org,israelnationalnews.com,pixeldrain.com,beautyass.com,nini08.com,vidnox.com,3dsportal.net,neongames.com,sputniknews.com,sputniknews.gr,onlineconvertfree.com,kijiji.ca,go.gets4link.com,youtubetrimmer.com,geekmi.news,iasparliament.com,hidefporn.ws,auslogics.com,toroox.com,url4cut.xyz,webshort.in,toonytool.com,fakechatapp.com,birdurls.com,yxoshort.com,ada.org,htmlgames.com,kiiw.icu,push.bdnewsx.com,earncoin.site,teenlolly.com,best18porn.com,fotodovana.com,1shorten.com,dextools.io,alternativeto.net,nakedneighbour.com,viral-topics.com,recipestutorials.com,tawiia.com,18tube.xxx,18porno.tv,youx.xxx,caixinglobal.com,fakemail.net,internewstv.com,trinddz.com,omni.se,earnguap.com,cashurl.in,abdeo8.com,xfantazy.com,printscreenshot.com,photoeditor.com,9c717baaf805a8436afd7912039e826c.link,uflash.tv,hellomagazine.com,rocketfiles.com,pornwhite.com,sex3.com,softonic.com,3pornstarmovies.com,cutearn.ca,cll.press,hellporno.net,youramateurporn.com,getlink.pw,keygames.com,flv2mp3.by,doodhwali.com,smutindia.com,dvdcover.com,xxxadultphoto.com,qpdownload.com,windows10portal.com,2conv.com,javcloud.com,cutwin.com,hqasiananal.com,bradsknutson.com,flv2mp3.org,subscene.com,iplayer.pw,qpornx.com,sofifa.com,jawcloud.co,indiansgetfucked.com,medi-bayreuth.de,oxforddictionaries.com,tube18.sex##.banner
+! ##.banners
+xxxn.club,camseek.tv,pornflix.to,theporngod.com,eurogirlsescort.com,xxxdl.net,manofmany.com,hotstunners.com,punishbang.com,hdtube.porn,pornburst.xxx,worldofmods.com,vibexxx.com,wantedbabes.com,wonderopolis.org,thehackernews.com,xxxadultphoto.com,teenfuckhd.com,mumbrella.com.au##.banners
+! ##body .ad
+issitedownrightnow.com,terabox.*,fedscoop.com,statescoop.com,edscoop.com,defensescoop.com,cyberscoop.com,halotracker.com,battlefieldtracker.com,destinytracker.com,gocmod.com,uptoearn.xyz,ibelieve.com,uploadsea.com,bleacherreport.com,thewindowsclub.blog,lovetoknow.com,colorxs.com,imaging-resource.com,fieldmag.com,investorplace.com,prosettings.net,gifcandy.net,gingersoftware.com,bitsofco.de,crn.com,techlusive.in,thehentaiworld.com,winporn.net,airport-charles-de-gaulle.com,getdaytrends.com,theurbanlist.com,dynamicwallpaper.club,delfi.lt,updatestar.com,worldstarhiphop.com,pdf.io,online-audio-converter.com,appsious.com,pythontutorial.net,flightglobal.com,lilymanga.com,outsider.com,servers.fivem.net,psdetch.com,phoneky.com,newsd.in,indiatvnews.com,yokibu.com,macleans.ca,clevelandclinic.org,readingrockets.org,martech.org,earlygame.com,tripadvisor.*,myhoustonmajic.com,gmanetwork.com,businessinsider.com,bgr.in,online-video-cutter.com,alison.com,mysqltutorial.org,sqlservertutorial.net,picmix.com,aim400kg.com,justfall.lol,epson-event-manager-utility.en.lo4d.com,barchart.com,politico.eu,thelayoff.com,ehow.com,tvweb.com,hiperdex.com,infobyip.com,uptodown.com,soundclouddownloader.org,r3sub.com,citra-emu.org,ipaddress.com,mobafire.com,movieweb.com,ndtv.com,samistream.com,trafficland.com,forvo.com,apornotube.net,instadp.com,elophant.com,thurrott.com,mtlblog.com,accuweather.com,narcity.com,mywebtimes.com,ancient.eu,gradesaver.com,nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion,tempostorm.com,defensesystems.com,whatsmydns.net,newatlas.com,gtplanet.net,investopedia.com,mangafox.la,sexhoundlinks.com,ibc.org,dcode.fr,pinkvilla.com,ranker.com,pornhd.com,history.com,icefilms.info,saavn.com,www-technologyreview-com.cdn.ampproject.org,bombhopper.io,worms.lol,satelite.io,javascripttutorial.net,jungle.lol,1v1.lol,tricksplit.io,filehippo.com,supersextube.pro,zipi.com,nejm.org,ertyu.org,howchoo.com,dvdsreleasedates.com##body .ad
+! ##.ads
+techxplore.com,strats.gg,gtainside.com,mybestgames.dk,eshop-prices.com,quena.id,sexu.*,gameme.eu,pornwatch.ws,mollygram.com,onlinewebfonts.com,androjungle.com,filerice.com,10001.games,hoes.tube,i24news.tv,rpp.pe,4pig.com,love4porn.com,gametop.com,bluedollar.net,outlookindia.com,blabbermouth.net,ghettotube.com,mangoporn.net,javplay.me,jagranjosh.com,4kporn.xxx,bangkokpost.com,up-load.io,liveindex.org,freeshib.biz,apkmb.com,upload.ac,westkentuckystar.com,namekun.com,piliapp.com,photofunny.net,grazia.co.in,flightpedia.org,thelingerieaddict.com,banglanews24.com,swisscows.com,jagran.com,autocarindia.com,userupload.net,javbraze.com,laptrinhx.com,youtube-video.download,pinkvilla.com,youramateurporn.com,dausel.co,yesnetwork.com,indiatoday.in,vidcloud.icu,appvn.com,h2mp3.com,tapas.io,freefrontend.com,ally.sh,myplaycity.com,mercadojobs.com,thepiratebay.org,sgxnifty.org,cyberscoop.com,filmcomment.com,youngpornvideos.com,eventcinemas.com.au,findyourlucky.com,linuxmint.com,mobafire.com,themepack.me##.ads
+! ##.banner-inner
+lnbz.la,oei.la,adpaylink.com,shortyget.com,clk.wiki,tinys.click,adpayl.ink,baicho.xyz,clk.asia,namaidani.com,short2fly.xyz,bestcash2020.com,du-link.in,shrink.*,4cash.me,shorthero.site,cookdov.com,myshrinker.com,linkjust.com,adlinkweb.com,vklinks.com,seulink.online,gtlink.co,coinadfly.com,popimed.com,hoastie.com,forex-trnd.com,earnwithshortlink.com,adfloz.co,tui.click,link.ltc24.com,linkebr.com,pnd.*,clik.pw,cutlink.link,zagl.info,lite-link.xyz,pureshort.link,lite-link.com,techupme.com,fir3.net,softairbay.com,todaynewspk.win,fx4vip.com,tii.ai,srt.leechpremium.link,link1s.*,arabplus2.co,stfly.me,profitlink.info,jwearn.com,shorthitz.com,adsy.pw,intothelink.com,linkviet.xyz,adslinkfly.online,lkop.me,shlinko.com,oncehelp.com,shorterall.com,s-url.xyz,encurta.eu,stfly.io,shrtfly.net,vivads.net,fc.lc,icutlink.com,urlcloud.us,suqdz.com,cutlinks.pro,shortzon.com,kutz.io,coinb.ink,bit-url.com,tmearn.com,linkkawy.com##.banner-inner
+! ###ad
+cimanowtv.com,weakstreams.online,online-stopwatch.com,formula1streams.club,hockeynews.club,livesportstream.club,footballroma.com,web.yokugames.com,cimavids.live,cimanow.*,2shrt.com,cnvids.com,iogames.army,classic-retro-games.com,ytmp3.cc,fxsolves.com,kodi-addons.club,lastpass.com,jsoneditoronline.org,robinwidget.com,ascoltareradio.com,bg-radio.org,ceskaradiaonline.cz,ecouterradioenligne.com,emisora.cl,emisora.org.es,emisoras.com.gt,emisoras.com.mx,emisoras.com.py,nederlandseradio.nl,nettiradiot.org,nettradionorge.com,onlineradio.pl,radio.cd,radio.co.ci,radio.co.cm,radio.co.dk,radio.co.ma,radio.co.si,radio.ht,radio.mg,radio.org.ro,radio.org.se,radio.pp.ru,radio.sn,radioalgerie.eu,radioarg.com,radiohallgatas.hu,radioonline.com.pt,radios.co.at,radios.co.cr,radios.co.ni,radios.co.ve,radios.com.bo,radios.com.co,radios.com.do,radios.com.ec,radios.com.pa,radios.com.pe,radios.com.sv,radios.com.uy,radios.hn,radios.hr,radios.org.il,radiosaovivo.net,radiosdecuba.com,radiosdepuertorico.com,radiosonline.be,radiosonline.ch,radiotunisienne.org,radioua.net,radyodinle.fm,surinaamseradio.com###ad
+! ##.advert
+djmag.com,skysports.com,linuxinsider.com,pianistmagazine.com,meetdownload.com,gobankingrates.com,thestudentroom.co.uk,advertiserandtimes.co.uk,stylecraze.com,mulheresafoder.com,mapcarta.com,thetrendspotter.net,examtiger.com,gaana.com,etf.com,northern-scot.co.uk,pornwatchers.com,ftopx.com,dazeddigital.com,agame.com,beeg.com,blogto.com,eurogamer.net,eurogamer.pt,fijivillage.com,flashgames.ru,games.co.id,games.co.uk,gamesgames.com,giochi.it,gioco.it,girlsgogames.co.id,girlsgogames.co.uk,girlsgogames.com,girlsgogames.de,girlsgogames.fr,girlsgogames.it,girlsgogames.ru,globalrph.com,gry.pl,jetzspielen.de,jeu.fr,jeux.fr,juegos.com,juegosdechicas.com,moonbit.co.in,mousebreaker,mousebreaker.com,newsweek.com,ojogos.com.br,ourgames.ru,oyunskor.com,permainan.co.id,pornwatchers.com,spel.nl,spela.se,spelletjes.nl,spielen.com,stileproject.com,unogs.com,velonews.com,videogameschronicle.com##.advert
+! ###fancybox-outer
+royalcams.com,adultcams.me,adultchat2100.com,alphafreecams.com,bimbolive.com,bongacam.net,bongacam.org,bongacams-chat.ru,bongacams.com,bongacams.eu,bongacams2.com,cammbi.com,clipmass.com,prostocams.com,smutcam.com###fancybox-outer
+! ###fancybox-overlay
+royalcams.com,adultcams.me,adultchat2100.com,alphafreecams.com,bimbolive.com,bongacam.net,bongacam.org,bongacams-chat.ru,bongacams.com,bongacams.eu,bongacams2.com,cammbi.com,clipmass.com,prostocams.com,smutcam.com###fancybox-overlay
+! ###floatLayer1
+gamehdlive.online,worldstreams.watch,cricfree.live,cricfree.stream,mbfsports.com,wizhdsports.fi,wizhdsports.be,blogspot.com,bollymovies.in,buzina.xyz,hdfree.tv,stream2watch.me,streamlivebox.com,wiz1.net,wizhdsports.com###floatLayer1
+! ###floatLayer2
+hentai-id.tv###floatLayer2
+! ##.sponsor
+jizzoncam.com,pornhits.com,shemalesin.com,porntrex.video,maturetubehere.com,hentai-moon.com,pornxpert.com,crazyporn.xxx,heavyfetish.com,scatkings.com,grahamcluley.com,4kporn.xxx,hairyerotica.com,gettubetv.com,ufile.io,lesbian8.com,zedporn.com,bigtitslust.com,fpo.xxx,fontyukle.net,porno90.online,pornchimp.com,lolhentai.net,vikiporn.com,its.porn,swiftbysundell.com,uiporn.com,heroero.com,camwhores.tv,heroero.com,magnetfox.com,sexwebvideo.com,pornfapr.com,watchmyexgf.net,alphaporno.com##.sponsor
+! ##.spot
+analry.com,hard3r.com,bigbigtits.com,maturexy.com,bigbumfun.com,fuqster.com,bigtitbitches.com,w1mp.com,riverporn.pro,sexpester.com,w4nkr.com,pornwhite.com,gaygo.tv,sextaped.com,ratedgross.com,sleazyneasy.com,pornsexxxer.com,litecoin-faucet.com,3prn.com,motherporno.com,pornomovies.com,camhub.tv,max.porn,feetporno.com,familyporn.tv,freehardcore.com,moviesand.com,momvids.com,hdzog.com,pornbimbo.com##.spot
+! ##.advertisement
+ashemaletv.com,ipaomtk.com,faceitstats.com,ichgcp.net,cinestaan.com,operanews.com,tasteofhome.com,readersdigest.ca,gramfile.com,outlookindia.com,cnbctv18.com,internationalnewsandviews.com,additudemag.com,motoroctane.com,serverhunter.com,rogerebert.com,blavity.com,nuvid.*,discordemoji.com,soft112.com,perfectgirls.net,indaily.com.au,generatorlinkpremium.com,8tracks.com,digiday-com.cdn.ampproject.org,mathopenref.com,playlive.pw##.advertisement
+! ##.ad-container
+businessday.ng,crosswordsolver.com,greatbritishchefs.com,halotracker.com,wowdb.com,futbin.com,foxweather.com,tikmate.app,coomer.party,mixed-news.com,rome2rio.com,ubackup.com,southparkstudios.com,theglobeandmail.com,globalnews.ca,infoworld.com,worldsoccertalk.com,minecraftforum.net,snipboard.io,pics-x.com,recyclingtoday.com,battlefieldtracker.com,destinytracker.com,tracker.network,tracker.gg,jamesbachini.com,grammarbook.com,punchng.com,one-off.email,all3dp.com,mangafarm.com,mangajar.com,deeeep.io,raaaaft.io,trustedreviews.com,obsev.com,gfinityesports.com,reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion,dvbtmap.eu,infinityfree.net,ibtimes.co.uk,amp-businessinsider-com.cdn.ampproject.org,deviantart.com,usatoday.com##.ad-container
+! ##.adsbygoogle
+randomlists.com,gameinfo.io,ernesto.it,cdromance.com,linkjust.com,updatesmarugujarat.in,mexashare.com,links4u.me,linku.us,skips.link,hexafile.net,freemcserver.net,micloudfiles.com,onvasortir.com,bomurl.com,leechall.download,fcportables.com,thewindowsclub.com,magesy.be,javadecompilers.com,mobilapk.com,trackitonline.ru,socks24.org,sslproxies24.top,uploadcloud.pro,bravofly.com,seomafia.net,uploadx.link,socketloop.com,fileoops.com,medicalnewstoday.com,hdwallpapers.in,short.am,adbull.me,gofobo.com,file-upload.com,up-4ever.com,majesy.org,majesy.com,magesy.eu,magesy.blog,informer.com,cmacapps.com,computerera.co.in,download.mokeedev.com,file-upload.cc,genbird.com,shink.in,uplod.ws,urlex.org,livenewschat.eu,onlinemschool.com,download.pixelexperience.org##.adsbygoogle
+! ##.block-video > div.table
+cliphunter.com,wxx.wtf,jizzoncam.com,camwhores.video,moreamateurs.com,faptor.com,pornachi.com,porndude.wtf,orgazmax.com,pornwex.tv,pornfd.com,area51.porn,pornrabbit.com,milf-porn.xxx,sextaped.com,pornxpert.com,perverttube.com,fapnow.xxx,epicgfs.com,scatkings.com,pornflix.to,xbjav.com,heavyfetish.com,tabootube.xxx,amateur8.com,maturetubehere.com,crazyporn.xxx,pornissimo.org,lesbian8.com,enf-cmnf.com,filtercams.com,bigassporn.tv,porn00.org,keekass.com,fuckit.cc,camwhoresbay.com,camwhoreshd.com##.block-video > div.table
+! ##body .code-block
+lokkio.it,sharetheurls.com,opfanpage.com,canonrumors.com,flamecomics.me,repacklab.com,proserialkey.com,fullmatch.info,spielanime.com,torrentmac.net,game-repack.site,ispreview.co.uk,nxbrew.com,news.fidelityhouse.eu,poscigi.pl,environmentenergyleader.com,econostrum.info,repack-games.com,cryptopolitan.com,windowsactivators.org,asuratoon.com,chatgbt.one,njbeachcams.com,nokiapoweruser.com,tricksndtips.com,naijaremix.com,rockandrollgarage.com,firstcuriosity.com,bigbrothernetwork.com,flamescans.org,tech-latest.com,nintendoeverything.com,game-2u.com,ps4pkg.com,asurascans.com,anime7.download,netchimp.co.uk,howifx.com,9xflix.qpon,digitbin.com,coffeenerd.blog,nsw2u.*,thegeekpage.com,crewbase.net,watchseinfeld.cc,dandadanmanga.org,vgkami.com,tvtonight.com.au,lilymanga.com,pornstash.in,warsawnow.pl,silverspoon.site,asura.gg,getdroidtips.com,crackshere.com,watchasian.ac,qzlyrics.com,bollywoodhindi.in,marugujarat.in,linuxcapable.com,apkmb.com,techgeekbuzz.com,designcorral.com,otakukan.com,movies07.art,monsterspost.com,policeresults.com,mpnrc.org,browserhow.com,chromeunboxed.com,journeybytes.com,tutcourse.com,opportunitydesk.info,freecoursesites.net,tektutorialshub.com,fossbytes.com,borncity.com,profitableventure.com,guru99.com,whatisthemeaningofname.com,techpp.com,troypoint.com,bakabuzz.com,conservativebrief.com,xyzcomics.com,desiflix.club,jujmanga.com,myhealthgazette.com,cryptodirectories.com,secondlifetranslations.com,thewincentral.com,techrfour.com,firmwarefile.com,bicfic.com##body .code-block
+! ##.ai_widget
+animecorner.me,crewbase.net,zarabiajprzez24.pl,watchhentai.xxx,napeza.com,app-how-to-use-it.com,linuxcapable.com,designcorral.com,thecustomrom.com,digitalthinkerhelp.com,browserhow.com,sqlserveregitimleri.com,udemycourses.me,eckovation.com##.ai_widget
+! ###id-custom_banner
+twittervideodownloader.cam,saveinsta.cam,pawastreams.*,nflbite.to,thestreamhub.net,netcomsports.com,footybite.to,sportschamp.fun,yalla-kora.tv,thesportsupa.com,afly.pro,supertipz.com,topsporter.net,soccerstreams.football,nbalivestream.top,mysocceraustralia.com,rayinfosports.com,hesgoals.top,dviraly.uk,sequencecard.xyz,ripple-stream.com,nbagaffer.net,totalsportek.soccer,metaporky.site,nbabite.to,cyfostreams.com,olympicology.com,sportfacts.net,gamerarcades.com,maxsports.site,bestreamsports.org,wpking.in,eegybest.xyz,sakarnewz.com,playstore.pw,sevenjournals.com,footy.to,bloggingguidance.com,onroid.com,girls-like.me,mcrypto.club,welovemanga.net,greaterkashmir.com###id-custom_banner
+! ###dismiss-btn
+pawastreams.*,thestreamhub.net,groundedtechs.com,rayinfosports.com,dviraly.uk,sequencecard.xyz,nbagaffer.net,matchtime.co,thegentleclass.com,sportspellz.com,bestreamsports.org,allsportsdaily.co,silverspoon.site,supertipz.com,techobest.com###dismiss-btn
+! propeller-tracking.com for CB
+! Requests lile https://almstda.tv/5/6202259
+!
+! For URL shorteners or simple sites with frequently changed ad servers.
+! Incorrectly blocked domains can be excluded using regex(synchronize this regexp in all filters)
+/^(?!.*(authkong.com|rsc.cdn77.org|linkvertise.com|fastly.net|statically.io|sharecast.ws|b-cdn.net|bunnycdn.ru|bootstrapcdn.com|cdn.ampproject.org|cloudflare.com|cdn.staticfile.org|disqus.com|disquscdn.com|dmca.com|ebacdn.com|facebook.net|fastlylb.net|fbcdn.net|fluidplayer.com|fontawesome.com|github.io|google.com|googleapis.com|googletagmanager.com|gstatic.com|jquery.com|jsdelivr.net|jwpcdn.com|jwplatform.com|polyfill.io|recaptcha.net|shrink.pe|twitter.com|ulogin.ru|unpkg.com|userapi.com|vidazoo.com|(\/\/|\.)vk\.com|yandex.|yastatic.net|ytimg.com|zencdn.net|player|youtube.com|cackle.me|googleoptimize.com|vuukle.com|chatango.com|twimg.com|google-analytics.com|hcaptcha.com|raincaptcha.com|media-imdb.com|blogger.com|hwcdn.net|instagram.com|wp.com|imgsmail.ru|cloudflare.net|(\/\/|\.)x\.com)).*$/$third-party,script,_____,domain=fapfappy.com|onestream.xyz|123movieshd.*|sportsonline.*|dlhd.*|ducumon.click|klto9.com|f2movies.to|streamcenter.pro|xx0day.com|sextb.xyz|sextb.net|gocast2.com|alexsports.site|xxxymovies.com|javhdo.net|daft.sex|tv.puresoul.live|stakes100.xyz|veryfreeporn.com|bestsolaris.com|link.ltc24.com|linkebr.com|bitfly.io|adcorto.me|exe.app|gplinks.co|miklpro.com|kutt.io|cutlink.link|rexdlfile.com|downloadhub.ink|skidrowcodex.co|adcorto.xyz|cuturl.in|paidtomoney.com|kissmanga.link|skidrowcodex.net|vvc.vc|illink.net|300mbplus.*|hdmovieplus.site|shrinkme.in|gibit.xyz|iir.ai|todaynewspk.win|stfly.me|dz4win.com|bolssc.com|canyoublockit.com|aii.sh|uptoshort.com|gsurl.in|oncehelp.com|adslinkfly.online|extramovies.casa|asianclub.nl|kshow123.net|dlapk4all.com|cryptoads.space|profitlink.info|shorthitz.com|putlocker.digital|pimpandhost.com|pornpapa.com|shorthub.co|xxxfiles.com|pornone.com|rawdex.net|hiperdex.com|ask4movie.co|animekayo.com|xorgasmo.com|mitly.us|xtits.com|vjav.com|japscan.se|birdurls.com|area51deportiva.com|mixdrop.to|allporncomic.com|doramasmp4.com|animepahe.com|1337x.is|savelink.site|free-trx.com|gosexpod.com|kropic.com|kaplog.com|homemoviestube.com|pics4you.net|manganelo.link|zeenite.com|clk.ink|push.bdnewsx.com|iyotvideos.com|uptomega.me|tumanga.net|wat32.com|123moviesfree.*|123unblock.best|123unblock.*|shieldmanga.club|shieldmanga.*|ccurl.net|beinmatch.*|ytmp3.eu|movie8k.*|sports24.*|openloadmov.net|downloadpirate.com|payskip.org|themoviesflix.co|hentaitube.online|bestshort.xyz|link1s.*|earnwithshortlink.com|foxseotools.com|exe.app|10convert.com|crownimg.com|fc.lc|mypornstarbook.net|desitvshows.xyz|strims.*|cpmlink.net|bigtitslust.com|holymanga.net|links.mflixblog.xyz|skidrowreloaded.com|pewgame.com|himovies.to|warefree01.com|kissanimes.cc|sxyprn.com|sxyprn.net|anupama.*|kiryuu.co|blurayufr.com|forex-trnd.com|wolfstream.tv|tuktukcinema.net|userupload.net|crypto-faucet.xyz|doctor-groups.com|downloadhub.kim|myadultanimes.com|freeadultcomix.com|shrlink.top|lelscan-vf.co|ruvideos.net|srsone.top|otakufr.co|jujmanga.com|allviids.com|amlijatt.in|fulltube.online|123movies.*|lewdweb.net|fsapi.xyz|flixtv.club|promo-visits.site|krypto-trend.de|hatsukimanga.com|simplyfaucet.xyz|fzmovies.*|desiflix.club|tny.so|1mlsbd.com|knaben.ru|streamtape.*|mangadop.info|japscan.ws|dramacool.*|123movies-hd.online|latestmanga.net|hexupload.net|sukidesuost.info|sbembed1.com|cocomanga.com|rawkuma.com|erogarga.com|mixdrop.sx|kiiw.icu|crownimg.com|onlynudes.tv|hitomi.la|kabegamipuloh.web.app|japscan.ws|bluemediafiles.*|mrdhan.com|films5k.com|zetporn.com|watchmalcolminthemiddle.com|reddit.tube|btcmovies.xyz|outletpic.com|la123movies.com|streamingworld.club|gomo.to|yesmovies.sx|xtits.xxx|y2mate.com|upornia.tube|weloma.art|pornvideos4k.com|4kpornmovs.com|theproxy.to|putlocker-website.com|up-load.io|insuranceblog.xyz|leaknudes.com|beingtek.com|gtlink.co|fmovies.app|hentaiblue.com|yifysubtitles.vip|anonymz.com|torrentgalaxy.to|fmoviesto.cc|mixdrop.*|just-upload.com|go-stream.site|eztv.unblockedsites.net|wareskey.com|fullcrackedpc.com|crackdj.com|aileen-novel.online|porncomixonline.net|7starmovies.net|wuxiarealm.com|mangahub.io|dvdplay.*|tinyurl.is|readcomiconline.li|mangaraw.org|rawmanga.top|senmanga.com|hacamchicac.com|mangas-raw.com|flyfaucet.com|streamadblockplus.com|imgsen.com|imgstar.eu|picdollar.com|pics4upload.com|silverpic.com|apkmody.io|imgsto.com|nikaraw.com|subdl.com|crackpoint.club|torrentgalaxy.to|javct.net|haho.moe|sockshare1.com|4anime.gg|sportssoccer.club|footyhunter3.xyz|extrafreetv.com|1337x.unblockit.cat|yourporngod.com|watchjavonline.com|tirexo.blue|picyield.com|bluemediafile.*|pornrabbit.com|stream2watch.be|worldstreams.watch|worldstreams.click|milfzr.com|gameshdlive.xyz|streamcheck.link|gamerarcades.com|asiangaylove.com|yurineko.net|animepahe.ru|0123movie.site|ufcfight.online|biggamez.xyz|trannyteca.com|youpits.xyz|lilymanga.net|123moviesite.one|soap2day.monster|bestporncomix.com|zinchanmanga.com|yaoimangaonline.com|worldstreams.lol|zoechip.cc|zoechip.com|monoplay.xyz|oxy.st|backfirstwo.com|3dporndude.com|thepiratebay.zone|mmsbee24.com|sekaikomik.bio|dofusports.xyz|1tamilblasters.*|gaystream.pw|hog.mobi|pahe.me|kuncomic.com|rawinu.com|nicomanga.com|prbay.online|prbay.top|prbay.xyz|youtube4kdownloader.com|soccerinhd.com|remaxhd.fun|remaxhd.cam|eztvx.to|bunkr.*|indiangaysite.com|elgoles.pro|hdfungamezz.xyz|upmovies.net|gamehdlive.online|nativesurge.info|readcomiconline.li|nowmaxtv.com|luciferdonghua.in|hawtcelebs.com
+! Similar to regexp above, but using the denyallow modifier
+! Be careful, if a site uses third-party resources (players etc.) and the rule applied in AdGuard for Safari/iOS
+$script,third-party,denyallow=authkong.com|rsc.cdn77.org|linkvertise.com|fastly.net|statically.io|sharecast.ws|b-cdn.net|bunnycdn.ru|bootstrapcdn.com|cdn.ampproject.org|cloudflare.com|cdn.staticfile.org|disqus.com|disquscdn.com|dmca.com|ebacdn.com|facebook.net|fastlylb.net|fbcdn.net|fluidplayer.com|fontawesome.com|github.io|google.com|googleapis.com|googletagmanager.com|gstatic.com|jquery.com|jsdelivr.net|jwpcdn.com|jwplatform.com|polyfill.io|recaptcha.net|shrink.pe|twitter.com|ulogin.ru|unpkg.com|userapi.com|vidazoo.com|vk.com|yastatic.net|ytimg.com|zencdn.net|youtube.com|cackle.me|googleoptimize.com|vuukle.com|chatango.com|twimg.com|google-analytics.com|hcaptcha.com|raincaptcha.com|media-imdb.com|blogger.com|hwcdn.net|instagram.com|wp.com|fastcomments.com|plyr.io|cloudflare.net|rabbitstream.net|x.com,_____,domain=fapfappy.com|onestream.xyz|123movieshd.*|sportsonline.*|dlhd.*|ducumon.click|sextb.xyz|sextb.net|sports-stream.*|igg-games.com|pcgamestorrents.com|igg-games.co|coolcast2.com|watchcriminalminds.com|up-4.net|upload-4ever.com|123movie.*|seegames.xyz|sportea.online|cr8soccer.online|musicriders.blogspot.com|streameast.watch|watchserieshd.live|alivegore.com|bestporncomix.com|nettruyento.com|rawkuma.com|rule34hentai.net|playsber.xyz|123-movies.zone|up-4ever.net|futbol-libre.org|rivofutboltv.club|phimmoiyyy.net|tuktukcinema.*|wcofun.org|ssrmovies.singles|kissasian.*|animeunity.cc|zinmanhwa.com|klmanga.net|pahe.li|zeriun.cc|cineb.app|1377x.to|furher.in|himovies.sx|gomovies.sx|hexupload.net|seehdgames.xyz|bestporn4free.com|tinyzonetv.se|mega4upload.com|cineb.rs|kissanimefree.cc|yugenanime.tv|witanime.org|embed4u.xyz|fireload.com|mixdroop.*|hentaiasmr.moe|daddylivehd.*|meetdownload.com|file-upload.org|sotwe.com|streamvid.net|1337xx.to|opensubtitles.org|bunkrr.su|oxy.st|backfirstwo.com|5.45.95.74|3dporndude.com|thepiratebay.zone|mmsbee24.com|faselhd.*|manga-lek.net|sekaikomik.bio|wecima.cloud|goone.pro|deepgoretube.site|megaup.net|1tamilblasters.*|185.217.95.44|gameshdlive.net|peeplink.in|ebookhunter.net|mdbekjwqa.pw|limetorrents.lol|akuma.moe|imgdawgknuttz.com|bluemedialink.online|pahe.me|kuncomic.com|rawinu.com|nicomanga.com|prbay.online|prbay.top|prbay.xyz|mdfx9dc8n.net|toonily.me|nxbrew.com|faselhd-embed.scdns.io|bluemediaurls.lol|mdzsmutpcvykb.net|bestgirlsexy.com|streamer4u.site|hdhub4u.mov|bluemediadownload.*|mixdropjmk.pw|drivemoe.com|moviekhhd.biz|free-content.pro|newmangaraw.com|nobodywalked.com|mixdrop21.net|kaas.*|kickassanime.*|kickassanimes.*|everia.club|faselhdtv.*|animeunity.to|get-to.link|freetvspor.lol|eztvx.to|bunkr.*|urlbluemedia.*|arcasiangrocer.store|elgoles.pro|hdfungamezz.xyz|novelfull.com|upmovies.net|jav.land|tvappapk.com|gogoanimes.fi|nativesurge.info|mercenaryenrollments.net|readcomiconline.li|tututweak.app|nowmaxtv.com|y2mate.is|braflix.ru|javgg.co|javgg.net|mangadistrict.com|poscitechs.xyz|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|javplayer.org|lodynet.link|play.playkrx18.site|projectjav.com|pandamtl.com|cyberfile.me|fotokiz.com|full4movies.network|cosmic1.co|watchhowimetyourmother.online|kuyhaa.me
+$xmlhttprequest,third-party,denyallow=authkong.com|rsc.cdn77.org|linkvertise.com|fastly.net|statically.io|sharecast.ws|b-cdn.net|bunnycdn.ru|bootstrapcdn.com|cdn.ampproject.org|cloudflare.com|cdn.staticfile.org|disqus.com|disquscdn.com|dmca.com|ebacdn.com|facebook.net|fastlylb.net|fbcdn.net|fluidplayer.com|fontawesome.com|github.io|google.com|googleapis.com|googletagmanager.com|gstatic.com|jquery.com|jsdelivr.net|jwpcdn.com|jwplatform.com|polyfill.io|recaptcha.net|shrink.pe|twitter.com|ulogin.ru|unpkg.com|userapi.com|vidazoo.com|vk.com|yastatic.net|ytimg.com|zencdn.net|youtube.com|cackle.me|googleoptimize.com|vuukle.com|chatango.com|twimg.com|google-analytics.com|hcaptcha.com|raincaptcha.com|media-imdb.com|blogger.com|hwcdn.net|instagram.com|wp.com|fastcomments.com|plyr.io|cloudflare.net|rabbitstream.net|x.com,_____,domain=everia.club|projectfreetv.cyou|theflixertv.to|skidrowreloaded.com|upmovies.net|kickassanime.*|dlhd.*|nxbrew.com|ziperto.com|nowmaxtv.com|lilymanga.net|stly.link|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|worldsports.me|poscitechs.xyz|harimanga.com|movieshubweb.com
+!
+! NOTE: Specific rules
+!
+simkl.com##a[onclick*="AD')"]
+imginn.com##.page-search > .block-search:has(> div[data-ad]:only-child)
+defkey.com##h3[style="margin-top:2px"] > small
+tetris.com##div[class^="rowT"] > div[class][style*="min-height"]
+mobygames.com##a[href^="https://atari.com/"] > img
+uploadvr.com##.force-load-ad
+fangraphs.com##.ra-wide
+thepopverse.com##div[class^="google-ad_"]
+businessday.ng##.ad-container-silent
+||bit.ly/47P0Nvo$all
+wallpaperaccess.com#%#//scriptlet('prevent-addEventListener', 'mousedown')
+savefrom.net#%#//scriptlet('prevent-window-open')
+savefrom.net#%#//scriptlet('set-constant', 'clickAds.init', 'noopFunc')
+scrolller.com##div[class^="sc-"] > button[class]:has(> div[class] > img[src^="/assets/fullscreen"])
+||oploverz.my/wp-content/uploads/*/*.gif
+oploverz.my###sidebar > .widget_text:has(> div.textwidget > a)
+oploverz.my###sidebar > .widget_text:has(> div.textwidget > #histats_counter)
+getsubs.cc#%#//scriptlet('remove-class', 'volatile', 'a.btn')
+techedubyte.com##.gmr-floatbanner
+techedubyte.com##.gmr-banner-insidecontent
+op.gg##.banner-container
+hd.crichd-player.top,cdn.crichdplays.ru###floated
+crosswalk.com##body .advertisement
+||crosswalk.com/bundles/mgid-js/
+||media.swncdn.com/salemads/*/advscript.js
+marketwatch.com##iframe[src^="https://products.gobankingrates.com/"]
+marketwatch.com#?#header:has(> h4:only-child > span:only-child:contains(/^Partner Center$/))
+marketwatch.com##header + div[class^="css-"]:has(> div[class^="css-"] > div[class^="css-"] > div[class*="css-"]:only-child > .adWrapper)
+watchhowimetyourmother.online##button[onclick="closeContent2()"]
+watchhowimetyourmother.online#%#//scriptlet("prevent-addEventListener", "click", "checkTarget")
+||doo888x.com/js/ad/playads.js
+pons.com#$#.ad_topslot { height: 0 !important; }
+||capitalbrief.com/ad/
+capitalbrief.com###content > div.mb-8.w-\[970px\]
+meteum.ai##div[id^="adfox_"]
+||statics.fleshed.com/min/*/fleshed/p/ujsavd-*.js
+fleshed.com##body > div[id^="flim_"]
+fleshed.com###cb_iframe
+ip.me###navbarSupportedContent > a[target="_blank"]
+rockpapershotgun.com##div[class^="commercial-slot-"]
+boundhub.com##div[class^="p"][class$="lace"]
+boundhub.com##div[class$=-adv]
+boundhub.com##.block-video > div[class^="ta"][class$="ble"]
+boundhub.com##.content > div[class^="to"][class$="op"]
+theportugalnews.com###sliding-banner
+theportugalnews.com#%#//scriptlet('prevent-setTimeout', 'has-sliding-banner')
+theportugalnews.com#%#//scriptlet('remove-class', 'has-sliding-banner', 'body.has-sliding-banner')
+saiganak.com##.entry-adsense
+vikingfile.com##a[href^="/fast-download/"]
+pixiv.net##div[style="position: static; z-index: auto;"] + div[style^="margin-left"]:empty
+pixiv.net##div[data-overlay-container="true"] > div:not([class]) > div[class^="sc-"]:has(> div[id^="adsdk"])
+wccftech.com##button[rel="nofollow sponsored"]
+wccftech.com##.story-products-wrapper
+public-porno.com##.grid-temp > li.spot:has(> div.thumb-box)
+||video.cdnako.com^$script
+videos.tybito.com,videos.pornototale.com,videos.eispop.com,videos.porndig.com##.shaka-player-toolbar
+videos.tybito.com,videos.pornototale.com,videos.eispop.com,videos.porndig.com##.shaka-modal-ad-overlay
+tamming.io###left-aaa
+tamming.io###bottom-aaa
+||macheforum.com/sponsorship/
+ldplayer.net###blog-double-banner
+onefootball.com##div[class^="CommentsOpenWeb_adWrapper"]
+onefootball.com##div[style*="ad-slot"]
+kemono.su##.stuck-bottom > a[href="https://t.me/kemonopartywelcome"] ~ a[href][target="_blank"]
+forum.videohelp.com###thisisatest
+filecrypt.co##a[target="_new"] > img
+filecrypt.co##button[onmousedown^="var lsj = this;loc.href="]
+filecrypt.co##form[onsubmit^="CNLPOP("]
+club386.com#$#body { background-image: none !important; }
+club386.com#%#//scriptlet('set-constant', 'td_ad_background_click_link', 'undefined')
+club386.com#$#body.td-background-link { cursor: auto !important; }
+adultswim.com##article > .band > .container-fluid:has(> div[data-testid="layoutTest"]:only-child > div[data-testid="columnTest"]:only-child > div[data-testid="advert-test"]:only-child)
+cnn.com##.dianomi-amp-ad
+cyberdaily.au##.b-article-wrapper__right__wrapper > div.b-module:has(> div[id^="mm-"])
+marketwatch.com#?#.container div[class*="css-"]:has(> div[class^="css-"] > .dianomi_context)
+footybite.to#%#//scriptlet('abort-on-property-write', '_mo')
+||i.imgur.com/BsVtr7F.png$~third-party
+imgur.com#%#//scriptlet('remove-attr', 'style', '.GalleryPage-bg')
+imgur.com#$#.Gallery-EngagementBarContainer > div.Transformation-wrapper { display: none !important; }
+jdpower.com##div[class*="Custom-BreakerAd-"]
+sitejabber.com##.url-reviews__ad
+nanoreview.net##div[class^="wisinad_only_"]
+nanoreview.net###gtfloats-sb-right > div[style^="width"] > .adsbyvli ~ div[style^="margin:"]
+f2movies.*#%#//scriptlet('set-constant', 'document.write', 'undefined')
+plutomovies.com###dl-btn-wrapper + a[rel="nofollow"]
+plutomovies.com##a[href^="https://go.wapdg.com/"]
+||assets.genius.com/javascripts/compiled/ads-*.js
+||assets.genius.com/javascripts/compiled/reactAds.*.js
+||shinigami05.com/*/*.gif
+||shinigami05.com/*/*_desktop.webp
+gtagarage.com##div[class^="ads-playwire-container-"]
+||netgames.io/js/page-ads.js
+javplayer.me#%#//scriptlet('prevent-window-open')
+swiftuploads.com#%#//scriptlet("remove-attr", "onclick", "button[onclick*='window.open(']")
+lifewire.com#$#main#main { margin-top: 0px !important; }
+opencritic.com##div[_ngcontent-serverapp-c75]:has(> app-home-carousel-v3[title="Featured Deals"])
+transtxxx.com##.index-page > .wrapper > div[class]:has(> div[class] > div[id][class]:empty + div[id][class]:empty)
+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)
+blankcharacter.net##.side-banner
+||xprime4u.*/wp-content/uploads/*/*_ads.gif
+raenonx.cc##.fixed[class*="bottom"]
+techxplore.com,phys.org##.embed-responsive-trendmd
+||quest4play.xyz/blast.js
+slang.net##.adTopLB
+slang.net##.adBotLB
+slang.net##.adRightSky
+||javenglish.cc/terra.js
+ldplayer.net##div[class^="support-install__ad"]
+privacytutor.net##.kg-card
+fotokiz.com###clck_ntv
+gstream.uk##div:has(> p > a[href][target="_blank"])
+gstream.uk##a[href][target="_blank"]
+leakedzone.com##.item:has(> .movie-item > a[href^="https://phpremium.com"])
+axios.com##.apexAd
+letsrun.com##.forum-page-right-bar
+crosswordsolver.com##.col-sm-12:has(> div.ad-container)
+pandamovies.org###overlay
+||freepopnews.skin/advert/
+$xmlhttprequest,third-party,domain=swiftload.io
+/[a-z]{12,}\.com\//$script,third-party,domain=swiftload.io
+404media.co##.post-hero__ad
+oneesports.gg##.home-inline-static-sqaure-ad
+inhumanity.com##li[class$="-ad-zone"]
+||inhumanity.com/ajax/cb_iframe_data.php
+kyivindependent.com##.ads-mobile--show
+meteomedia.com##div[id^="ad-"]
+meteomedia.com##div[data-testid="content-feed-ad-slot"]
+meteomedia.com###bottom-ad
+giphy.com##div[class^="ads_top_leaderboard_container"]
+smsonline.cloud##.billboard-display
+smsonline.cloud##div[id*="_anchor_responsive_"]
+smsonline.cloud##div[id^="tripple_banner_container"]
+vxxx.com#?#.wrapper > div:has(> div > h2:matches-css(after, content: Advertising))
+thehindubusinessline.com##.also-like
+news.abs-cbn.com##.MuiBox-root > div.MuiBox-root:has(> div[style] > div > div[style^="background-color"] > div[id^="div-multiAd"])
+yify.guide##img[style="max-width:40%;height:auto;"]
+colorblindnesstest.org###bannerad1
+op.gg###content-container > div:not([class],[id]) > div[class]:empty
+dpreview.com##.articleBody > .videoWrapper:has(> .raptiveVideoWrapper > div[class^="adthrive-content"])
+cybernews.com##.adds__wrapper
+cybernews.com##.adds__wrapper + hr
+torrentfreak.com##section > div.o-widget:has(> p > a[rel*="sponsored"])
+securityaffairs.com##body > div.text-center:has(> div > a[href="https://resecurity.com"])
+securityweek.com##.sw-home-ads
+the-crossword-solver.com##.mta
+ukstbemucodes.xyz##div[placement]
+ukstbemucodes.xyz#%#//scriptlet('abort-on-stack-trace', 'window.open', 'window.onload')
+baseball-reference.com###content > .adblock
+baseball-reference.com##.adblock > .adblock.primis
+aniwave.it.com#%#//scriptlet('prevent-window-open', 'about:blank')
+aniwave.it.com#%#//scriptlet('abort-current-inline-script', 'document.addEventListener', 'location.href')
+||api.slushy.com/ads/post
+tribune.net.ph##div[id^="ads-"]
+cyprus-mail.com##div[class^="_amHorizontal"]
+cyprus-mail.com##div[class^="_stickyCnt"]
+englismovies.pro#%#//scriptlet('abort-current-inline-script', 'document.addEventListener', 'window.open')
+||e.snmc.io/3.0/js/pb/pb-*.js
+iphone.apkpure.com##.ads-box
+dlhd.*##.aplr-fxd-bnr
+redgifs.com##div[class^="_liveAdButton_"]
+bigbumfun.com##.col-video > div.container:has(> div#awe-customiframe-container)
+bigbumfun.com##.thumbs > div.thumb:has(> script[src*="ad-provider"])
+shemale6.com##ul.primary > li:has(> a[href="https://theporndude.com"])
+shemale6.com##.block-video > div.table
+shemale6.com##.adv-banner_under
+iptvcodes.xyz#%#//scriptlet('abort-on-property-write', 'onload')
+fandom.com##iframe[data-s1search-id="mainline-top-ads-bing-top"]
+livemint.com###subscribeAd
+livemint.com###aniview-ads
+livemint.com##div[class^="adHeight"]
+livemint.com##.taboolaHeight
+haaretz.com##div + div:has(> div[data-adunit])
+fuqster.com,sexpester.com,bigtitbitches.com##.col-video > div.container:has(> div#awe-customiframe-container)
+kickassanime.mx##in-page-message[data-render-pos-desktop]
+mmo-champion.com###ad-horizontal-header
+mmo-champion.com##.recent-ad
+mmorpg.com###ads
+mmorpg.com##main > div.tabs:has(> div.tabs__content div[id^="rc-widget"])
+troyhunt.com##.sponsor_bar
+shemalez.tube##.video-tube-friends ~ div:not(.wrapper)
+shemalez.tube##.video-page__content > div.left + div[class]
+shemalez.tube##.video-page > div[class]:has(> div > a[href^="https://clickadilla.com/"])
+shemalez.tube##.video-slider > div.video-slider-container:has(> div.list > div.item > a[href^="https://vid-gt.com/"])
+etools.ch##body div.ad
+||stg.truvidplayer.com/p.php
+videopoker.com##div[id^="adSpace"]
+videopoker.com###topDisp
+videopoker.com##.adNote
+tubator.com##.recommend
+tubator.com###nva_block
+tubator.com##div[id][style*="height: 250px;"]
+||v.poki-cdn.com/*/advertisement.*.mp4$media,redirect=noopmp4-1s
+notthebee.com##div[id^="commentList"] + div.overflow-hidden:has(> div > a[href="/join"])
+bangla.bdnews24.com##main > div.container:has(> div.row iframe[src^="https://welcome.bdnews24.com/innstar/"])
+fandom.com##.top-ads-container
+cnbctv18.com##.rhs-long-ad
+top-mods.com##div[style*="width:300px;"][style*="height:600px;"]
+top-mods.com##.mods_dwn_block > div.mods_dwn_block_left:has(> div.rl_cnt_bg)
+mtgnexus.com###logged_out_thin
+$script,third-party,denyallow=cloudflare.net|jquery.com|jsdelivr.net|lulucdn.com,domain=luluvdo.com
+lifehacker.com##aside[data-ga-module="content-rail"] > div[data-pogo="sidebar"]
+||1337x.to/js/vpn*.js
+||1337x.onlyvpn.site/is_tz
+1337x.to#%#//scriptlet('prevent-addEventListener', '', '/target\.skip[\s\S]*?location\.href/')
+radioworld.com##.site-ad
+zoyaporn.com##.on_player_ads
+mtgsalvation.com##.xt-placement
+redtube.com,redtube.net##.paid-tabs-information
+halotracker.com,battlefieldtracker.com##.header-davert
+independent.co.uk##.indy100-trending
+hurriyetdailynews.com##div[class*="advertorial"]
+newsweek.com##.right-rail-ads
+newsweek.com##.subscription-tabs
+palworld.gaming.tools##header ~ div.fixed:has(> div[id^="palworld-mobile-bottom"])
+vods.tv##div:is(.container, [class^="jss"]) > a[target="_blank"]
+||cdnjs.cloudflare.com/ajax/libs/mediaelement-plugins/*/ads/ads.$domain=vods.tv
+||cdnjs.cloudflare.com/ajax/libs/mediaelement-plugins/*/ads-vast-vpaid/$domain=vods.tv
+livarava.com##div[id^="ad-"]
+livarava.com##div:has(> div[id^="ad-"]:only-child)
+livarava.com##div:has(> div:empty:first-child + div[id^="ad-"]:last-child)
+lolalytics.com##.hidden > .h-\[100px\][q\:id]:has(> div[id*="\:leaderboard"]:only-child)
+lolalytics.com##.flex > .hidden > div[id="tl\:rect"][q\:id]:empty
+vxxx.com#?#.main-content > .wrapper > div[class]:has(> div:contains(Advertisement))
+/whisperingauroras\.com\/[a-z0-9]{20,32}\.js/$domain=whisperingauroras.com
+carwale.com##.lb-wrapper.js-impression-tracking-lb > .video-container
+carwale.com###media-property-ticker > .model-countdown-ticker.js-impression-tracking-ticker
+httpstatus.io##section:has(> div.container > div.ethicalads)
+||webgames.io/video/*.mp4$domain=starve.io
+dailycaller.com##div[id^="dailycaller_incontent_"]
+gtplanet.net##.p-body-sidebar a[href*="/out/http"] > img
+criticker.com##.cr_advert
+sonixgvn.net##.ad-left
+sonixgvn.net##div[id^="div-vi-"]
+championsleague.basketball##div[data-ad-unit-id]
+peachurnet.com##.video-right-banner
+||peachurnet.com/templates/banner-*x*-*.png
+||peachurnet.com/templates/stake.com-banner-size-*-min.jpg
+gettranny.com##.video__wrapper > div.wrapper:has(> article > div.headline)
+gettranny.com##.video-info__header + section
+myflixerz.to##a[href="https://pcnema.to"]
+flamecomics.me##article > .entry-content > .kln
+flamecomics.me##body > div[style^="position: fixed; top:"][style*="z-index:"][style*="height:"][style*="width:"][style*="z-index:"]
+flamecomics.me#$#body[style*="padding-top:"] { padding-top: 0 !important; }
+livemint.com##.inlineAds
+pornhdxvideos.com##div[class^="alert alert-"][style="overflow: hidden!important"]
+||pornhdxvideos.com/nb/ba_lo.php
+||pornhdxvideos.com/nb/fn_la-*.js
+tempmail.run##div.card:has(> a[href^="https://updown.fun/"])
+||valoplant.gg/other/bet_gg_ad.html
+lnbz.la##a[href^="https://austeemsa.com/"]
+||doniaweb.com/uploads/monthly_2024_05/0878729c.png.174041e9616b0d42ba535397e19af601.png
+doniaweb.com##article[id^="elComment_"] + div[class^="ips"]
+fullmatch.info###background-stream-cover
+fullmatch.info##div[class*="stream-item"] > a[target="_blank"] > img
+athlonsports.com##.is-fallback-player
+polygon.com##div[data-concert]
+polygon.com###content > article ~ div[class*=" "]:not([class*="layout"]):has(> div[data-concert^="outbrain_"]:only-child)
+gumtree.com.au##.fuse-ads
+businessinsiderbd.com##div[class="col-sm-10 offset-1 MarginTop20"] > a[target="_blank"] > img
+wallpapers.com##.head-banner
+wallpapers.com##.keyword-box > div > div[style*="height: 250px; display: flex;"]:has(> #pwMobiMedRectAtf)
+helpnetsecurity.com##aside[class][style] > div[id] > div[id][style] > a[target="_blank"]
+helpnetsecurity.com#%#//scriptlet('json-prune', '*', '*.*.campaign')
+mega4upload.com#%#//scriptlet('prevent-addEventListener', 'click', 'window.open')
+marktechpost.com##div[class^="ai-viewport"]
+marktechpost.com##.mysticky-welcomebar-fixed
+marktechpost.com##.td-ss-main-sidebar > aside.widget:has(> div.td-visible-desktop > a[href^="https://encord.com/"])
+marktechpost.com##.wpb_wrapper > div.wpb_wrapper:has(> div.td-fix-index > div.td-visible-desktop > a[href^="https://landing.deepset.ai/"])
+marktechpost.com###tdi_138
+nj.com##.revenue-display
+nj.com##.module__ad-large
+hltv.org##.world-ranking-banner
+hltv.org##.mid-container + div[id]:has(> a[href] > img[alt][src])
+turnoffthelights.com##.slideads
+turnoffthelights.com##.castpress:has(> .slideads)
+twitchmetrics.net##.list-group > div.container:has(> div[id^="tm-nitro-"])
+op.gg##div:has(> div[data-ad])
+op.gg##.css-1flley8
+op.gg##.css-7qtj63
+duo.op.gg##div[id^="duo-ad-"]
+43rumors.com###custom_html-29
+43rumors.com##div[id^="classictextwidget"]:has(> div:only-child > .adsbygoogle)
+vxxx.com##.listing + div.pagination + div[class]
+vxxx.com##.under-header-categories
+wellandgood.com##div[id^="votd-player"]
+chrome-stats.com##.chrome-stats_com_billboard
+4khd.com##.centbtd
+html5.gamemonetize.co###imaContainer
+sporticos.com##div[style^="height: 250px;"]
+thefreedictionary.com##div[id^="Content_CA_AD_"][id$="BC"]
+sortiraparis.com###contenu div.slots:has(> div[id^="unq_fmt_"])
+op.gg###__next > div[class]:has(> div[class] > div[id^="leaderboards"])
+||pu*ev.com/?form_email=*&form_phone=$all
+infinityskull.com##div[id$="-Ads"]
+thefreedictionary.com##div[id^="Content_CA_AD"]
+somoynews.tv##.parallax-main
+||hocast4.com/js/aclib.js
+imagetostl.com##div[class]:has(> ins.adsbygoogle)
+datanodes.to##.md\:flex-nowrap.w-full > div.items-center.border
+brisbanetimes.com.au##header > div:has(> div.container > div.adWrapper)
+chaptercheats.com##.dt_ad
+chaptercheats.com##div[class^="adright"]
+chaptercheats.com##.mid_d
+w1mp.com##.col-video > #model_widget
+w1mp.com#?#.col-video div.title[style]:contains(Advertisement)
+||w1mp.com/model-widget/model_widget.php?*campaignId
+omg.blog##.ad-async
+omg.blog###sidebar-wrapper > div[id^="enhancedtextwidget-"]:has(> .textwidget > div[id^="bsa-zone_"])
+asianetnews.com##.site-banner
+asianetnews.com##.adsection
+asianetnews.com##div[class^="revive-ads"]
+lemonde.fr##.dfp__container
+sitepoint.com##div[id^="ember"] > div.unit:has(> div[id^="bsa-zone_"])
+vox.com###content > div[class*=" "]:has(> div[class][data-concert*="_leaderboard"]:only-child)
+||whvx.net/ads.js
+trannyvideosx.com###ad-controls
+limetorrents.lol###content > a[target="_blank"] > img
+||hydrahd.com/js/scripts.js
+hydrahd.com#%#//scriptlet('prevent-window-open')
+||1337x.to/ma.js
+x.com,twitter.com##div[data-testid="trend"]:has(> div[class]:only-child svg + span)
+buzzheavier.com#%#//scriptlet('trusted-replace-xhr-response', 'seen = false', 'seen = true')
+ssstik.cam##.penci-content-main ~ div.widget-area
+ssstik.cam##body > div[style^="width: 100%; position: fixed;"]
+||api.sportplus.live/*/visitor-counter
+crazyporn.xxx##.fp-player > div[style^="inset"]
+cnet.com##div#myfinance-top
+||lover929.net/file/totohill/*.gif
+||lover929.net/file/1bet/*.gif
+lover934.net##.div-over
+cybersecuritynews.com##.has-text-align-center[style^="background:linear-gradient("][style*=",rgb(238,238,238)"]
+||hltv.org/img/*&s=
+||vidsrc.net/*.js?_=
+macdailynews.com##.primary-sidebar > section.macdailynews-widget
+getavataaars.com#?#.container > div > h4:contains(/^Ads$/)
+core77.com##.lower_ad_wrap
+||krx18.com/ads/banra.html
+ntr-games.com##.gridlove-posts > div[class^="col-"]:has(> div.category-ad)
+||bitchute.com/static/ad-sidebar
+bitchute.com###advertisement-banner
+gtplanet.net##.two-column-container--right > div > a > img
+hentaipaw.com#$#div[class^="container"][class*="min-h-"] { min-height: 0 !important; }
+fastp.org##.slide-out-div
+news18.com##.articleHeaderAd
+news18.com##.center_add
+luciferdonghua.in#?##sidebar > div.widget_text:has(> div.releases > h3:contains(Main Ad))
+blackedjav.com##.gridmag-featured-posts-area:has(> div.gridmag-main-widget > div.gridmag-box-inside > a[href^="https://chaturbate.com/"])
+javfun.me##a.bp-btn-review[href="http://pornhd4k.tv"]
+javbest.tv##a[href^="https://go.lnkpth.com/"]
+javbrazez.com##.right > div.content:has(> div.ads)
+jpvhub.com##iframe[src^="https://streamtape.com/"] + div[class^="MuiBox-root"]
+viwlivehdplay.ru#%#//scriptlet("abort-on-property-read", "JSON.parse")
+1001tracklists.com###middle > div[class] > .mt20:has(> .adI)
+1001tracklists.com###top > div[style] > a[rel="noopener noreferrer"]
+1001tracklists.com###root > div[style^="width: 300px;"][style*="height"]
+ungeek.ph##.ungee-bottom-sticky-ad
+ungeek.ph##div[class^="ungee-sidebar-ad-"]
+asia.nikkei.com##.o-ads
+liverpoolecho.co.uk##.commercial-box-style
+liverpoolecho.co.uk##section[data-testid^="commercial-"]
+liverpoolecho.co.uk##div[data-testid^="commercial-below-article-box-"]
+liverpoolecho.co.uk##aside span > span.react-loading-skeleton
+liverpoolecho.co.uk##aside > div[class^="sc-"]:has(> span > span.react-loading-skeleton)
+liverpoolecho.co.uk#$#header[data-testid="header"] { top: 0 !important; }
+liverpoolecho.co.uk#$#div[data-testid^="commercial-above-header-box-"] { display: none !important; }
+typingtest.com##.result #middle-banner-unit
+typingtest.com#$##middle-banner-unit { height: 30px !important; }
+anitrendz.net###at-ads-back
+anitrendz.com##div[style]:has(> div[style]:only-child > div[style]:only-child > .adsbygoogle)
+hotebonytube.com##.navigation > li:has(> a[target="_blank"][href])
+hotebonytube.com##.right-side
+eloking.com##.elo-ad-container
+f95zone.to##.uix_block-body--outer > div.block-body > div.node--link:has(span.node-icon + div.node-main)
+f95zone.to##.block-body > div.node:has(> div.node-body a[href="/link-forums/ai-sexting-chatbot.129/"])
+edition.cnn.com##.featured-product
+antenasports.ru##html > div
+gotoquiz.com##.chespin
+time.com##.h-sidebar-sticky-container:has(> div > div.ad)
+zenporn.com##.bnrs
+||comdotgame.com/static/ads/ads.js
+roshy.tv##.roshy-widget
+roshy.tv##.menu-items-lyt > li > a[target="_blank"]
+poki.com##div:has(> div > div[style] > div[data-poki-ad-id])
+thelivenagpur.com##.theiaStickySidebar > aside[id^="media_image-"]
+thelivenagpur.com##.theiaStickySidebar > aside[id^="custom_html-"]
+thelivenagpur.com##.inner-post-entry > div[id^="media_image-"]
+tennisuptodate.com##.raw-html-component:has(div[id^="snack_"])
+tennisuptodate.com##.raw-html-component:has(> div[id^="taboola-"])
+worldsports.me##.btn-danger
+worldsports.me##.h-100.w-100.bg-dark
+||worldsports.me/partytown/partytown-sw.js
+wired.me##.special--container
+luxuretv.com##.erogame
+luxuretv.com##.linkvideo > a[target="_blank"]
+luxuretv.com#?#.title-wrapper > .title > .title-right:contains(AI and Games LuxureTV)
+luxuretv.com#%#//scriptlet('set-constant', 'videojsPlayer.vastClient', 'noopFunc')
+||luxuretv.com/*/vast.xml
+||luxuretv.com/includes/videofixe-js-*/videojs_*.vast.vpaid.js
+nineanime.com##.ad320
+||nineanime.com/files/js/ad_auto.js
+theplaylist.net###advads_ad_widget-3
+ici.radio-canada.ca##.ad-box-page-top
+stream.offidocs.com###adxx
+nintendolife.com###mastfoot
+freepornsiterips.com##div[id^="pum-"]
+freepornsiterips.com##div[id^="media_"]
+lifeinsaudiarabia.net,freepornsiterips.com##div[class^="code-block code-block-"][style^="margin: 8px auto;"]
+publicdnsserver.com###xbanner
+unitpedia.com##.container > div[class^="mb-"]:has(> div[style] > ins.adsbygoogle)
+superyachttimes.com##span[class^="advertisement_"]
+gift4designer.net#?##menu > li.menu-label:contains(Sponsored)
+gift4designer.net##.product-grid > div.row > div.col:has(> ins.adsbygoogle)
+uistore.design##.column > .ui-sps:has(> .adsbygoogle)
+uistore.design##.columns > .column:has(> div[class^="ui-store-"] > .adsbygoogle)
+evernote.design##.columns > .column:has(> .article-content > .article-post > .ad-via)
+sportshub.stream##header > div.row:has(> div[style] a[href^="https://s.click.aliexpress.com/"])
+||miamiherald.com/b-looniyzs/zones.
+elamigosweb.com#?#.container > h3:contains(/^Advertising$/)
+naijanews.com###bl_banner
+downforeveryoneorjustme.com##div[class*="min-h-"][class*="160px"]:has(> .justify-center:only-child > #carbonDiv:only-child)
+downforeveryoneorjustme.com##div[class*="min-h-"][class*="194px"][class*="210px"] > .text-lg > div[class*="cursor-pointer"]:has(> .shadow:only-child > a[rel="sponsored"]:only-child)
+||videosarena.com/wp-content/themes/*/js/adSlots.min.js
+||videosarena.com/wp-content/themes/*/js/alternative-ad-slots-display.min.js
+hentaihd.net###sidebar > div.section:has(> div.textwidget a[href="https://xxxhdv.com"])
+hentaihd.net###sidebar > div.section:has(> div.textwidget ins[data-zoneid])
+hentaihd.net,xstream.top##div[style^="position:fixed;inset:0px;"]
+oploverz.my,hentaihd.net###overplay
+systemrequirementslab.com##a[href^="http://ld.iobit.com/"]
+tojav.net#%#//scriptlet('abort-current-inline-script', 'onload', 'puHref')
+||supervideo.cc/tag01.js
+worldledaily.com###worldledaily-com_300x1050
+javeng.com##center > form > a[target="_blank"]
+javeng.com##iframe[src*="/NativeBanner.html"]
+olympics.com#$?##header-adv-banner { remove: true; }
+olympics.com#$#header.-sticky { top: 0 !important; }
+eurosport.tvn24.pl,eurosport.com##.d3-top-advert
+eurosport.tvn24.pl,eurosport.com##.d3-side-advert
+online2pdf.com##td:has(> .c84a1a > div.c84a4a.adbox_container)
+gplastra.co###block-2
+thebarentsobserver.com##div[class*="field-name-adsense"]
+livemint.com##.rightblockAd
+pornwex.tv#%#//scriptlet('prevent-addEventListener', 'click', 'fp-screen')
+pornhoarder.net##.cdl-banner a[rel="nofollow"] > img
+pdfconvertonline.com##.section-banner
+||severeporn.com/contents/content_sources/451/c2_900X250
+governing.com#%#//scriptlet('trusted-set-cookie', 'adTakeOver', 'seen')
+smsonline.cloud#?#aside:has(> div:contains(Advertisements))
+smsonline.cloud##div[data-google-query-id]
+filehaus.su##main > div[class]:has(> a[href] > img[src^="ads/"])
+axios.com##.relative.col-span-full > div[style*="background-color:"][style*="height:"][style*="width:"]:empty:has(+ .shortFormNativeAd)
+mirrored.to###result > .col-sm > table.hoverable > tbody > tr:has(> td[data-label="Host"] > img[src="https://www.mirrored.to/templates/mirrored/images/hosts/FilesDL.png"])
+||polarjs.net/apiJS.php
+||pol.azureedge.net/apiJS.php
+usersdrive.com##main > div[style] > center > a[target="_blank"] > img
+usersdrive.com#%#//scriptlet('abort-on-property-read', 'popurl')
+lightnovelworld.co##div[data-mobid]
+fullboys.com,pig69.com,cnxx.me,ai18.pics,porn4f.com,ninja-scans.com#%#//scriptlet('prevent-window-open')
+ninja-scans.com##body ~ *:empty
+download.cnet.com##div[data-meta="placeholder-slot"]
+mlssoccer.com##.mls-o-adv-container
+trannylime.com##div.twocolumns > div.viewlist ~ div.aside
+trannylime.com###_iframe_content
+||videowood.tv/assets/js/popup.js
+||videowood.tv/pop^$popup
+||videowood.tv/pop2
+||wasku.com/images/aff/
+waskucity.com##.samAdvertiseHere
+waskucity.com##.xxx
+transtxxx.com##.video-content > div + div
+yahoo.com###commerce-module-container
+computerpedia.in###popup
+computerpedia.in##.overlay
+play.dictionary.com#%#//scriptlet('adjust-setInterval', 'generalTimeLeft', '*', '0.01')
+ricedigital.co.uk,vladan.fr#%#//scriptlet('abort-on-property-read', 'wpsite_clickable_data')
+||ricedigital.co.uk/wp-content/uploads/*/Rice_TakeOver_
+||ricedigital.co.uk/wp-content/uploads/*/Rice_WideBanner_
+xv-ru.com#?##content > div#video-right + div[class]:has(> a[href^="https://cams.xvideos.com"])
+xv-ru.com##div[id^="ad-footer"]
+xv-ru.com##.thumb-nat-ad
+xv-ru.com###video-right
+si.com##.viewablity-block > figure:has(> div[class] > div#mmvid)
+||cdn.flowplayer.com/releases/*/plugins/ads$script
+climaeradar.com.br,havadurumuveradar.com,idojarasesradar.hu,kairosradar.gr,meteoetradar.be,meteoetradar.com,meteoeradar.it,meteoradar.ro,meteoetradar.ch,meteounradars.lv,orasonline.lt,pocasiaradar.cz,pocasieradar.sk,pogodairadar.pl,pogodairadar.com,pogodairadar.com.ua,tempoeradar.pt,tiempoyradar.com.ar,tiempoyradar.es,vejrogradar.dk,vremeradar.si,vremeradar.rs,vrijemeradar.ba,vrijemeradar.me,vrijemeradar.hr,vremeiradar.bg,vremetoiradar.com,weatherandradar.co.uk,weatherandradar.in,weatherandradar.ie,weatherandradar.com,weerenradar.be,weerenradar.nl##wo-ad
+||aylink.co/webroot/js/toast.js
+olympics.com##section[data-cy="ad"]
+1024terabox.com##.video-wrap > div.loading-carousel-box
+1024terabox.com#$#div[class="video-wrap"][style="display: none;"] { display: block !important; }
+1024terabox.com#$#.patch-ad { display: none !important; }
+bestproducts.com##main > div[class^="css-"]:has(> div.ad-disclaimer)
+||cdn.productreview.com.au/assets/public/gnisitrevda_*.js
+productreview.com.au##div[data-sticky-ad-container]
+txxx.com##.nav-left > a.nav-hover[target="_blank"]
+txxx.com##.pplayer div.jw-title-secondary:has(a[target="_blank"])
+txxx.com#?#.video-content > div[class] > div.pwa-ad ~ div[class]:has(span:contains(AD))
+dev.to##.js-billboard-container
+tech5s.co,yoshare.net##center:has(> div > button[onclick^="handleDownload("])
+bing.com##.b_bza_pole
+nytimes.com##div:has(> div[data-testid="StandardAd"]:only-child)
+hentaigasm.com##.adv
+independent.co.uk##.vf-share-menu
+apunkasoftware.net,apunkagames.com,thefileslocker.net##center > a[rel="noreferrer noopener"]
+everydayporn.co#%#//scriptlet('remove-node-text', 'script', 'serve.everydayporn.co')
+olympics.com###header-adv-banner
+f95zone.to##a[data-nav-id="LewdPatcher"]
+manhuatop.org##.c-sidebar
+dic.pixiv.net##article div:has(> div[id^="adsdk-"])
+nexus-games.net,ppssppisoclub.com##a[href*="?php echo substr(md5(microtime())"]
+themeparktycoon2.com##.wix-blog-print-in-full-width > div.wix-blog-hide-in-print > div[data-testid="inline-content"]
+extramovies.ist###stickyb
+extramovies.ist##.textwidget > a[target="_blank"] > img
+||pub-*.r2.dev^$domain=extramovies.ist
+gamesradar.com##.bordeaux-slot
+bleepingcomputer.com##a[href="https://try.flare.io/bleeping-computer/"] > img
+kinoger.to#%#//scriptlet("prevent-addEventListener", "", "prefetchAdEnabled")
+||mql5.com/ft/sh/
+||mql5.com/ft/si/*.gif
+mql5.com##div[id]:has(> iframe[src^="https://www.mql5.com/ft/sh/"])
+mql5.com##div[id]:has(> a[href^="https://www.mql5.com/ft/go?link="])
+pocketgamer.biz##.main-banner
+pocketgamer.biz##.item-m
+pocketgamer.biz##.item-cb
+pocketgamer.biz###site-background
+egamersworld.com##a[class^="styles_bigimage__"]
+egamersworld.com##[class^="styles_tb__"]
+egamersworld.com##div[class^="styles_sideBar__"]
+usingenglish.com###firstThreadAd
+tutorialspoint.com##body > .panel-htop.layout-panel-east:has(> #east > div:is(._ap_apex_ad, [id^="tutorialspointcom"]))
+windowscentral.com##.featured_product_block
+evernia.site,cety.app#%#//scriptlet('abort-on-stack-trace', 'document.createElement', 'openPopup')
+france24.com##div[data-tms-ad-container]
+||czech-craft.eu/static/uploads/abanners/
+gumtree.com###integratedMpu
+busuu.com#%#//scriptlet('adjust-setInterval', 'clearInterval(a);k.current')
+busuu.com#%#//scriptlet('trusted-click-element', 'button[data-testid="advertise_continue"]', '', '2500')
+pornpics.com##li[class*="r"][class$="-frame"]
+||static.stands4.com/app_common/ads/prebid-lyr.js
+||cdn.jsdelivr.net/gh/prebid/currency-file@1/latest.json
+tvline.com##div[data-component="featured-media"]
+emovies.si,teamoney.site,nossoprato.online,lookmovie2.to,lilymanga.net##html > iframe[id][style*="position:"][style*="display:"]
+lilymanga.net##.reading-content > .chapter-warning:has(> p > span > strong > a[target="_blank"])
+islands.com##.article > .under-art:has(> .zergnet-widget)
+emovies.si,teamoney.site,nossoprato.online,lookmovie2.to,hdtodayz.to#$?#html > iframe[style*="position:"] { remove: true; }
+hdtodayz.to##html > div[style*="position:"][style*="pointer-events:"][style*="z-index:"]
+myflixerz.to,hdtodayz.to,moviesjoy.is##div:is([id$="top"], [id$="middle"]) > a[target="_blank"] > img
+xprime4u.*,movies4u.*##.onclick-input
+retrostic.com###romstable > tbody > tr:not([itemscope]):has(> td.d-none > div[style="min-height:300px"])
+||techrepublic.com/wp-content/themes/techrepublic-theme/js/tr-adv-ads-scripts.min.js
+apkmodvn.com#%#//scriptlet('abort-on-property-write', 'tsvdRandomLink')
+f95zone.to##a[data-nav-id="AmouranthGame"]
+goal.com##.component-promo-panels
+timesunion.com##div.package:has(> div > div[data-block-type="ad"])
+timesunion.com##div[data-eid="item-100624"]
+mobalytics.gg##div[style^="width: 400px; height:"]
+nayisahara.com##center > #btnx
+nayisahara.com##div[id$="-Ads"]
+foxnxx.com##div[style^="height:250px;max-width:300px;"]
+foxnxx.com##div[style^="height:100px;max-width:300px;"]
+foxnxx.com##div[style="margin-top:5px;text-align:center;"]
+memedroid.com##div[id^="aside-ad-container"]
+memedroid.com###aside-affix-container > div[style] > a[target="_blank"] > img
+everydayporn.co,bussyhunter.com#%#//scriptlet('prevent-window-open')
+everydayporn.co,bussyhunter.com##div[style^="position: absolute; inset: 0px;"]
+gamersmaze.com##.content-inner > center:has(> button.button-red)
+himovies.sx,moviesjoyhd.to##img[style="max-width: 728px; width: 100%"]
+||elamigosedition.com/templates/games/js/p*per.js
+elamigosedition.com##.tabs-b > div[class^="but"] > a[target="_blank"]
+skidrowcodexgames.com##.entry-content > a[rel="external noopener noreferrer"]
+cgmagonline.com###cgmside > div.brxe-template:has(> div.brxe-div > div.brxe-code > div[data-pw-mobi])
+datanodes.to##div.w-full.md\:w-4\/12.items-center
+datanodes.to#$?#body > form[method="POST"][target="_blank"] { remove: true; }
+||javfun.me/api-ads?
+||pornhd3x.tv/Cms_Data/Sites/admin/Files/ads
+youporn.com,you-porn.com##.right-aside > div[class]:not(.videoAutoNext)
+youporn.com##.playWrapper > div[class][id] div[class] > img[src^="data:image"]
+veporn.com##body .dvr-bx
+||sextvx.com/ads/
+tube8.com##.full-row-thumbs > .e8-column
+tube8.com##.video_listing > div[class]:not([data-video-id]):has(> .adsbytrafficjunky)
+nulls.gg##body > .section.bg-default:has(> .container-fluid:only-child > #div-ad-adaptive-square)
+flashbang.sh,trashbytes.net,buzzheavier.com#%#//scriptlet('prevent-window-open', '!/(flashbang\.sh|trashbytes\.net|buzzheavier\.com)/')
+flash.getpczone.com###commonId > a.btn[target="_blank"]
+issuu.com##.results-grid__ad
+issuu.com##.document-details__ad
+issuu.com##div[class^="grid-layout__ad-"]
+issuu.com##.results-footer > div[class^="sc-"] > div[data-type="belowResult"]
+issuu.com##div[data-testid="side-section"] > div[class^="sc-"]:has(> div[class^="sc-"] > #playwire-video)
+issuu.com##div[data-testid="side-section"] > div[class^="sc-"]:has(> div[class^="sc-"] > div[class^="sc-"] > div[class^="sc-"] > #DocPage_right__cta)
+issuu.com###app > div > div[class^="sc-"] > div[class^="sc-"]:has(> div[class^="sc-"]:only-child > div[class^="sc-"] > #DocPage_Primary__wideLeaderBoard)
+porntube.com##.row > div[class^="col-"]:has(> iframe[title="check this links"])
+3movs.com#?#.column_aside > .box:has(> div.headline > h2.title:contains(Advertisement))
+laststicker.com##.b_top_1
+||wxx.wtf/static/js/wxx.js
+wow.xxx,fullhd.xxx,porner.xxx,fullvideos.xxx,omg.xxx,4kporno.xxx,fullporn.xxx,fullporno.xxx,freepornvideos.xxx##.sponsor
+wow.xxx,fullhd.xxx,many.xxx,porner.xxx,fullvideos.xxx,omg.xxx,4kporno.xxx,fullporn.xxx,fullporno.xxx,freepornvideos.xxx##.right
+many.xxx##.avd-desc
+defenseworld.net##.flex-header-ad
+defenseworld.net##.sidebar-section > div[style*="min-height:"]:has(> .adsbygoogle)
+||marketbeat.com/scripts/TextAdNewsSites.ashx
+||marketbeat.com/scripts/HeaderAdNewsSites.ashx
+||marketbeat.com/scripts/SidebarAdNewsSites.ashx
+||marketbeat.com/scripts/MoreOnMarketBeatBelowPost.aspx
+ragnarokscanlation.net##div[id^="ad-container"]
+freecoursesite.com###media_image-7
+scribd.com##div[data-testid="sticky-wrapper"]
+scribd.com###sidebar div[class^="_"]:has(> div[class] > div[class] > span:contains(ad))
+money.usnews.com#?#aside[class*="AfterContentContainer"]:has(> div > p:contains(Sponsored))
+realbooru.com##div[style^="margin: 0px 0px 20px 20px;"]
+25ans.jp,ellegirl.jp,harpersbazaar.com##div[class*="css-"]:has(> div.ad-disclaimer)
+ourmatch.me##.adv21
+mirrored.to##.dl-width .centered > form[target="_blank"]
+porn2all.com##.primary > li:has(> a:not([href*="porn2all.com"]))
+porn2all.com##a[href][target="_blank"]:not([href*="porn2all.com"])
+||faponic.com/img/assets/b_
+faponic.com##div[class^="undrezz"]
+faponic.com##a[href^="https://nudify.online"]
+faponic.com##.control-block > a[target="_blank"]:not([href*="faponic.com/login"])
+cheemsporno.com##div[class^="MobileBanner"]
+cheemsporno.com##div[class^="DesktopBanner_"]
+cheemsporno.com##section[class^="Banner_"]
+cheemsporno.com##span > div[class*="Banner_"]
+cheemsporno.com###video-player-overlay
+cheemsporno.com##section[class^="LiveCams_live-cams__container"]
+||chaturbate.com^$domain=cheemsporno.com
+||bigbuttshub.top/assets/jquery/p2adult.js
+||fh-po.com/creatives/
+||porn2all.com/static/images/1550x278.gif
+bingato.com##.player-wrap1
+pornlib.icu##.row_content:has(> .wrap_container:only-child > .spots:only-child)
+pornlib.icu##.wrapper_content:has(> .row_container:only-child > .wrap_container:only-child > div > .live_cams_iframe)
+pornlib.icu##.footer_web_adv
+pornlib.icu###spot_video_livecams
+pornlib.icu##.ID_live_cam_wrapper
+emturbovid.com##.div_pop
+||pornx.to/wp-content/uploads/billboard.png
+techplanet.cam##div[id^="fixedban"]
+techplanet.cam##div[id^="fixedban"] + br
+aliexpress.com##.search-item-card-wrapper-list:has( > div:only-child > div:only-child > a + div[class*="multi"])
+hollywoodlife.com##.ad--horizontal
+radiopaedia.org##.ad-banner-desktop-row:not(#style_important)
+radiopaedia.org###content-banner
+radiopaedia.org##.size_choice_728x90
+radiopaedia.org##.content-filter > p[class="text-center"]
+radiopaedia.org##.ad-link-grey
+torlock.com##article > .table-responsive:has(> table > tbody > tr > td > div[style] > a[rel]:not([href*="torlock.com/"],[href^="/"]))
+jpost.com#?#.left-side section.line-left-side-after-container:has(> section div.OUTBRAIN)
+jpost.com##.spotim-banner
+jpost.com##article div.hide-for-premium + script + section.fake-br-for-article-body:empty
+jpost.com##article section.hide-for-premium + section.fake-br-for-article-body:empty
+inews.zoombangla.com##div[class^="ai-viewport-"][data-code]
+inews.zoombangla.com##iframe[src="https://zoombangla.com/jamuna100/"]
+doubleblindmag.com##div[class^="code-block code-block-"][style^="margin:8px"]
+doubleblindmag.com#$#.HTGMtopAdNew { display: none !important; }
+doubleblindmag.com#$#.fixed-nav-bar { transform: none !important; }
+timesofindia.indiatimes.com##.s_mrec_ads
+timesofindia.indiatimes.com##.mid_ads
+nsfwmonster.com#$?#.content > div.item:has(> iframe.osBannerPreload) { remove: true; }
+||camonster.io^$domain=hardgif.com
+||hardgif.com/clck.php
+hardgif.com##.item:has(> .osBannerPreload:only-child)
+hardgif.com#%#//scriptlet('trusted-set-cookie-reload', 'clickedAlready', '1')
+lnkfi.re###lnk-ad-header
+cyberscore.live##.partner-rb-full-page
+cyberscore.live##.wrapper-partner-rb
+||cyberscore.live/images/bnrk-res/
+investorgain.com#?#p:has(> b:contains(We can help you to open your demat account))
+f95zone.to##.p-nav-list > li:has(> div[class] > a[href][data-nav-id="AISexChat"])
+voodc.com,crackstreams.dev#%#//scriptlet('remove-node-text', 'script', 'adserverDomain')
+realbooru.com##.row > div[class^="col-"]:has(> div.adzoneTest)
+nypost.com##.layout__item:has(> .layout__inner:only-child > div[class]:only-child > .widget:only-child > div[data-component="outbrain"]:only-child)
+mobilegamer.biz##.sidebar-main > aside.widget_media_image
+thehulltruth.com##div[class^="ad-placeholder-"]
+sportlemons.tv###sidebar
+goal.com##.fco-scoreboard__sponsorship
+freemp3.tube#%#//scriptlet('remove-attr', 'onclick', 'button[onclick^="window.open("]')
+||btvsports.cam/ads/
+dlhd.*,lewblivehdplay.ru,freckledine.net,bong.ink,crackstreams.dev,tutlehd4.com,topembed.pw,redditsoccerstream.online##div[style*="2147483647"]
+sportnews.to###primary > div.card:has(div.banner-ads)
+sportnews.to##.widget-body > div.card:has(> div.card-body div.adsbyvli)
+pubjav.com##.mvic-ads
+pubjav.com###main + div.container > div.row:has(> div[class^="ads-player"])
+sportnews.to##.widget-body > div.card:has(> div[style="min-height: 280px;"])
+nativesurge.info##.adsbyadful
+nativesurge.info##.adsbyadful + button#dismiss-btn
+nativesurge.info##td:has(> div.adsbyadful)
+||hdtoday.tv/ajax/banner
+||scripts.dkmedia.vercel.app/popunders/
+gogoanimes.fi##.ads_watch_top
+standard.co.uk##.teads
+fullmatch.info##div[class^="penci-google-adsense-"]
+fullmatch.info##a[href^="https://linkfreshlink.com"] > img
+hesgoal.watch##a[href*="kiksajex.com/"]
+||onloop.pro/aclib.js
+game8.co##img[data-track-nier-keyword="article_ads_creative.click"]
+game8.co#$?#.js-side-ads-movie-container { remove: true; }
+iobit.com##.new-top
+clickndownload.*##html > div[style^="position: fixed;"]
+redd.tube##.banner-juicy-desktop
+growdiaries.com##.header_add
+growdiaries.com##.cpm_item > .adv-visibility + a[target="_blank"] > img
+kingstreamz.lol,mylivestream.pro###openLinks
+namify.tech##.suggestion-rows .suggestion__namify-partner
+namify.tech##[class*="gtm-banner-"]
+analry.com,hard3r.com,bigbigtits.com,public-porno.com,maturexy.com,bigbumfun.com,fuqster.com,bigtitbitches.com,hugewangs.com,w1mp.com,analpornxl.com,sexpester.com,w4nkr.com##.asside-link
+analry.com,hard3r.com,bigbigtits.com,public-porno.com,maturexy.com,bigbumfun.com,fuqster.com,bigtitbitches.com,hugewangs.com,w1mp.com,analpornxl.com,sexpester.com,w4nkr.com##.link-offer
+/player/html.php$domain=fapnfuck.com|sexpester.com|w4nkr.com|w1mp.com|bigtitbitches.com|fuqster.com
+||melban7.top^$domain=wcup.one
+||afrikalyrics.com/images/download-vantaart-
+xxx-sex.fun##.fh-line
+xxx-sex.fun###fluid-onpause_spot > *:not([class="fluid-play"])
+||content.overwolf.com/curseforge/web/nitro/cursenpinit.js
+sexlist.tv##.link-premium
+sexlist.tv#?#h2:contains(Advertisement)
+sexlist.tv##div[style^="color:"]:has(> a[href="https://trafficox.com"])
+bunkr.si##header .catflix
+watchporn.to##.container > center > .top > a > img
+||watchporn.to/banners/summer2.gif
+avclub.com,deadspin.com,gizmodo.com,jalopnik.com,jezebel.com,kinja.com,kotaku.com,lifehacker.com,qz.com,splinternews.com,theinventory.com,theonion.com,theroot.com,thetakeout.com##.js_ad-dynamic
+||homesports.net/iframe/aclib.js
+twittervideodownloader.cam,saveinsta.cam##.widget-area
+filext.com###b2c
+filext.com###b4c
+filext.com###ba1c
+||filext.com/tools/fileviewerplus_*/*.html$subdocument
+vjav.com##.video-page__content > div.left + div:has(> div > div[id^="ntv_"])
+lilymanga.net##.code-block > a[target="_blank"] > img
+macheforum.com##.samCodeUnit > .samItem:has(> .customizedBox > div[data-aa-adunit])
+seriouseats.com#$#.mm-ads-leaderboard-spacer { min-height: 0 !important; }
+nexusmods.com##.items-center:has(>div[data-testid^="ad-container-"])
+.com^|$xmlhttprequest,third-party,domain=kaido.to|swatchseries.is|hianime.to|dbsullca.com
+.net^|$xmlhttprequest,third-party,domain=kaido.to|swatchseries.is|hianime.to|dbsullca.com
+.to^|$xmlhttprequest,third-party,domain=kaido.to|swatchseries.is|hianime.to|dbsullca.com
+thetimes.com###article-main > div:has(> div > div#ad-header)
+ziperto.com##a[href*="https://givawey.click/"]
+wolfstream.tv##div[id^="ann_"]
+moneycontrol.com##.advSlotsWithoutGrayBox
+mod1s.com##.stuAd
+mod1s.com#?#a[href="javascript:;"]:has(> span:contains(Advertisement))
+elle.com##main > div[class^="css-"]:has(> .ad-disclaimer)
+dvdsreleasedates.com##div[style*="width:728px;height:90px;"]
+dvdsreleasedates.com##div[style*="width:300px;height:250px;"]
+goworkship.com##.sideAds-top
+amazon.*##div[id^="dp-ads-"]
+gaystream.pw##.entry-bottom-ads
+analyticsindiamag.com##section[data-element_type="section"] > div.elementor-container > div.elementor-column + div.elementor-column > div.elementor-widget-wrap > div[data-widget_type="image.default"]:has(> div.elementor-widget-container > a[href^="https://rb.gy/"])
+analyticsindiamag.com##section[data-element_type="section"] > div.elementor-container > div.elementor-column + div.elementor-column > div.elementor-widget-wrap > div[data-widget_type="image.default"]:has(> div.elementor-widget-container > a[href^="https://rb.gy/"]) ~ div[data-widget_type="image.default"]
+analyticsindiamag.com##section[data-element_type="section"] > div.elementor-container > div.elementor-column + div.elementor-column > div.elementor-widget-wrap > div[data-widget_type="image.default"]:has(> div.elementor-widget-container > a[href^="https://rb.gy/"]) ~ div[data-widget_type="image.default"] ~ section.elementor-section:has(> div.elementor-container a[href^="https://adasci.org/"])
+primagames.com##.htlad-primagamescom_leaderboard_atf
+jizzbunker.com##.panel.partner-site
+some.porn##.w-full > div[class]:has(> div[class] > div[data-spot])
+onmpeg.com,some.porn##.fluid_html_on_pause_container
+some.porn###ads-native__skeleton
+some.porn###ads-native
+y99.in##.me-container
+||izi.su/newa$all
+cambro.tv#%#//scriptlet('abort-current-inline-script', 'window.onload', 'puURLcb24')
+cambro.tv##.container > div[style]:has(> div#object_container)
+northerndailyleader.com.au###billboard-container
+northerndailyleader.com.au##div[id^="story"][id$="-container"]
+northerndailyleader.com.au##div[id^="main-side-"][id$="-container"]
+northerndailyleader.com.au##div[id^="newswell"][id$="-container"]
+northerndailyleader.com.au###story-comment-container
+forum.rclone.org##.home-logo-wrapper-outlet a[href^="https://"][target="_blank"]
+online2pdf.com##.adboxcontainer
+||usgas.ca/images/side_panel_af_bb.png
+||usgas.ca/images/amazon_prime_video.jpg
+||usgas.ca/images/road_trip_must_haves_400.jpg
+tennis.com##article > div.d3-l-grid--outer:has(> div.oc-c-article__body > div.body-parts-center > div.oc-c-article__adv)
+twinfinite.net##.htlad-twinfinitenet_leaderboard_atf
+mytempsms.com##.content > .container[style]:has(> .adsbygoogle)
+mytempsms.com###container-ad > .col-sm-12[style]:has(> .adsbygoogle)
+bscscan.com###ContentPlaceHolder1_lblTextAd
+pcmag.com#?#.mx-auto > div[class^="my-"]:has(> div.hide-three > a[href][rel="sponsored"]) + div.leading-tight
+pcmag.com#?#.mx-auto > div[class^="my-"]:has(> div.hide-three > a[href][rel="sponsored"])
+pcmag.com##div#similar-products
+bestforpuzzles.com##div[data-element-description$=" ad"]
+bestforpuzzles.com##div[class^="GameTemplate__adSidebar___"]
+flightradar24.com###primisAdContainer
+msn.com##.DisplayAdsWC
+msn.com##.vd-ad
+dexerto.com##div[id^="article-"] > div.wp-block-buttons > div.wp-block-button:has(> a[href^="https://www.amazon.com/dp/"])
+freetogame.com##.games_area > div.game-card:has(> div.card > ins.adsbygoogle)
+mmacore.tv###rrec
+mmacore.tv##.grecs
+mmacore.tv###tlbrd
+mmacore.tv##.prodlst
+mmacore.tv###lzSkyAd
+mmacore.tv##.resp_ban
+||cloudfront.net/images/banners/original/$domain=mmacore.tv
+adsoftheworld.com##.tracking-widest
+futurezone.at##.outbrain
+flightconnections.com##.right-column:has(> .route-display-box-container)
+bscscan.com##.row > div.col-auto:has(> div.d-none > a[href^="https://goto.bscscan.com/"])
+smashingmagazine.com##.partners
+realmofmetal.org###bsadsheadline
+oklikshare.com###prplads01
+||goraidparty.com/images/ad_banner
+nycpokemap.com,londonpogomap.com,vanpokemap.com,sgpokemap.com,sydneypogomap.com#%#//scriptlet('remove-attr', 'style', '#map')
+nycpokemap.com,londonpogomap.com,vanpokemap.com,sgpokemap.com,sydneypogomap.com##.please
+thestrayferret.co.uk##div[class^="BlockOfAdverts"]
+gamingtrend.com##.social-sharing-bot + p
+gamingtrend.com##.affiliates-img
+sketch.fileplanet.com##.trs-ader.bantop
+123moviesfree.net,0123movie.net##.card-body > .row > .col-lg-3 > .d-grid > button.btn-primary
+investorgain.com##div[id^="div-ad-header"]
+investorgain.com###right
+freespoke.com##.WebSearch > .wrapper > .ant-row > .ant-col > .ant-row > .component-col:has(> .ContextualMessaging > .header > .block > a[href="/no-ads"])
+fstream365.com###overlay-ads
+zpaste.net##center > a[target="_blank"] > button
+||cdn.cuty.io/fps.js
+||zshorte.net/js/full-page.js
+elamigos-games.net#?#.container > .my-4:contains(Advertising)
+elamigos-games.net##.portfolio-item:has(> .card > a[href*="instant-gaming.com"])
+windowsforum.com###adsense-wrapper
+kewnscans.org###sticky-ad-head
+neoseeker.com##.prms_inc
+neoseeker.com##div[style^="text-align:center;background:"][style*="min-height:"]:has(> .text-secondary > small)
+torrentgalaxy.unblockninja.com###blockalert
+torrentgalaxy.unblockninja.com###stopad
+ytmp3.mobi###pa_download
+ytmp3.mobi#%#//scriptlet('prevent-window-open', 'ad.ymcdn')
+gocomics.com##.gc-top-advertising
+educationtimes.com##div[class]:has(> div[class] > div[id^="div-gpt-ad"])
+kickassanime.*#$?#body ~ div[style^="position:"] { remove: true; }
+vidco.pro#$?#iframe[style^="position:"] { remove: true; }
+||pks.raenonx.cc/scripts/newRelicEumProd.js
+scrolller.com#%#//scriptlet('json-prune', 'data.getAffiliateItems')
+windowsblogitalia.com#$#.sidebar > div.tile:has(> div.tile-header > form[role="search"]) { height: 0 !important; }
+windowsblogitalia.com##.tile-content:has(> ins.adsbygoogle)
+windowsblogitalia.com##.tile-header:has(> div.ad-box-title)
+local10.com##div:has(> h5 + form.formField)
+armenpress.am##a[href="https://t.me/armenpress_am"]
+5pillarsuk.com##.td-ss-main-sidebar img[width="300"]
+gizchina.com##.widget_vw_widget_image_banner
+drudgereport.com##body #DR-DESKTOP-NITRO-TOP
+drudgereport.com##body #DR_AE_AD_INJECTION
+digipuzzle.net###maindiv > tbody > tr > td[style="display:inline-block;width:180px;height:630px;text-align:left"]
+game3rb.com##center > a[rel]
+game3rb.com###post-footer:has(> a[target])
+||tatrck.com/redir/clickGate.php$popup
+hdtoday.tv##div[style^="pointer-events: none; position: absolute;"][style$="z-index: 2147483647;"]
+f95zone.to##.p-nav-list > li:has(> div[class] > a[href][data-nav-id="deepswap"])
+f95zone.to##.p-nav-list > li:has(> div[class] > a[href][data-nav-id="LiveSexCams"])
+f95zone.to##.p-nav-list > li:has(> div[class] > a[href][data-nav-id="AIPorn"])
+upi.com##body > div.container:has(> div.row > div.text-center > table td.ad_tag)
+upi.com##article > div.text-center:has(> div.ad_tag)
+videogamer.com###block-aside-ad-unit
+sanfoundry.com##.sf-desktop-ads
+gizdev.com###pos-sticky-ad
+videogameschronicle.com##.sticky-container
+gbnews.com##div[style="display: none !important;"] + p:has(> br:only-child)
+gbnews.com##div[style="display: none !important;"] + p[style="display: none !important;"] + p:has(> br:only-child)
+gbnews.com##.you-may-like__wrapper:has(> h4 + .OUTBRAIN)
+engadget.com##ul[data-component="LatestStream"] > li[class*="engadgetGutter"]:has(> a[data-ylk*=":Sponsored"])
+dosyadrive.vip##img[width="281"][height="78"]
+theage.com.au##header > div[class]:has(> div.container > div.ad)
+vxxx.com##.ttapdaaoaotttt
+gamingbolt.com##.thrid-party-content-break
+scrolller.com#?#img[src^="/assets/ads/"]:upward(button[class^="sc-"])
+scrolller.com##button[aria-label="Close fullscreen"] + div[class^="sc-"]
+tech.hipsonyc.com#$##pop-button { display: block !important; }
+tnaflix.com#%#//scriptlet('set-cookie', 'popunder_stop', '1')
+textreverse.com###ac-wrapper
+textreverse.com##.grammar-in
+textreverse.com##.moretooladd
+textreverse.com##.clearfix:has(> .border > div[id^="adngin-"])
+bluetracker.gg,xboxachievements.com###lb-top
+xboxachievements.com###mp-main
+xboxachievements.com###mp-btf
+thenews.com.pk##.ads_between_content
+grland.info##.elementor-widget-wrap > .elementor-element:has(> .elementor-widget-container > img[src*="banner"])
+grland.info##.elementor-container:has(.elementor-widget-wrap > .elementor-element > .elementor-widget-container > a > img[src*="banner"])
+grland.info#?#span:contains(Advertisement):upward(.elementor-element)
+||fotosketcher.com/wp-content/uploads/*/Tastefulcups-banner-
+javdatabase.com##.row:has(> div.col-md-3 > div.card > div.card-body > div.movie-cover-thumb > a[href^="https://www.fellatiojapan.com/"])
+javdatabase.com##.row:has(> div.col-md-3 > div.card > div.card-body > div.movie-cover-thumb > a[href^="https://www.spermmania.com/"])
+techspot.com##article > div[style="min-height: 280px"]
+scribd.com#?#div[class^="GridContainer-module_wrapper_"] div[data-e2e="dismissible-ad-header-scribd_adhesion"]:upward(div[class^="GridContainer-module_wrapper_"])
+gamepressure.com##.ad-2016-right
+quackr.io##home-page > .columns.is-mobile[style="height: 120px;"]
+www-pinkvilla-com.cdn.ampproject.org##.new_adv2
+www-pinkvilla-com.cdn.ampproject.org,pinkvilla.com##.loomssec--artpage
+||hupuza.com^$domain=yeptube.com
+||yeptube.com/templates/base_master/js/ppdr/pu.init.js
+unboxholics.com##div[id^="inside-banner-"]
+sms24.me##div[class^="ado-"]
+mediafire.com##.sidebar > div.apps
+woowebtools.com##div[style^="padding-top:"]:has(a > img[src])
+tv24.co.uk##.panorama
+tv24.co.uk##li[id^="infeed"]
+[$path=/jobs]linkedin.com###ember33
+[$path=/jobs]linkedin.com##.discovery-templates-entity-item:has(> div[data-job-id="search"] > div > .job-card-list__footer-wrapper > .job-card-container__footer-item.align-items-center:first-child)
+||tempr.email/public/responsive/gfx/awrapper
+radio.at,radio.de,radio.dk,radio.es,radio.fr,radio.it,radio.net,radio.pl,radio.pt,radio.se##div[class*="md\:min-h-\[90px\] lg\:min-h-\[250px\]"]:has(div[id^="RAD_D_"])
+radio.at,radio.de,radio.dk,radio.es,radio.fr,radio.it,radio.net,radio.pl,radio.pt,radio.se##.mx-auto > .relative > .flex-wrap.justify-between:has(> .w-full div[id^="RAD_D_"])
+||radio.*/assets/js/clickperformance/RAD_singlepageapp.js
+tesco.com#?#.product-list span:contains(Sponsored):upward(.product-list--list-item)
+waitrose.com##article[data-product-pod-type="sponsored"]
+waitrose.com##div[data-analytics-component-type="internal-promotion"]
+prepostseo.com##.pull-right > .text-center[style*="min-height: 280px;"]
+welovemanga.one##a[href="https://nicoscan.com/"]
+sainsburys.co.uk##.pd-merchandising-product__wrapper
+sainsburys.co.uk##.ln-o-grid > li[data-test-id="pt-ingrid-ad"]
+nerdwallet.com#?#.article-container > div[class^="_"] + div[class] > div[class^="_"] + div[class]:has(span:contains(AD))
+nerdwallet.com##div[style^="position:sticky;"] > div[class^="_"] > div:not([class]):has( a[href^="https://www.nerdwallet.com/redirect/"])
+premierguitar.com##.rblad-Leaderboard
+premierguitar.com##.rblad-primis_player
+1secmail.com##.horizad
+1secmail.com###allbox > .col3:has(> .adsbygoogle)
+babepedia.com##.sidebar_block:has(> center > a[href^="https://privee.ai/"])
+||magz4men.com/bnrs/bp/banner.jpg
+||babepedia.com/img/femjoy-bp-banner.jpg
+||babepedia.com/banners/
+||aucdn.net^$media,domain=vxxx.com
+vxxx.com#?#.video-page-content-left div:has(> div[class]:contains(/^Advertisement$/))
+vxxx.com##a[href^="http://join.letsdoeit.com/"]
+mega4upload.com##center:has(> div[id*="-"][style^="min-width: 3"][style*="min-height:"])
+mega4upload.com##.text-center:has(> div[id*="-"][style^="min-width: 3"][style*="min-height:"])
+starwank.com##.content > .top > center
+starwank.com#?#center:contains(Advertisement)
+||starwank.com/bump/
+pons.com##body div[id^="ad_contentslot"]:not(#style_important)
+carsales.com.au##div[data-id="search-top-banner"]
+||hotlink.cc/promo/*.gif$image,domain=1069boys.net
+cryptorank.io###root-container > div[class^="sc-"] > div[class^="sc-"]:has(> div[tabindex] + div[tabindex] > button)
+cryptorank.io##div[class^="sc-"] > a[target="_blank"][rel="noopener"][href]:has(> div[class^="sc-"] > img)
+cryptorank.io###TrendingCoins div[class^="sc-"]:has(> div.info > div.info-additional)
+cryptorank.io##div[class^="sc-"] > a[rel="nofollow noopener noreferrer"]:has(> div[class^="sc-"] + div[class^="sc-"] > button[class^="sc-"])
+cryptorank.io#?#tbody td:has(a[target="_blank"][rel="nofollow noopener noreferrer"] > div[class^="sc-"] > button:contains(Create account now))
+tmail.io###iframe_id
+/js/nt.js$domain=fc-lc.xyz|tmail.io
+symbaloo.com##.Not62:has(> div[class] > a[href="https://www.symbaloo.com/signup"])
+||symbaloo.com/static/banners/*/fsHomepage.js
+coolgenerator.com##.right-side > div.searchbox:has(> div[id^="adngin-"])
+coolgenerator.com##.col-md-9 > div.content:has(> div.OUTBRAIN)
+coolgenerator.com##.row > div.col-sm-6:has(> div.show-1 > div[style] > div[id^="adngin-"])
+coolgenerator.com##.col-md-9 > div.content:has(> div > div[id^="adngin-"])
+tempmail.run##.mt-2 > .row > .col-md-4 > .card:empty
+tempmail.run##.col-md-8 > .card:has(> div[id*="ScriptRoot"]:only-child)
+investing.com###comments_new > div:not([class], [id]) > .border-t:has(> .border-b:only-child > div[data-test="ad-slot-visible"])
+islegitsite.com##div[style="max-width: 728px; min-height: 150px;"]
+guru3d.com##article.ct-publish:has(> header > .ct-publish-meta > .badge > .bi-badge-ad-fill)
+tvnz.co.nz##.AdOnPause
+investing.com###Digioh_Billboard
+greatbritishchefs.com##.steps__container > div.pb-4
+chineseconverter.com##div[class*="-ad-header-"]
+chineseconverter.com##section.d-sm-block:has(div[id^="div-gpt-"])
+thinkminds.co.uk##.single-content > div:has(> .adsbygoogle)
+takimag.com##.subscription-section
+/assets/jquery/app0.js?type=mainstream&v=$domain=swhoi.com
+/\/z-[a-z0-9]{7,10}(\.js)?$/$script,domain=nepu.to
+hdfungamezz.xyz#%#//scriptlet('remove-node-text', 'script', '/popundersPerIP|delete window/')
+historyfacts.com##div[class^="ft-post-advertisement-"]
+||nzbstars.com/deatowllpik.php
+smashy.stream##.react-responsive-modal-root
+climate-data.org##.pub_ATF
+climate-data.org##.rectangle_ad_video
+climate-data.org##div[class^="sidebar_ad"]
+climate-data.org###sidebar-ad-c
+lse.co.uk##iframe[src^="https://www.advertsource.co.uk/ad/"]
+timesofisrael.com###gpt-passback
+worldsports.me,freckledine.net,markkystreams.com,buffstreams.app,sanet.lc,sons-stream.com,anarchy-stream.com,nativesurge.info,compensationcoincide.net,embedstreams.me,closedjelly.net,sportsonline.*,mega4upload.com,1stream.eu###dontfoid
+englishtorrent.co##a[href="https://futaonfemale.com"]
+tracking.narvar.com##div[class^="Panel-module_scrollableContainerScroll__"]:has(> a[target="_blank"] > div[role="img"])
+/mega4upload.com\/\w-\d+$/$domain=mega4upload.com
+tamrieltradecentre.com#$#img[style="max-width: 100%; max-height: 250px;"] { position: absolute !important; left: -3000px !important; }
+tamrieltradecentre.com#$#div[style="margin-bottom: 20px;"] > a > img[style="max-width: 100%;"] { position: absolute !important; left: -3000px !important; }
+buffsports.me##.ratio > div[id][class]:has(a.buffstream-close)
+usnews.com##div[class*="article-body"] ~ react-trigger[trigger="view"]:has(> aside[class^="indexstyles_"] > div[class^="indexstyles_"] a[href^="https://save-better.sjv.io/"])
+bdnews24.com##div[class^="floating-ad-"]
+issitedownrightnow.com##.left > div.containers:not([id]):not(:has(> div.containers-inner > span.external))
+amkstation.com,issitedownrightnow.com##.ad
+vanityfair.com##div[class^="PersistentBottomWrapper-"]
+vanityfair.com##a[class^="FooterAnchor-"]
+racingpost.com##.ui-advertising__container
+racingpost.com##.js-PC-runnerBestOddsContainer
+bleedingcool.com##.med_rect_wrapper
+linkunshorten.com##.container > .features ~ div:not([class]):has(ins.adsbygoogle)
+||modsfire.com/js/alt/gjd3a12.js
+hitomi.la##.container > div[class$="content"] > div[class]:empty
+hitomi.la##.container > div[class$="content"] > div[class]:has(> div[data-clickadilla-banner])
+opentunnel.net#?#span.text-muted:contains(/^Advertisement$/)
+link.paid4link.com##.card
+link.paid4link.com##form .banner + div.box
+upstreamonline.com##.top-ad-placeholder
+gamechampions.com##.ticker-wrapper
+gamechampions.com##div.fp-teaser-banner.e
+gamechampions.com##.provider-of-month-widget__wrapper
+nyaa.land##.panel-body > div.row > div.col-md-5 ~ div[style="padding:5px"] > b
+||i.leolist.cc/b/
+fastcompany.com##div[class^="second-scroll-container min-h-[4000px]"]:empty
+timesofindia.indiatimes.com##div[data-articlebody] > div[data-type="in_view"]:has(> div[class] > #creditscoreiframe)
+||etsaver.com/cards/credit-check-widget^$third-party
+myjournalcourier.com##.b-gray300.bt
+myjournalcourier.com##.b-gray300.md\:bt
+michigansthumb.com,myjournalcourier.com##article > div[data-eid]:has(> img[src^="https://cdn-channels-pixel.ex.co/"])
+filmaffinity.com##.mult-link
+||filmaffinity.com/imgs/cc/
+amanguides.com##header > div[data-device] > div[data-row="bottom"] > .ct-container-fluid:has(> div[data-column="middle"] > div[data-items] .adxfire-ad)
+efestivals.co.uk##.infeedAds
+efestivals.co.uk###adsideMPU
+efestivals.co.uk###largeTopAd
+||librarywhispering.com/aso.html
+librarywhispering.com###player a[target="_blank"]
+librarywhispering.com##div[style*="width: 300px; height: 250px;"]
+glitched.online#?#.widgettitle:contains(SPONSORED):upward([id^="text-"])
+top3.financefirefly.com##div[id^="penci_"]:has(center > div[id^="div-gpt-ad"])
+bgr.com##.bgr-ad-leaderboard
+bgr.com##aside > section:has(> div.bgr-ad-right-rail-top)
+lazyadmin.nl##a[href="https://lazyadmin.etsy.com/"] > img
+firstpost.com##.TABOOLA
+timesofindia.indiatimes.com##.imageBanner
+timesofindia.indiatimes.com##.addblock
+bleepingcomputer.com###bc-home-news-main-wrap > li:has(> div > a[href^="https://www.bleepingcomputer.com/offer/deals/"])
+englishtools.org##.desktop-ad-header-footer
+||billboard.com/wp-content/plugins/pmc-plugins/pmc-adm-v2/build/display-ads.js
+mywatchseries.cyou##.text-center > a[target="_blank"] ~ small
+||ezojs.com/ezoic/
+cbs12.com##div[class^="index-module_adAfterContent"]
+cbs12.com##div[id^="js-Taboola-Container"]
+dailymemphian.com###offer-wrapper
+reuters.com##div[data-variant-id="workspace-banner"]
+fxempire.com##div[class^="sc-"]:is([width], [display="flex"]):has(div[display="flex"] > span[font-size]):not(:has(*[font-family]))
+fxempire.com##div[class^="sc-"][display="flex"]:has(> span[font-size][display="inline-block"])
+acouplecooks.com##.mv-list-adwrap
+cssgradient.io##.page-header_banner
+shameless.com##aside > .aside-wrapper
+gayforfans.com##iframe[src*="//enviousinevitable.com/"]
+flaticon.com##.container > section.hide-mobile:has(> #unicorn)
+flaticon.com##.container > section.hide-mobile:has(> .preload:empty:only-child)
+dexerto.com##body #bottom-adhesion
+girlgeniusonline.com###top-space
+girlgeniusonline.com###right-space
+girlgeniusonline.com###sociallinks > p > a[target="_blank"]
+girlgeniusonline.com###bottomleader
+||hd-easyporn.com/static/exonb/backloderforload.php
+hd-easyporn.com#?#.adsbyexoclick:upward(aside[id])
+gamingbible.com##div[class^="advert-"]
+securityaffairs.com##.add-banner
+securityaffairs.com###vi-smartbanner
+vjav.*##div[class] > div[class] > section[style="padding: 10px;"]
+flac24bitmusic.com##a[target="_blank"][rel] > img[src*=".gif"]
+||flac24bitmusic.com/uploads/pryamo.gif
+||flac24bitmusic.com/uploads/headerbaner.gif
+chordu.com##div[class*="ads_ad_background"]
+boobyday.com,gonewildday.com,poppornday.com##body > center:has(> div.bannerbottom)
+boobyday.com,gonewildday.com,poppornday.com###page > .menu-left:has(> div.btnhome)
+emojipedia.org##.text-\[\#adadad\]
+emojipedia.org###__next > .flex > main > .h-\[312px\]
+emojipedia.org##div[class^="MainSection_main-section"] .items-start > div.h-\[300px\]:has(> div[class^="AdContainer"])
+emojipedia.org##div[class^="Container_container-wrapper"] > .flex-col > .hidden > .items-center:has(> div[class^="AdContainer"])
+emojipedia.org#$#div[class^="Container_container-wrapper"] > .flex-col > div[class^="Tabs_tabs_"][data-sticky] { top: 46px !important; }
+emojipedia.org#$#@media (max-width: 899px) { body div[class^="Container_container-wrapper"] > .flex-col > div[class^="Tabs_tabs_"][data-sticky] { top: 65px !important; } }
+heypoorplayer.com###widgets > div[id^="block-"]
+multmetric.com##div[style^="min-height: 300px;"]
+||resource.csnstatic.com/retail/cmp-retail-details/adverts-assets-*.js$domain=redbook.com.au
+standard.co.uk###frameInner > div[class*=" "]:has(> div[class*=" "]:only-child > div[data-ad-unit-path]:only-child)
+digitaltrends.com##.m-shop
+||zeriun.cc/assets/js/mtg.js
+zeriun.cc#%#//scriptlet('abort-on-property-write', 'ckllk')
+watcher.guru##div[class^="clickout-"]
+watcher.guru##.add-header
+fapality.com##.fluid-b
+nabzclan.vip##.lebox-default-placeholder
+wish.com##div[class^="ProductGrid__ProductGridRow"] > div:has(> a:only-child > div[class] > div[class]> div[class^="FeedTile__ProductBoostLabelWrapper"])
+||hitad.lk/Widget/widget_$third-party
+ivfauthority.com##div[class^="ivfau-inarticle"]
+jiocinema.com##div[class*="-AdRoot"]
+thesun.co.uk##div[data-aspc="BILL"]
+thesun.co.uk##.customiser-v2-layout-1-billboard-container
+thehackernews.com##body > section.rockstar:has(> center > a[href="https://thehackernews.uk/wiz-demo-d"])
+thehackernews.com##.dig_two
+gtamag.com##.advertisementbox
+chosic.com##div[id$="-ad"]
+firetvsticks.com#?#div[data-elementor-type="wp-post"] a[href^="https://nordvpn.com/firetvsticks"]:upward(.elementor-section)
+firetvsticks.com#?#div[data-elementor-type="wp-page"] a[href^="https://nordvpn.com/firetvsticks"]:upward(.elementor-section)
+thisvid.com##.columns > .column-right:has(> .spots:only-child)
+||gayforfans.com/proud-sun-bc20/
+gaystream.pw###sponsored
+pdf-warehouse.alloverinformation.com##div[class]:has(> ins.adsbygoogle)
+||silo52.p7cloud.net/as1.js
+hianime.to,aniwatchtv.to##div[style*="text-align: center"] > a[target="_blank"] > img
+etsy.com#?#div[data-search-results-region] li:has( div[class*="merch-stash"]:only-child > a > div[class*="listing-card__info"] p > span:not([aria-hidden="true"]):contains(Etsy))
+filehorse.com##div[class^="dx-"]
+thepresetsroom.com##.elementor-loop-container > div[data-elementor-type="loop-item"]:has(.adsbygoogle)
+gaamess.dk##div[class$="Ad"]
+online-stopwatch.com##div[class^="publift-"]
+gptchatly.com##div.container > aside
+fplstatistics.com##div[style^="float:"] > a[target="_blank"] > img
+mmorpg.com##.single-page > div.tabs
+mmorpg.com##.sidebar > .mb-5:has(> div[style^="min-height:"] > div[id^="div-"])
+mmorpg.com##div[style^="min-height:250px;max-width:100%;"]
+mmorpg.com#?#.sidebar > div.tabs--fill_last:has(a:contains(play games now!))
+brosislove.com##div[style="height:280px;"]
+upgradeguy.com##a[href="https://upgradeguy.link/IP-Vanish-DEAL"] > img
+upgradeguy.com##footer > div.ribbon-wrap:has(a[href="https://upgradeguy.link/IP-Vanish-DEAL"])
+golfdigest.com##.midslot
+dazn.com#%#//scriptlet('json-prune', 'PlaybackDetails.[].DaiVod')
+bunkr.sk#%#//scriptlet('prevent-setTimeout', ';return!_0x')
+pcguide.com##a[href^="https://howl.me/"]
+tvseries.in##body > center > a[href] > video
+||fzmovies.live/promotion.$domain=tvseries.in
+tvseries.in#%#//scriptlet('prevent-window-open', 'forooqso.tv')
+neporn.com##a[href="https://google.com"]
+rahim-soft.com##.theiaStickySidebar > .widget_text:has(> .textwidget > p > .adsbygoogle)
+allegiantair.com##a[data-hook="header-merchandise-banner_link"]
+convertio.co##.softobar-container
+vidsrc2.*##body > div[style*="position: absolute;"][style*="inset:"][style*="z-index:"]
+swiftuploads.com,techbloogs.com,oii.la,englismovies.pro,tpi.li,go.cloutgist.com,brbeast.com,vidsrc2.*,tutwuri.id,lokerwfh.net,insmyst.com,iir.la,tvi.la,cosplay18.pics,hianime.to,mobiletvshows.site,movies4u.*,x-x-x.tube,pornx.to,4khd.com,dlhd.*,kissanime.*,vidsrc.*,pahe.*#%#//scriptlet('prevent-window-open')
+hogwarts.cafe#$#body[class*="adthrive-"]:not(.home) .site-footer-wrap { margin-bottom: 0 !important; }
+retromania.gg##.banner > *
+[$path=/search]startpage.com#?##main > div[class^="css-"]:has(> div[class^="css-"] > p[class^="css-"]:contains(/Annoncer|Anzeigen|Ads|Anuncios|Publicités|Advertenties|Annonser|Reklamy|Anúncios/))
+[$path=/search]startpage.com#?#.main-results-container > div.shopping-header > div[class^="css-"] > div[class^="css-"] > div.information-container + div[class^="css-"]:has(> span:contains(/Sponsoreret|Gesponsert|Sponsored|Patrocinad|Sponsorisé|Gesponsord|Sponset|Sponsorowane|Sponsrad/))
+crystalmark.info###main-wrap > #top-container-widget:has(> .widget_text:only-child > .textwidget > .adsbygoogle)
+3dmodelshare.org##.inner-ads
+intro-hd.net##.sidebar_master > .widget:has(> div[id^="intro-"] > .adsbygoogle)
+intro-hd.net##.widget__gallery .col-lg-8 > .row > .in_loop:has(> .card > .adsbygoogle)
+wcofun.net##div[style]:has(> div[class^="reklam_"]:only-child)
+wcofun.net##div[style="float:right; margin-top:-5px"]
+digitalspy.com###main-content > div[class^="css"]:has(> .ad-disclaimer)
+manisteenews.com##.package.y100
+manisteenews.com##article > div[class]:has(> div[data-block-type])
+||hentaila.ml/sspda.php
+genius.com##div[class^="StubhubLink"]
+howtoinstall.co##div[id^="ads-wrapper-"]
+olx.in##div[class]:has(> div[id^="baxter-ads"])
+okmilfporn.com##div.text-center[style*="height: 250px;"]
+amateurpornvidz.com##div[style="height:280px;"]
+luxuretv.com##iframe[data-src^="https://rokymedia.com/"]
+luxuretv.com###vz_im_ad
+arcfly.net##.elementor-widget-foxiz-ad-image
+commands.gg##.playwire_container
+emulatorjs.com#%#//scriptlet('trusted-click-element', '.skip-ad', '', '2000')
+emulatorjs.com#%#//scriptlet('adjust-setInterval', ';},setTimeout(function(){', '1000')
+hitomi.la##.container > div.top-content > div[class]:not([class="list-title"])
+desidime.com##div[id^="div-ad"]
+coincodex.com##.ldb-top2
+coincodex.com##.StickyBottom
+coincodex.com##.side-col div[class][style]:has(> a[target="_blank"] > img)
+bloomberg.com##div[class*="FullWidthAd"]
+1337x.so###vpnvpn2
+befuck.net##div[class^="bb_show_"]
+befuck.net###ad_video_head
+hdzog.com##.listing__content > div.listing__item:has(> .nopop)
+hdzog.com##.content-block > div[class]:not([class*="pag"]):has(> div[class]:only-child > div[class][id]:empty)
+zerohedge.com##.main-content .banner
+zerohedge.com##.main-content .native
+zerohedge.com##.main-content #content-pack:empty
+uptoplay.net##body > div[style^="background: #fff;"]
+||sdk.credible.com/sdk.js$domain=fox35orlando.com
+ukpunting.com###popupModal
+raenonx.cc##.flex-row > div[tabindex][class]:has(> style:first-child + div[class]:last-child .adsbygoogle)
+raenonx.cc##body > div[class] > style:first-child + div[class]:has(> button.button-clickable-bg-opaque > .transform-smooth > svg)
+viprow.nu,olympicstreams.*,buffsports.me,vipbox.lc##button[data-openuri*=".allsportsflix."]
+userstyles.org##div[class^="GoogleAd_"]
+userstyles.org##div[class^="style_adWrapper_"]
+voyeurhit.com#?#.video-page > div[class] > div[class]:only-child:has(> div[class] > span:matches-css(before, content: /^Advertisement$/))
+vivosoccer.xyz,harimanga.com,dlhd.*,claplivehdplay.ru,topcartoons.tv,hdtoday.tv,watchcartoononline.bz,poscitechs.xyz,olalivehdplay.ru,hitsports.pro,arcasiangrocer.store,1qwebplay.xyz,ziperto.com,lylxan.com##html > div[style^="position: fixed; inset: 0px;"]
+||modsfire.com/img/ookfmx.png
+songbpm.com##div > div:has(> section > ins.adsbygoogle)
+bing.com##.b_ans:has([class^="xm_"][class*="_ansCont"])
+lnk.to##div[data-advertiser="amazon-music"]
+economist.com##div[class^="adComponent_advert"]
+exuce.com##button > a[target="_blank"]
+uxwing.com##.adspc01
+uxwing.com##.flaxmain > div.tagmainblock:has(> div[id^="bsa-zone_"])
+||vipbox.lc/partytown/
+fontesk.com##.postlist > .postlist-col:has(> aside > .textwidget > .feed-ads)
+tanoshiijapanese.com###cnbody #cnfooter:has(> #affiliate)
+yummly.com##.external-promo-root
+boardgameoracle.com#?#div[class^="jss"]:has(> span.MuiTypography-displayBlock:contains(Advertisement))
+open.spotify.com##div[aria-label="Advertisement"]
+open.spotify.com#?#aside[aria-label="Now playing view"] > div > div[data-overlayscrollbars-viewport="scrollbarHidden"] div[style="--trans-x: 0px;"] > h1:contains(Advertisement)
+lostshorts.com##.media-aside
+allevents.in##.wdiv:has(> div.advt-text)
+||1337x.*/mm.js
+thestoryshack.com##.variable-flash
+thestoryshack.com##.billboard-flash
+syok.my##.global-ads
+foodingredientsfirst.com##a[onclick*="https://www.cargill.com/"]
+operationsports.com##.wp-block-gamurs-ad
+camwhores.tv##a[target="_blank"][href*="utm_campaign"]
+camwhores.tv##.fap-circle
+cosplay18.pics,pig69.com,porn4f.com,idol69.net,cnpics.org##.fileviewer-body center:has(.vr-adv-unit)
+yts-official.org##.container > a[rel="nofollow"] > img[style]
+uflix.cc###wrn
+uflix.cc##div[style]:has(> #iploc)
+||batery.win/promo/*/?affijet-click=*popunder$popup
+ddproperty.com##.container-dfp
+icons8.com##.carbon-card-ad
+icons8.com##.by-sell-ads-large
+icons8.com##.addon-shutterstock
+fortnite.gg###ad-atf
+cmsdetect.com#%#//scriptlet('set-cookie', 'bioep_shown', 'true')
+cmsdetect.com#$#.headmsg { display: none !important; }
+cmsdetect.com#$##topNav { margin-top: 0 !important; }
+cmsdetect.com#%#//scriptlet('set-cookie', 'shopify', '1')
+cmsdetect.com#%#//scriptlet('set-cookie', 'second', '1')
+cmsdetect.com#%#//scriptlet('set-cookie', 'third', '1')
+chromeactions.com##body div[wheel]:has(ins.adsbygoogle)
+chromeactions.com##.filters
+dafont.com##.dfsmall ~ div[style^="width"]:has(ins.adsbygoogle)
+dafont.com##.titlebar ~ div[style]:has(ins.adsbygoogle)
+leak.sx##div[id^="tw_float_ads_main_Wrap"]
+comohoy.com##.widget:has( script[src^="https://grantedpigsunborn.com/"])
+1001fonts.com###adzoneTop
+||st.1001fonts.net/build/common/ads.*.$script,stylesheet
+uniladtech.com,sportbible.com,unilad.com,ladbible.com##div[class^="advert-placeholder"]
+uniladtech.com,sportbible.com,unilad.com,ladbible.com##div[class^="sticky-top-ad_container"]
+uniladtech.com,sportbible.com,unilad.com,ladbible.com##div[class^="floating-video-player_container"]:has(> div#primisPlayer)
+qrcode-tiger.com##div[class*="-side-holder"]
+homemoviestube.com##div[align="center"]:has(> a[href="https://www.rabbitscams.sex"])
+homemoviestube.com##a[href="https://homemovieslive.com/"]
+homemoviestube.com##a[href="https://milliondollarporn.com/"]
+homemoviestube.com##.user-top-links > li.item > a:not([href="/news/"])
+spabusiness.com##.showleaderboardPopup
+spabusiness.com##.leaderboardContainer
+||leisurejobs.net/leisure_opps_site/banners/$domain=spabusiness.com
+veev.to##.wiwi-watch-container .player-video-av.bottom-center
+veev.to##.player-video-av .info-card > a[target="_blank"] > img
+veev.to##.player-video-av:has(.info-card > a[target="_blank"] > img)
+/\.[a-z][a-z][a-z]\/$/$xmlhttprequest,third-party,domain=aniwatchtv.to|goku.sx
+||img.strpst.com^$domain=sextb.xyz|sextb.net
+sextb.xyz,sextb.net##.sextb_300
+sextb.xyz,sextb.net##.tray-item-cam
+sextb.xyz,sextb.net#?#.container > section.tray > div.tray-title:has(> h5.section-heading > span.h-text:contains(Live Cams Sex))
+yahoo.com##.aside-sticky-col > div#col2Bottom:has(> div[data-content="Advertisement"])
+damota.me##.nes-container:has(.adsbygoogle)
+sclouddownloader.net##div[style^="min-height:"].text-center
+awbi.in##.SH-Ads
+soundcloudmp3.org##.banner_ad
+twibbonize.com##.anchor-ads-bottom
+twibbonize.com##.top-ads--open
+twibbonize.com###modals-container:has(div.modal-promotion-any)
+hollywoodreporter.com##.get-the-magazine
+jcinfo.net###content aside:has(.adsbygoogle)
+playmods.net##.recommend-container
+news.abs-cbn.com##.MuiGrid-root > div[style] > div[style*="min-height:"]
+news.abs-cbn.com##div[id^="row"][id*="-col"] .MuiGrid-root div[style*="min-height:"]
+news.abs-cbn.com###rollingLeaderBoardLarge
+finance.yahoo.com##div[id^="mrt-node"][id*="Ad"]
+indiatimes.com##body div.article_first_ad
+indiatimes.com##.ad-shimmer
+dictionary.com#?#p[class]:contains(Advertisement):upward(2)
+dailynews.com##.dfm-page-bottom-flex-container > div[data-cswidget]:has(div.csadholder)
+||petco.com/wcsstore/PetcoSAS/javascript/SmartBanner.js
+petco.com##div[data-widget-type="citrus-banner"]
+petco.com##div[data-widget-type="citrus-ad"]
+dll-files.com##div[style="text-align: center; padding-bottom: 10px; padding-top: 10px;"]
+dll-files.com##center[style^="font-size: 0.8em; padding"][style$="color: #2d2d2d; font-style: italic;"]
+cdromance.org##.sidebar > .widget_custom_html:has(div[id^="ezoic-pub-ad-placeholder-"])
+goshennews.com##.tncms-region > div.tncms-block:has(> div.panel > div[style] > a[href="http://newspaperads.goshennews.com"])
+goshennews.com###floorboard_block
+||bloximages.chicago2.vip.townnews.com/*/ads_blox/resources/scripts/tnt.ads.init.*.js
+spotifydown.com###__next > div.semi-transparent:has(> div > ins.adsbygoogle)
+texasstandard.org###header-secondary-outer
+streetinsider.com##.im-ad
+comingsoon.net##.entry-content > div.wp-block-buttons
+privatehomeclips.com##.left + div:not([class]):last-child
+xjav.tube,tubepornclassic.com##.jwplayer > span[style="display:flex !important"] > div > div
+digitaltrends.com##.b-right-rail--ads
+waifu2x.net##div[style="width: 90%;height:120px"]
+waifu2x.net##div[style="min-height: 270px; margin: 1em"]
+sportnews.to##.widget-body > div.card:has(> div.card-body > ins.adsbymahimeta)
+aap.org##.self-serve-content-ad
+novelcool.com##.mangaread-ad-box
+sittingonclouds.net##iframe[id^="id0"][title]
+progamerage.com##div[class^="adsslotcustom"]
+etherscan.io##.container-xxl:has(> div[class^="py-"] > div > span#ContentPlaceHolder1_lblAdResult)
+etherscan.io##form[action="/search"] + p.text-white
+hianime.to#%#//scriptlet('prevent-addEventListener', 'pointerdown')
+||previbes.online/z-
+||api.xxxtik.com/util/ad
+efe.com##.inside-right-sidebar > aside.widget:has(> div > div[id^="div-gpt-ad"])
+modsfire.com##a[href^="https://offergate-software"]
+lyricsbox.com##div[class^="lai_"]
+thediplomat.com##[class*="td-ad"]
+royaledudes.io##.gifts
+gamesystemrequirements.com##.act_eng
+minnpost.com#?#.wp-block-group:has(> div > p[style] > strong:contains(Thanks to our major sponsors))
+minnpost.com###block-21
+minnpost.com##.wp-block-spacer
+pch.com##.placement-content
+||cdn.jsdelivr.net/gh/lglaos/sdsad/rotlamjiskai.bundle.js
+embedz.click##body > div[style*="position: absolute;"][style*="z-index:"]
+||a.adtng.com/get/$xmlhttprequest,redirect=noopvast-2.0,important,domain=peekvids.com|influencersgonewild.com
+pisshamster.com###box-txtovka-con
+||pisshamster.com/prerolls/
+autosport.com##.ms-ap-native
+world-of-nintendo.com##font[face] > center:has(> h1 > a[href^="http://www.mb38.com/"])
+world-of-nintendo.com##a[href="http://www.midsummer.pw"]
+9goals.live###bpads_afg_wrap
+9goals.live##.adsbygainify
+9goals.live##.container > center:has(> div[id^="div-gpt-ad"])
+whattoexpect.com##.fast-ads
+nairametrics.com##.jeg_ad
+nairametrics.com##.jeg_sticky_sidebar
+qz.com#?#.js_sticky-second-scroll ~ div[class^="sc-"] > div[class^="sc-"] > div[class]:has(> span:contains(Sponsored))
+lowfuelmotorsport.com###sksl
+lowfuelmotorsport.com###sksr
+||lowfuelmotorsport.com/assets/img/partners/
+lowfuelmotorsport.com#?#elastic-dashboard-socials div:has(> small:contains(powered by))
+lowfuelmotorsport.com##.menu > div:has(> img.ng-star-inserted + a[href^="https://acc-status.jonatan.net"])
+flixscans.*##.teaser-buttom
+nobodywalked.com###player a[style*="z-index:"][target="_blank"]
+hogwarts.cafe##.entry-content > .wp-block-kadence-column:has(> div.kt-inside-inner-col > span[class^="kt-adv-heading"])
+independent.co.uk###taboola-mid-article-thumbnails-ii
+gpblog.com##section[class^="NewsList"] > ul > li[class^="NewsList_injection"]:has(> aside.ad):not(:has(> div[class^="HeadlinesDossier_"]))
+miui.rahim-soft.com##a[href^="https://canoestallowrootsabre.com/"]
+embtaku.pro##iframe[style*="0px"]
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=theguardian.com
+thingiverse.com##div[class^="ItemCardGrid__"] > div[class^="ItemCardContainer__"]:has(> div[class*=" AdCard__"])
+abtc.ng#?#p:has(> span[style] > span:contains(Advertisement))
+abtc.ng##p:has(> ins.adsbygoogle)
+||twstalker.com/popunderufasssssk9.js
+xbox-now.com##div[style*="text-align: center"] > a[href*="/goto?url="][target="_blank"] > img
+||hentai2read.com/ark/arkAPI.php
+hentai2read.com##div[data-type^="ark-"] > a[href*="click.php"] > img
+carthrottle.com##.block-ad-manager
+freeupscmaterials.org##nav + .gb-container .gb-inside-container:has(.code-block > center > a[target="_blank"] > img)
+||eroasmr.com/preroll_*.xml
+||eroasmr.com/postroll_*.xml
+ryuugames.com###block-34
+assettoworld.com##.nitro-ads
+pcgamestorrents.com,igg-games.com##a[href^="https://slotspilot.com/"]
+igg-games.com##.post > a > img
+xozilla.xxx###scrollhere
+terabox.com##.shadow
+northantstelegraph.co.uk##div[class^="Dailymotion__Wrapper-"]
+northantstelegraph.co.uk###betsense
+portsmouth.co.uk,northantstelegraph.co.uk###hero-pixels + div[class]:has(> a[href="http://www.shotstv.com"])
+||ga.de/api/alerts
+sportshub.to##.card:has(div[id^="HBai_"])
+sportshub.to##.theiaStickySidebar > div.widget:has(div[id^="HBai_"])
+sportnews.to##.card:has(div[data-ad-slot])
+slideshare.net##div[data-freestar-ad]
+slideshare.net##div[class^="AdContainer_"]
+slideshare.net##div[class^="FreestarAdContainer_"]
+slideshare.net##div[class^="StickyVerticalInterstitialAd_"]
+1337x.so,1337x.to###freevpn
+coindoo.com##.banner-tb-wrapper
+coindoo.com##.we-recommend
+coindoo.com##.pub
+detroitbadboys.com##.dk-nav-bug
+detroitbadboys.com##.metabet-scorestrip-watermark
+thetechoutlook.com##.wnyfv-after-related > div[data-adid]
+zkillboard.com##.container > div[style="max-height: 250px; height: 250px;"]
+uflash.tv##div[id^="ad-float-"]
+luxtimes.lu##div[id^="ad_leaderboard"]
+luxtimes.lu##div[id^="ad_rectangle"]
+fappeningbook.com##a[href="https://w1.fappeningbook.com/"]
+||fappeningbook.com/assets/thefappening.png
+fappeningbook.com#?#.left-dv > div.left-inn-wrap-dv:not(:has(p:contains(Welcome to)))
+fappeningbook.com##.left-dv > h2
+worldhistory.org#%#//scriptlet('remove-node-text', 'script', 'adShieldScript')
+moviekhhd.biz###Ads + .tooltip
+moviekhhd.biz##a[target="_blank"] > img[src^="ads/"]
+||moviekhhd.biz/ads/
+sportskeeda.com##.primis-player-container
+luckymodapk.com##.popup-container
+scribd.com##div[data-testid="bottom-right-mrec"]
+scribd.com#$#div[data-testid="desktop-leaderboard"] { display: none !important; }
+scribd.com#$#.auto__doc_page_body_toolbar[style^="margin-top:"] { margin-top: 0 !important; }
+scribd.com#$#.body > div[class^="GridContainer-module_wrapper_"] { padding-top: 0 !important; }
+forbes.com##.rtb-top-wrapper
+||wsj.com/assets-proxy/intdoaq
+||cdn.privacy-mgmt.com/unified/wrapperMessagingWithoutDetection.js$domain=marketwatch.com
+aarp.org#$?#.uxdia-leaderboard-js--sticky { remove: true; }
+superpsx.com#$?#.penci-grid > .penci-infeed-data { remove: true; }
+||uploady.io/nt.js
+fresherslive.com##div[class^="desk-ad"]
+fullhyderabad.com#?#.fh_left > div[class] > div[class]:only-child:contains(/^ADVERTISEMENT$/)
+zorox.to##a[href^="https://mangafire.to/"]
+zorox.to#%#//scriptlet('remove-node-text', 'script', 'mangafire.to')
+pallabmobile.in##div[style="padding-top: 20px"] > div > a[href="#"] > img
+mangakatana.com##.hxtc
+open3dmodel.com##div[style^="min-height:"]:not([class],[id]):has(> .adsbygoogle)
+themirror.com##reach-billboard
+4kporn.xxx##.myadswarning
+4kporn.xxx##div[id^="list_videos_"] > div.item:has(> .ads)
+||4kporn.xxx/static/js/sj.js
+falkirkherald.co.uk##div[class^="MarkupAds_"]
+thestar.co.uk,sussexexpress.co.uk,portsmouth.co.uk,newsletter.co.uk,northantstelegraph.co.uk,miltonkeynes.co.uk##div[class*="AdWrapper"]
+thestar.co.uk,sussexexpress.co.uk,portsmouth.co.uk,newsletter.co.uk,falkirkherald.co.uk,miltonkeynes.co.uk##div[class*="AdLoadingText"]
+thestar.co.uk,sussexexpress.co.uk,portsmouth.co.uk,northantstelegraph.co.uk,newsletter.co.uk,falkirkherald.co.uk,miltonkeynes.co.uk##div[class*="AdContainer"]
+thestar.co.uk,sussexexpress.co.uk,portsmouth.co.uk,northantstelegraph.co.uk,newsletter.co.uk,falkirkherald.co.uk,scotsman.com,miltonkeynes.co.uk##.mid-outbrain
+imagetostl.com##.vb
+101soundboards.com##.ads_top_container_publift
+101soundboards.com##div[class^="publift_in_content_"]
+elamigos-games.net##.iframeDiv
+elamigos-games.net##.content_store
+||faqwiki.us/ezais/
+||ezojs.com/beardeddragon/
+||time4tv.online/iframe/
+||embedstreams.me/partytown/
+||l.js-assets.cloud/min.t.*.js
+tides.digimap.gg##.logo > div.carousel
+daijiworld.com###pnlCricket
+daijiworld.com##.col-md-2 > div.small-sidebar:has(> div > a[href="http://northernsky.in/"])
+||pornx.to/wp-content/uploads/ad*x*.png
+investorgain.com##.sme-ipo-ads-mobile
+investorgain.com##.fullview:has(> td:only-child > .sme-ipo-ads-mobile)
+markdown.net.br##.col > .card:has(div .card-content > ins.adsbygoogle)
+markdown.net.br##.mv-40:has(> .adsbygoogle)
+comohoy.com###contenthide > a[target="_blank"]
+vimm.net###footerContainer
+reddxxx.com#?#.mx-auto > div.mb-2:has(> div.flex > div.flex > div > h2:contains(VALENTINES SALE))
+medibang.com#$#.mpcViewerAds { display: none !important; }
+medibang.com#$#body.mpc-modal-open { overflow: auto !important; }
+talk.tv##div[class^="css-"]:has(> p:first-child + .ad-outline:last-child)
+||ads.talk.tv/ads.talktv.min.js
+khaleejtimes.com##body .ad-unit
+khaleejtimes.com##body .fix-mpu-nf
+khaleejtimes.com##body .fix-billboard-nf
+top.gg##div[class*="_AdContainer-"]
+linkedin.com##.scaffold-finite-scroll__content > div > div[data-id^="urn:li:activity:"]:has(.update-components-text-view > span[aria-hidden="true"]):not(:has(li-icon > svg))
+ispreview.co.uk##.block--messages .block-body > div[align="center"]:has(> .vm-placement)
+ispreview.co.uk###nright_nav > div > div[style]:has(> div.ntop_box > div > div[align="center"] > div.vm-placement)
+||ytlarge.com/youtube/*728-90.
+houstonchronicle.com##.package:has(> div > div[data-block-type="ad"])
+houstonchronicle.com##div[class^="ad-module"]
+clublexus.com##section.widget:has(> div.am-adslot)
+clublexus.com##section.widget:has(> div[id^="div-gpt-ad-"])
+www-livemint-com.cdn.ampproject.org,livemint.com##.budgetBox
+namethatporn.com##.instrl_wrp
+irctc.co.in##body > a[href^="https://amzn.to/"][target="_blank"]
+||informer.com/web/bannerinf
+informer.com##.aaa0
+smailpro.com##.min-h-ads
+smailpro.com##.flex > div.text-center:has(> div > ins.adsbygoogle)
+thelocal.fr##.hp-new > div.hp-new__block:has(> div[data-hasbanner] > div.hp-new__article > div.tl-ad-container)
+mobiledokan.co#?#span.stream-title:contains(/^Advertisement$/)
+ytmp3.ch##.recommend-cell-box
+ytmp3.ch##.footer-recommend
+pastemagazine.com##body #top_leaderboard
+||pastemagazine.com/wp-content/themes/pastemagazine/js/ads-gam-a9-ow.js
+environmentenergyleader.com##iframe[src^="https://ads.environmentalleader.com/"]
+||startpage.com/*/adsense/search/async-ads.js
+||startpage.com/*/afs/ads?adsafe=
+traderie.com##.ae-fixed
+sovsport.ru#%#//scriptlet('set-local-storage-item', 'hasOpenedPopover', 'true')
+sovsport.ru##div[class^="main-menu_bonusLogo"]
+||bunkr.*/magic/pure-magic-1.js
+receivesmsonline.net##.row:has(> div > center > div[style] > ins.adsbygoogle)
+receivesmsonline.net##.row:has(> div > center > div[style] > div[data-ad])
+receivesmsonline.net##.note
+quackr.io##messages > div[data-fuse]
+quackr.io##.table > tbody > tr[_ngcontent-serverapp-c10]:has(> td[_ngcontent-serverapp-c10] > div[data-fuse])
+top.gg###parent_nn_player
+opensubtitles.org##iframe[src*="://ads"][src*=".opensubtitles.org/"]
+qwant.com#$#.is-sidebar:has(div[data-testid="advertiserAdsDisplayUrl"]) { position: absolute !important; left: -3000px !important; }
+||123movies.ba/vpnads$image
+dwell.com#?#figure + div[class]:has(> div[class] > div[id^="div-gpt-ad-"])
+investing.com###comments_new > .border-t > .items-center:has(> div[data-test="ad-slot-visible"])
+technologynetworks.com#?#.preText:contains(Continue reading below...)
+israel21c.org##.banner-container
+exoticca.com##div[id^="add-banner"]
+hclips.com##.wrapper__block > div.pagination + section[style]
+pornx.to###player-api-over
+pornx.to##.above-single-player
+globalcement.com##div[id^="skybanner"]
+globalcement.com###wrapperInner div.bannergroup:has(> .banneritem a[href][target="_blank"]:not([onclick]):not([title*="Sign up"]) > img)
+||storage.googleapis.com/*/newsletter/*-banner-ad-
+olivemagazine.com##div[id^="index--banner"]
+mydramalist.com##.ad-removal-info
+mydramalist.com##div[class*="_right_"]:has(> .ad-removal-info)
+mydramalist.com##.content-side > div[class*="_right_"]:has(> #insticator-container:only-child)
+mydramalist.com##.mdl-component > .row > .col-xs-12 > .box-body:has(> .spnsr-row:only-child)
+mydramalist.com##.mdl-component > .row > .col-lg-8 > .box-body:has(> div[class*="_right_"]:only-child > .ad-removal-info)
+tasteatlas.com##.promotion:has(> div[ta-google-ad])
+mindbodygreen.com#?##content > div[class]:has(> section > div.network-ad)
+mindbodygreen.com###article-leaderboard-ad
+investing.com##div[class*="ad_"]
+thetimes.co.uk##article > div[class^="tc-view"]:has(> div > div#ad-header)
+th.gl##.pointer-events-auto.shrink-0.border:has(> a[href="https://www.th.gl/support-me"])
+scienceabc.com##.desk-header-ad
+scienceabc.com##.incontentad
+backbook.me##br + br ~ *
+forbes.com##.fbs-ad-wrapper
+forbes.com##.profile-sidebar__sticky-container
+qz.com##.js_sticky-second-scroll
+wccftech.com##.content > div[class="aside"]:has(> div:is(.bg-square-mobile, .ads-container):only-child)
+elevenforum.com##.p-body-sidebar > div[style^="width:"][style*="text-align:center;height:"][style*="margin-bottom:"]
+expressnews.com##main > div[data-layout="Layout1Column"] > div.zone:has(div[data-block-type="ad"])
+expressnews.com##article > div.pt16
+expressnews.com##.package.y100
+rocketleague.tracker.network##.ad.section-container
+foodingredientsfirst.com##.UpdateGaBanner
+barrons.com##div[class^="BarronsTheme--ad--"]
+barrons.com##div[class^="standard__AdWrapper-"]
+barrons.com##div[class^="RenderBlock__AdNativeWrapper-"]
+tipranks.com##div[id^="IC_"].hideOnpremium
+tipranks.com##.mobile_displaynone > div[style="height:120px"]:empty
+tipranks.com##div[class*="display"] > div[style="height:250px"]:empty
+porngameshub.com##.native-banner
+porngameshub.com##body .daemonclicks
+porngameshub.com###im-container
+hentaihorizon.com##.adsfront
+obf-io.deobfuscate.io##.self-center.overflow-hidden:has(> img[src="/nexus_banner.webp"]:only-child)
+||obf-io.deobfuscate.io/nexus_banner.webp
+sevenforums.com##li[id^="yui-gen"]
+rexxx.com##.banner_cont
+rexxx.com##.bottom_banners
+||gamemonetize.com^$domain=shortyget.com
+kutv.com,wlos.com##div[class^="NewAd"]
+||999hentai.net/aaifrm
+999hentai.net##.ads-wraper
+groovypost.com##div[class^="raptive-content"]
+||res.cloudinary.com/*/Ads*/preroll_candy$media,redirect=noopmp3-0.1s
+incestgames.net##body #bitcoin-banner
+e-chords.com##.adsGoogleDef
+canarymedia.com##aside.col-span-12 > .h-full > div[class*="bg-gray-"]:has(> figure > div[id^="div-gpt-"])
+fusevideo.io##html > body > a:not(#style_important)
+$script,third-party,denyallow=fusevideo.net|fastly.net|statically.io|sharecast.ws|bunnycdn.ru|bootstrapcdn.com|cdn.ampproject.org|cloudflare.com|cdn.staticfile.org|disqus.com|disquscdn.com|dmca.com|ebacdn.com|facebook.net|fastlylb.net|fbcdn.net|fluidplayer.com|fontawesome.com|github.io|google.com|googleapis.com|googletagmanager.com|gstatic.com|jquery.com|jsdelivr.net|jwpcdn.com|jwplatform.com|polyfill.io|recaptcha.net|twitter.com|ulogin.ru|unpkg.com|userapi.com|ytimg.com|zencdn.net|youtube.com|googleoptimize.com|vuukle.com|chatango.com|twimg.com|hcaptcha.com|raincaptcha.com|media-imdb.com|blogger.com|hwcdn.net|instagram.com|wp.com|fastcomments.com|plyr.io|x.com,_____,domain=fusevideo.io
+softwareok.com#?#div[style] > table[id^="banner_"][class^="GXG_"]:upward(1)
+vedbex.com##.card-body:has(> div > a > img[src^="/assets/banners/"])
+vedbex.com#$#body { overflow: auto !important; }
+vedbex.com#$##pasosz { display: none !important; }
+||fap.bar/p.js
+efootballdb.com###ads-space
+myhentaigallery.com##.pagination-image:has(> center > ins[data-zoneid])
+a-z-animals.com#?#.post > p.font-weight-light:contains(Advertisement)
+a-z-animals.com##.post > p.font-weight-light ~ hr
+esports.net##[id^="esports-ad-central-"]
+esports.net##div[class^="esports-ad-holder"]
+||paste.ee/img/buyvm.png
+paste.ee##img[src="https://paste.ee/img/buyvm.png"]
+cryptopolitan.com##div[data-widget_type="template.default"]:has(> div.elementor-widget-container > div.elementor-template > div[data-elementor-type] > div > div > div.elementor-widget-container > div.elementor-shortcode > div.code-block)
+you.com##div[data-testid="youchat-ads"]
+leagueofgraphs.com###OWAppBanner
+||ultimate-guitar.com/static/public/build/prebid_
+/ezais/dynamic?$domain=portableapps.com|theaviationist.com|hardreset.info
+crx4chrome.com##div:is(.blogposts-wrapper, [style^="margin:"]) > .topic[style^="min-height:"]
+menshaircuts.com##div[class*="cut-off-ad"]
+rule34video.com##.spot-thumb
+emailnator.com##.App div.row > div.mb-3:has(> ins.adsbygoogle)
+newsletter.co.uk,falkirkherald.co.uk,osuskinner.com##.billboard
+||metrolagu.cam/adus.js
+cosmic-scans.com###readerarea .wp-video
+||cosmic-scans.com/wp-content/uploads/*/VID-*.mp4
+manga1000.top##.row > div.col-12:has(> center > a[href^="https://shope.ee/"])
+watchsomuch.to###VPN
+watchsomuch.to##.getVIPAds
+pcwarezbox.com##.entry-content > div[style]:has(> center a[href][rel="nofollow"])
+shemalez.com##.video-page__content > .left + div[class]
+shemalez.com##.video-tube-friends + div[class]
+shemalez.com##.content > div > .wrapper + div[class]
+up-4ever.net##a[href^="https://s.click.aliexpress.com/"] > img
+duckduckgo.com##li[class][data-layout="creditcards"] div[data-testid="creditcards-carousel-module"].bing
+ign.com##.userList-leaderboard-adunit
+incestgames.net##.post-9999999
+fap-nation.com##.gunk-future
+18adultgames.com###block-107
+18adultgames.com###block-110
+18adultgames.com###block-113
+18adultgames.com###block-73
+18adultgames.com###block-75
+18adultgames.com###block-86
+18adultgames.com###block-105
+18adultgames.com###block-89
+18adultgames.com###block-70
+tempmail.email##.open-mail__text > strong > a[target="_blank"]
+typing-speed.net#?#tr > td[style]:has(> div > div[id][class] > div[style^="min-height:"])
+hometheaterreview.com###section-38-64990
+hometheaterreview.com###div_block-337-102770
+hometheaterreview.com###div_block-217-102770
+hometheaterreview.com#?##page-sidebar > div[id^="div_block-"]:has(> div.htr-static-ad-outer-wrapper)
+hometheaterreview.com#?##htrpostcontent > section:has(> div.ct-section-inner-wrap > div.ct-code-block > div[id^="homet-"])
+hometheaterreview.com#?#div[id^="div_block-"]:has(> div[id^="code_block-"]:only-child:empty)
+hometheaterreview.com#?#div[id^="div_block-"]:has(> div[id^="code_block-"] > div.homet-top-header-banner)
+mgviagrtoomuch.com##body > div[style^="width:"][style*="position:"]
+||amazonaws.com/*.*.*.*.*.*.*.*/*/index*.html$document
+jezebel.com###secondScroll > div.js_sticky-second-scroll
+||clk.wiki/ads/*/ad*.php
+icy-veins.com###premium_cta_block
+icy-veins.com###top_leaderboard_container
+icy-veins.com###bottom_leaderboard_container
+icy-veins.com###right_top > #top_rectangle_container
+icy-veins.com##.largeBoi:has(> div[id^="div-gpt-ad-"])
+icy-veins.com#?#.sub-container-content > div[style*="justify-content:"]:has(> #video-container > div[style*="font"]:contains(Advertisement))
+wjla.com,wpde.com###js-SocialWidget-Container
+clickhole.com,lifehacker.com,splinternews.com,avclub.com,deadspin.com,gizmodo.com,jalopnik.com,jezebel.com,kotaku.com,qz.com,theinventory.com,theonion.com,theroot.com,thetakeout.com##.js_post-content > div[class] > p:has(> strong + em + span > a[rel*="sponsored"])
+filmibeat.com##div[id^="are-slot-"]
+blockchair.com#?##page-right-block > .fd-col.jc-start:has(a[href="/advertise"])
+businessoffashion.com,chalkbeat.org##.b-ads-block
+banflix.com##a[target="_blank"] > img
+crazygames.pl,crazygames.com##div[style="width:100%;display:block"]
+crazygames.pl,crazygames.com##div[style="width: 100%; display: block;"]
+pornobae.com##.promo-cabecera
+free-codecs.com##.full__ad
+free-codecs.com###bannerTop
+/^https:\/\/images\.hdmz\.co\/images\/[A-z]+\./$domain=putlocker.vip
+sms24.me,sms24.info#?#div[class^="text-muted small"]:contains(/^Advertising$/)
+gamebit.me,sms24.me,sms24.info##div[name="ado"]
+24sport.stream##.container__bannerZone
+forums.sonarr.tv##.banner[style]:not(.ember-view)
+pwrpa.cc###downloadButton[onclick^="window.open"]
+gamertweak.com##div[id^="axrsokg-"]
+willyoupressthebutton.com###commList > div[style]:not([class]):not([id])
+reddit-soccerstreams.com##a[href^="https://www.offshorehosting.pro/"]
+foodandwine.com##div[class*="mm-ads-"]
+footybite.to##.news-right-sec-div > a[target="_blank"] > img
+nitrotype.com##.profile-ad
+||totalsportek.*/images/*.gif|$domain=totalsportek.*
+fastcompany.com##.nativeSecondScroll__container:empty
+porn4days.red#?#div > b:has(> div.alert > a[href^="https://www.brazzersnetwork.com/"])
+nesninja.com#?#.game_sm:has(> .game_inner > .game_box > .game_iframe_block > script)
+nesninja.com#?#.game_lg:has(> .game_inner > .game_box > .game_iframe_block > script)
+paste.fo##fuck_you + * > a [style^="background-image:"]
+multirbl.valli.org###lo-ads
+||multirbl.valli.org/images/hetrixtools-ad-banner.gif
+wsls.com##.floatingWrapper
+investorshub.advfn.com##.placements-container
+investorshub.advfn.com##.col-message > div.text-center > div.full-message-card
+sonicstadium.org##div[data-role="sidebarSpecial"]
+fifplay.com##.adspotBanner
+||combo.staticflickr.com/*/combo?ap:build/hermes-*/hermes-template-photo-ad-page/hermes-template-photo-ad-page-min.js$domain=flickr.com
+finbold.com##div[id^="finbold.com_"]
+lipstickalley.com##.block-body > .block:not([data-widget-id])
+cbs12.com,wjla.com,wpde.com##[class^="NewAd-"]
+bishalghale.com.np###custom-popup
+gaytxxx.com##.index-page > div.wrapper > div.row + div[class]
+vjav.*,gaytxxx.com##.undp
+gaytxxx.com##.video-content > div[class] + div[class]:last-child
+gaytxxx.com##.wrapper + div[style="margin-top: 0px;"]
+gaytxxx.com#?#.suggestion + div[class]:has(> .video-related) + div[class]
+gaytxxx.com#?#.video-content > div[class]:first-child > div[class]:has(> div[class] > div[class] > div[id])
+balticlivecam.com##.fp-sponsor
+gizbot.com##body .oiad
+panelook.com###container > #rightrow
+||panelook.com/images/ad/
+cgmagonline.com#?#.brxe-code:has(> div[class^="div-"])
+cgmagonline.com###brxe-tguwso
+cgmagonline.com##.cgm-article-ads
+flagpedia.net##.rklm
+flagpedia.net##.frklm
+abxxx.com##.video-page__content > div.left > section
+abxxx.com##.video__wrapper > div.wrapper > section
+abxxx.com##.video__wrapper > div.wrapper.headline
+hclips.com##.video-page__content > div.left + div:not([class])
+weakstreams.online,crackstreamsfree.com##div[class^="penci-block-vc "][style]
+baynews9.com##.google-dfp-ads
+fool.com##.sticky.top-152
+fool.com##.show-ad-label:not(#style_important)
+elektrotanya.com##.rside_ad
+elektrotanya.com##div[id^="ad"]
+jdpower.com##.jdpAd-placeholder
+easyupload.io##.mb-0.pb-0
+easyupload.io##div[class^="reklam"]
+veporn.com##.sidebar > div.widget_text
+veporn.com##div[style="position: relative;width: 100%;background:transparent;"]
+epllive.net##.vpn-wrapper
+txxx.com##.sugggestion
+liveworksheets.com##.flex-wrap-reverse.min-h-\[250px\]
+liveworksheets.com##.list--ad-block
+liveworksheets.com##.ads-mockup
+linuxliteos.com##.ms-site-container > header + br
+linuxliteos.com##.ms-site-container > header ~ center
+infinite-streaming.live##.vjs-poster-onscreen
+scribd.com##.wrapper__doc_page_shared_recommender_list div[data-testid="sticky-wrapper"]
+indiatimes.com##.article-detail-ad-slot
+thehansindia.com##.right_level_2
+thehansindia.com##section[class^="ad_"]
+thehansindia.com##.theiaStickySidebar > section[class]:has(> div[class*="ad"])
+||moreamateurs.com/v/image.php
+bellesa.co##div[width="337px"][height="283px"]
+sportlemone.top##.adds_content
+sportlemone.top##.bet_content
+||thatsthem.com/img/spokeo-identity-protect-*.jpg
+robots.net##.responsive-thin-ad-wrapper
+cricbuzz.com##body div.bg-cbLightGrayish:has(> div[id*="leaderboard"])
+fnmar.com##.penci-text-block
+||bitrec.com/*-prod-services/js/recommender.js
+*bet*.jpg$domain=037hdmovie.com,~third-party
+.webp$domain=037hdmovie.com,~third-party
+037hdmovie.com##div[id^="ads-"]
+nerdwallet.com###banner-entry-container
+nerdwallet.com#?#div[class]:has(> div[class]:not([data-currency]):only-child > div:not([class],[id]):only-child > div:first-child > p:only-child[data-currency="Text"]:only-child)
+nerdwallet.com#?#div[class]:has(> div:not([class],[id]):only-child > div[class]:only-child > div[class]:first-child > p[data-currency="Text"])
+levittownnow.com##aside[id^="sidebar"] div[id^="block-"] > figure
+levittownnow.com##.header-widget > div[id^="block-"] > div.wp-block-image > figure
+totalsportek.pro##a[target="_blank"] > img[alt]
+jpost.com##.hide-for-premium
+nbcmontana.com##div[class^="index-"]:has(> div[class^="NewAd-module"])
+lectormh.com,tinys.click##.fixed-leftSd
+lectormh.com,tinys.click##.fixed-rightSd
+tinys.click##.separator > a[target="_blank"]
+hentaifox.com##.axmiddle
+cineplex.com##.MuiGrid-grid-md-4 > div:has(> div#pageContentAd)
+techspot.com#?#article > div[style^="margin-top:"]:has(> #tsadvideo)
+techspot.com##.sesdc
+themebeta.com#?#div[class^="col-md-"]:has(> .hpanel:only-child > .panel-body:only-child > .adsbygoogle)
+zatunes.co.za##div[style="clear:both;float:left;width:100%;margin:0 0 20px 0;"]
+opentools.ai##.promo-section
+autoscout24.*##div[class^="AdContentBanner_adContentBanner"]
+pixelmonmod.com##.panel-forum
+shellshock.io##.house-ad-wrapper
+kbb.com#?##kbbAdsMainCenterAd:upward(1)
+nypost.com##.recirc--outbrain
+dnoid.to##.banner_bottom
+dnoid.to##.main_content > center > a[target="_blank"] > img
+dnoid.to#?#.main_content > *:has(> b:contains(VPN))
+work.ink##.AdvallyTag
+filmibeat.com###aniviewWrapper
+123telugu.com##td[align="left"] > a[target="_blank"] > img
+phoneky.com##div[role="banner"]
+turnoffthelights.com##.chw-widget-area
+kijiji.ca#?##base-layout-main-wrapper > div[class^="sc-"]:has(> div[class^="sc-"] > div#gpt-leaderboard-top)
+kijiji.ca##div[data-testid="adsense-container"]
+investsocial.com###classic_style_link > .adsection
+investsocial.com###classic_style_link > #quotes-inf
+||old.fx.co/get_banner/forum/$subdocument,domain=investsocial.com
+||informers.mt5.com/*/position_traders/forum_new$subdocument,domain=investsocial.com
+||v.fwmrm.net/ad/g/*=vmap$domain=embed.viaplay.com,important
+nutraceuticalsworld.com###mainContentBodyDiv > hr.mag-border
+nutraceuticalsworld.com##div[id^="main-content-ad-"] + hr
+nutraceuticalsworld.com#?#.box-wrapper > .pull-right > .well:has(> .panel > .media-list div[id^="related-content-box-"] > [id^="google_ads_iframe"])
+subtitlecat.com##div.header-top
+imginn.com##.block-h12
+imginn.com##.block-sulvo
+chubbyporn.com##.twocolumns > .aside
+||v.poki.com/*/advertisement*.mp4$redirect=noopmp4-1s
+/[a-z0-9]{8,}.[a-z]{3,}/$xmlhttprequest,third-party,domain=tapeantiads.com
+tingfm.com##.adsense-auto
+softpedia.com##.bigatf
+||xcafe.com/assets/script.js
+cryptorank.io##.dTKzUK > a[target="_blank"]
+gamecopyworld.*#?#tr > td[align="center"]:has(> *:is(#lb, iframe[src*="consoletarget.com/"]))
+||consoletarget.com^$domain=gamecopyworld.*
+||dl.gamecopyworld.*/aa/ii/kgn/$domain=gamecopyworld.*
+health.clevelandclinic.org##div[data-identity="billboard-ad"]
+health.clevelandclinic.org##div[data-identity="leaderboard-ad"]
+health.clevelandclinic.org##div[data-identity="billboard-ad-with-description"]
+lastampa.it#?#.story__footer + div.main-content:has(> div[id^="advHook"])
+lastampa.it#?#.main-content + div.sidebar:has(> div[id^="adv-Middle"])
+news18.com#?#.article_main > div[class][style]:has(> div#taboola-below-article-thumbnails)
+gulte.com##a[href="https://www.rajakasukurthi.org/"][target="_blank"]
+||ams.cdn.arkadiumhosted.com/advertisement/
+jagranjosh.com##.homeSlider
+jagranjosh.com##.Home_SectionIcon__La65G
+jagranjosh.com###TaboolaContainer
+jagranjosh.com##.AdCont
+||xxxbed.cyou/script/superpop1.js
+etnownews.com##.bggrayAd
+etnownews.com##.atfAdContainer
+etnownews.com#?##mgIDReadMore > div[id^="progressBarContainer_"] > div[style*="min-height:"]:has(> div:only-child > div[id*="ScriptRoot"])
+taiwebs.com##.resourceList > .bn40
+emulatorjs.com##.frame-2
+mlb.com##div[data-testid="vertical-cards"] div[data-testid^="vertical-card-ad--"]
+concertarchives.org##.freestar-placement
+camgirls.casa##a[href^="/click.php?"]
+upornia.com##.jwplayer > div.afs_ads ~ span[class][style*="flex"]
+upornia.com#?#.right > div > h4:contains(/^Advertisement$/)
+upornia.com#?#.wrapper > h5:contains(/^Advertisement$/)
+upornia.com#?#.wrapper > h5:contains(/^Advertisement$/) + section[style*="padding: 15px;"]
+reuters.com##div[class^="leaderboard"]
+colonist.io##div[id^="in_game_ab_"]
+||dailymusicroll.com/wp-content/plugins/epic-ad/
+dailymusicroll.com##.epic_ad_elements
+||vgmlinks.net/codes.js
+perchance.org##div[style*="height: 90px; overflow: hidden; text-align: center;"]
+wbur.org##.section--bp
+wbur.org#?#div[class^="CardWrapper"] > article:has(> .uw > .bp--rec)
+jagranjosh.com##.BannerAds
+jagranjosh.com##div[class^="Home_AdColl"]
+jagranjosh.com##.Ads
+amtrak.com#?#.parsys-column > .parsys_column:has(.promo-simple-image)
+amtrak.com#$?#.parsys-column > .parsys_column:not(:has(.promo-simple-image)) { width: auto !important; }
+limetorrents.lol#?#.torrentinfo > .downloadareabig:has(> .dltorrent > div > a[rel])
+||instant-gaming.com/promo/$popup
+audioz.download##body main header.page ul#PromoHead
+esports.gg##.esports-inarticle
+esports.gg##.justify-center > .w-full > .text-center[class^="h-\[100px\] md\:h-\[90px\] xl\:h-\[250px\]"]
+esports.gg##.justify-center > .w-full > .items-center > .text-center[class^="h-\[280px\] md\:h-\[90px\] xl\:h-\[250px\]"]
+esports.gg##.justify-center > .w-full > div[class^="flex justify-around h-\[100px\] xl\:h-\[250px\] mb-3 xl\:max-w-\[970px\]"]:empty
+parametric-architecture.com##a[href^="https://www.corian.uk/"] > img
+||parametric-architecture.com/wp-content/uploads/2022/12/gif222.gif
+satdl.com##div[style*="300px"]
+/api/js/jplist.core.min.js$domain=deltabit.co
+pvpoke.com##div[id^="nitro-sidebar-"]
+igdownloader.app#$?#body > div#dlModal:has(> div.modal-content > div#ad-content) { display: none !important; }
+igdownloader.app#$#body { overflow: auto !important; }
+etherscan.com,etherscan.io##.container-xxl > .row > div[style^="min-height:"][class*="order-"]
+kcby.com##div[class^="index-module_premium_"]
+snow-forecast.com###dansbadgecollection
+gamedrive.org##div[id^="BR-Footer-"]
+||firesticktricks.com/wp-content/plugins/popup-builder/
+download.oxy.st###izobrazhenie-1
+123moviesx.org#?#aside[id^="sidebarid"]:has(> center > script)
+4wank.com#?#.related-videos > center:contains(Advertisement)
+definebabe.com##.videos > div.d-flex
+definebabe.com##.fp-ui > div[style^="position: absolute; inset: 0px; overflow: hidden;"]:not([class])
+forums.redflagdeals.com###primisPlayerContainerDiv
+tapisa.online,perrzo.com##.single-related-posts > .popular-video-footer
+sportnews.to,tapisa.online,perrzo.com,topsporter.net##.aoa_overlay
+topsporter.net##.banner-ads
+topsporter.net#?#.card[style*="height"]:has(> div[class]:only-child > div[class]:only-child > div[id^="div-gpt"])
+topsporter.net#?#.card[style*="height"]:has(> div[class]:only-child > div[class]:only-child > #fl-ai-widget-placement)
+topsporter.net#?#.card:has(> div[class]:only-child > div[class]:only-child > div[class]:only-child > .banner-ads)
+smartpropertyinvestment.com.au##.b-leaderboard
+dev.to#?#article + div:has(div[data-async-url] .crayons-sponsorship)
+washerhouse.com##.adslot_fix
+top10vpn.com##.boxCTA
+smh.com.au#?##content > div[class*=" "] > div[class*=" "]:has(> .adWrapper:only-child)
+psprices.com##.creative
+tech.co#?#.vc_row > div.wpb_column > p[style]:has(> a.js-aw-brand-link)
+topsporter.net#?#.widget-body > div.mb-3:has([id^="div-gpt-ad"])
+gsmarena.com#?##review-body > div[style*="padding-bottom:"][style*="min-height:"]:has(> pgs-ad)
+howtodeleteonline.com##.add-inner
+||howtodeleteonline.com/assets/images/ads/
+socialcounts.org##div[class^="home_sticky-ad__"]
+mito3d.com##.wrap_card_advert
+etherscan.io##p[style="min-height:22px"]
+lightnovelcave.com#?##chapter-container > div[class]:has(> div.vm-placement)
+lightnovelcave.com#?##chapter-article > div.container:has(> div#lnvidcontainer > div.vm-placement)
+lightnovelcave.com#?#main > div.container:has(> div[class] > div.vm-placement)
+lightnovelcave.com###lnvidcontainer
+lightnovelcave.com#?#.comment-list > div[class]:has(> div.vm-placement)
+happymod.com##.cbox.appx
+softwareok.com#?#body > center center:has(> table > tbody > tr > td[align="center"] > div[id^="SOK_"])
+edealinfo.com##.header-google-ad-wru-top
+diffchecker.com##div[class^="hide-print ad-box_container"]
+drikpanchang.com##.dpAdSection
+||play.gamezop.com^$domain=gplinks.co
+kiddyshort.com##div[style$="z-index:999999;"]
+techbriefly.com#?#aside[id^="ai_widget-"]:has(> div > script[src*="invoke.js"])
+timesofindia.com,indiatimes.com##div[data-articlebody] [data-card="readAlso"]
+timesofindia.com,indiatimes.com##div[class*="personaliseWidgetLoader"][data-subsection]
+timesofindia.com,indiatimes.com##div[data-articlebody] div.mgid_second_mrec_parent:has(> div[id^="v-timesofindia-indiatimes"])
+modthesims.info#?#.maincontentinner > div.postbit:has(div[id^="adslot-"])
+modthesims.info#?#.maincontentinner > div.postbit:has(div[id^="adslot-"]) + .postbitbelow
+modthesims.info#?##rightcolumn > div:has(> div#adslot-homepage-sidebar)
+chatgptdemo.net##.transparent-div
+psprices.com##div[data-freestar-ad] + .text-center > a[href^="/premium"]
+news3lv.com##div[class^="NewAd-module"]
+vinstartheme.com#?#.block-inner > div:not([class]):has(> .adsbygoogle)
+coomer.su##a[href^="//a.adtng.com/"]
+cbs6albany.com##.displayAd
+cbs6albany.com##div[class^="NewAd-"]
+cbs6albany.com##div[class^="index-module_openwebAd_"]
+reason.com##.primis-video-ad
+||cdn.jsdelivr.net/*/dashy.gif
+vatcalculator.co.uk###sponsors
+hoes.tube##.adswarning
+forum.cstalking.tv##.body_wrapper > table.blockhead
+footyfull.com##.float_bottom
+footyfull.com##div[id^="tw_float_ads"]
+gbnews.com#?#.body-description > .video-inbody:has(> .OUTBRAIN)
+xanimu.com,familyporner.com,darknessporn.com,freepublicporn.com,pisshamster.com,punishworld.com##div[id^="before-list-boxes-mobile-singl"]
+xanimu.com,familyporner.com,darknessporn.com,freepublicporn.com,pisshamster.com,punishworld.com##div[id^="inside-video-boxes-mobile"]
+highsnobiety.com##div[class^="unitContainer__"]
+highsnobiety.com##div[data-cy="unit-top-desktop"]
+highsnobiety.com##div[data-cy="unit-mpu-desktop"]
+highsnobiety.com##div[data-cy="header"] > div[class^="placeholder_"] > div[class^="forUnit__"]
+smsfadviser.com##div[style^="padding-top:"].b-leaderboard
+x.com,twitter.com#?#div[data-testid="cellInnerDiv"]:has(> div article[data-testid="tweet"] div[class] > div[dir="ltr"][style*="text-overflow"][style*="color: rgb(83"] > span:only-child:contains(Ad):not(:contains(·)))
+fishlore.com##div[class*="fontadsmall"]
+urbanize.city##.block-urbanize-ad-slot
+rightmove.co.uk#?#main > div[class^="_"] > a[class^="_"][href^="/estate-agents/agent/"] > img
+rightmove.co.uk#?#aside > div[class^="_"] > div[class^="_"] > div[class^="_"] + div[class^="_"]:has(> div[class^="_"] > a[href^="/estate-agents/agent/"])
+ghacks.net#?#.home-intro-hold-posts > a.home-posts:has(> span.ftd-title:contains(SPONSORED CONTENT))
+realestatebusiness.com.au###leaderboard_wrapper
+bdtonline.com#?#.tncms-block > div.panel-default:has(div > script[src*="retailadvertiser"])
+bbc.com##.article__side-mpu
+bbc.com##.article-body-ad-slot
+thedailystar.net##a[href="https://myprime.com.bd/"]
+thedailystar.net##a[href^="http://pusti.com.bd/"]
+thedailystar.net##a[href^="https://waltonbd.com/"]
+rudaw.net##.section--ad
+lasvegasweekly.com###bottom-bar-container
+1tamilblasters.*##p[style="text-align: center;"] > a[target="_blank"] > img
+1tamilblasters.*#?#.ipsWidget > .ipsWidget_inner:has(> p[style="text-align: center;"]:only-child > a[target="_blank"] > img)
+express.co.uk##.vf3-conversations-list__promo
+||sonixgvn.net/wp-content/uploads/big_banner.js
+camwhores.video##.content > a[target="_blank"]
+||fetlife.com/ads/
+fetlife.com##div[class="lg:w-200px"] > div[class="hidden py-8 lg:block"]
+nhl.com##.nhl-l-section-bg__adv
+nhl.com##.nhl-c-editorial-list__mrec
+javguard.xyz##body > div[class]:last-child:empty
+yourstory.com#?#main > div[class^="sc-"] > div[class^="sc-"]:empty
+yourstory.com#?#main > div[class^="sc-"] > div[class^="sc-"]:has(> div[id*="-banner-"]:only-child)
+yourstory.com##div[id^="page-style-default-"] > img + div[class^="sc-"]:empty
+linkvertise.com##.skeleton__image > ngx-skeleton-loader[appearance="line"] > span.progress:empty
+nuuuppp.*##.adcla
+nuuuppp.*##body > div[class][style^="cursor:pointer;position:absolute;"][style*="z-index"]
+indianexpress.com##.osv-ad-class
+camstreams.tv##body #sliderBox
+greatergood.com##.skm-ad
+greatergood.com##.leaderboard-top
+weather.com##div[id^="WxuAd-"]
+aetherhub.com##div[id^="zone"][class^="mx-auto"]
+dnsstuff.com##.entry-content > h2 > a[href] > img[width="614"]
+dnsstuff.com##.entry-content > p > a[href][target="_blank"] > img
+||api.blockchain.info/explorer-gateway/advertisements
+eurogamer.net##.primis_wrapper
+react.libhunt.com##.lib-list > .feed-item:not(.lib)
+||trackdz.com/img/banners/
+mega4upload.com##div[class="mb-4 text-center"] > a > img
+trustedrevie.ws##.ads-area
+trustedrevie.ws##.col-md-12 > div:not(.rw-detail-companiews-area).see-all-info-area
+romsfun.com#?#h1.h3 ~ div[role="alert"]:has(a[href^="https://go.nordvpn.net/aff_c?offer_id="].btn)
+mail.aol.com#?#div[data-test-id="mail-app-main-content"] ul[role="list"] > li:has(a[data-test-id="pencil-ad-messageList"])
+crictracker.com##div[style="min-height:100px"][class^="d-none"]
+inwepo.co##div[id^="oa-"]
+parcelsapp.com##div[style="text-align: center; min-height: 280px;"]
+$script,xmlhttprequest,third-party,domain=clickndownload.*|clicknupload.*
+/devfiles.pages.dev\/img\/[a-zA-Z0-9]{8,}.jpeg/$domain=miuiflash.com|djxmaza.in|thecubexguide.com
+khou.com##.grid__section_theme_below-article
+polygonscan.com##.col-md-9 + div.col-auto.mx-auto
+amazon.com##div[id^="CardInstance"][data-card-metrics-id^="tempo-desktop-typ-prominent"]
+rswebsols.com##.rsws-page-header-gas
+rswebsols.com##.rsws_gas_artmid
+whatsmydns.net##div[class*="md\:w-\[728px\] md\:min-h-\[90px\]"]
+torrentproject.cc##a[href="/vn/?yd=?"]
+torrentproject.cc#?#h3:has(> a[href][target="_blank"]:contains(/^Search TV|Music/))
+||nyaa.land/static/PIA.png
+thelocal.*##.tl-ad-container
+thelocal.se##main > .article-single__worth
+prothomalo.com#?#div[class]:has(> .dfp-ad-unit:only-child)
+prothomalo.com#?#div[class]:has(> iframe[src*="2mdn.net/dfp"]:only-child)
+luxuretv.com##iframe[data-src^="https://networkmanag.com/"]
+luxuretv.com##a[href^="https://networkmanag.com/"]
+sparkful.co,mangoai.co#?#.all_websites > .website_background:has(> .website_container > .adsbygoogle)
+mobalytics.gg#?#div[class] > div[class]:has(> header > div > span:contains(Advertisement))
+pixiv.net#?#aside > section[class^="sc-"]:has(> div[class^="sc-"] > iframe[width="100%"])
+softwareok.com##div[id^="SOK_TOP"] + table
+softwareok.com##table[width="200"] > tbody > tr[cellspacing="0"] ~ tr
+gelbooru.com##.footerAd
+christianity.com#?#.container > div.hidden:has(> div.flex > div[id^="desktop_header"])
+christianity.com##.a-250
+audi-sport.net##.samCodeUnit > .samItem
+audi-sport.net##div[data-widget-key="right_top_ad"]
+thejakartapost.com##.tjp-placeholder-ads
+eightforums.com##.p-body-pageContent > div[style^="min-height:"][class*="ad"]
+lawyersweekly.com.au###b-leaderboard-zoneunit > #leaderboard_wrapper
+mdy48tn97.com##div[style="position: absolute; top: 0px; left: 0px; width: 100%; height: 100%; z-index: 2147483646;"]
+useragents.me#?#tbody > tr:has(> td > p > a[href^="https://smartproxy.pxf.io/"])
+useragents.me#?#.nav-item > a[rel="sponsored"]:upward(1)
+tikmate.app##.res-ad
+interestingengineering.com##div[class^="Ad_"]
+interestingengineering.com###recommended-video
+interestingengineering.com##div[class^="Home_popularArticlesContainer"]
+||i.imgur.com^$domain=webresolver.nl
+webresolver.nl#?#.col-sm-12 > .panel-default:has(img[src*="i.imgur.com"])
+lbcgroup.tv##.BannersMain
+tubepornclassic.com##.irvdvvi
+pornclassic.tube,tubepornclassic.com#?#.video__wrapper > .partners-wrap + div[class]:has(div[id^="suggestion_"])
+onecompiler.com##a[href^="https://www.datawars.io"]
+privatehomeclips.com##section[style="padding: 20px;"]
+lovethemaldives.com###main-content > div[style*="align-items: center;"][style*="margin-top: 30px;"]
+lovethemaldives.com##div[style="text-align: center; margin: 20px"]
+lovethemaldives.com##div[class*="-rectangle-"]
+allnovascotia.com##div[style="height:130px;text-align:center;background-color:#eef2f5"]
+tutlehd.xyz###overlayer
+portableapps.com##.ez-sidebar-wall
+physicsandmathstutor.com###video-ad-sidebar
+gamertw.com##div[class^="Adsense_ad__"]
+australianaviation.com.au#?##main_sidebar > div.widget_text:has(> div.textwidget > div[id^="mm-az"])
+australianaviation.com.au#?#.top-footer > div.widget_text:has(> div.textwidget > div[id$="-ad"])
+spankbang.com,spankbang.party##iframe[src^="https://deliver.ptgncdn.com/"]
+spankbang.com,spankbang.party##body .ptgncdn_holder_haeder
+spankbang.com,spankbang.party##body .ptgncdn_holder
+xmoviesforyou.com#?#.iframe-container:has(> iframe[src^="https://a.adtng.com/"])
+madeintext.com#?#div[style*="font-size"]:contains(/^ADVERTISEMENT$/)
+thestockmarketwatch.com##div[style="margin-bottom:12px;text-align:center;min-height:120px"]
+thestockmarketwatch.com##.pageDivider
+thestockmarketwatch.com##.horzAd
+kids-in-mind.com#?#.et_pb_code_inner > span[style*="font-size:"]:contains(/^advertisement$/)
+kids-in-mind.com#?#.et_pb_code_inner:has(> hr:first-child + span + .AdvallyTag + hr:last-child)
+||cdn.promodj.com/brandings/
+promodj.com###atlas_240x400
+promodj.com###overlaybranding
+promodj.com##.banner_carousel
+promodj.com##.featured_hotspot
+promodj.com##.adv_advmusic
+tdpri.com#?#.p-body-sidebar > .block:not([data-widget-id]):has(> .block-container > .block-body > .cb_prod_list)
+tdpri.com##iframe[src^="https://www.tdpri.com/render-ad.php"]
+||tdpri.com/render-ad.php
+forums.hfboards.com#?#.uix_sidebar--scroller > .block:has(> .block-container > .block-body > div[data-freestar-ad])
+nokiapoweruser.com##.td-ss-main-sidebar > .ai_widget
+nokiapoweruser.com##.td-pb-span4 > .wpb_wrapper > .td-g-rec-id-sidebar
+etherscan.io##div[id^="ContentPlaceHolder"][id*="_divMultichainAddress"] + .scrollbar-custom > .d-flex > .text-center > ins
+2050.earth##.poster
+slickdeals.net##.commentsAd
+cointelegraph.com##.posts-listing__list > li.posts-listing__item:has(> div[class^="containerAllIndex"][class*="banner_"])
+gamedrive.org###BR-Footer-Ads
+amazon.*##.sbv-ad-content-container
+amazon.*##div[data-csa-c-painter="ad-topper-desktop-card"]
+amazon.*#?#div[data-display-at]:has(> div[data-csa-c-painter="ad-topper-desktop-card"]:first-child + div[style="display: none !important;"]:last-child)
+offidocs.com,onworks.net###ja-container-prev-b
+taxscan.in##div[class*="taxsc-ad-"]
+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##.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]
+gaytxxx.com,vjav.*##.jw-reset.jw-atitle.nopop
+/remote/https/*/banners/*$domain=agf.nl|freshplaza.*|hortidaily.com
+/remote/https/*/b/*$image,domain=agf.nl|freshplaza.*|hortidaily.com
+sportingnews.com##ad a[target="_blank"]
+sportingnews.com##div[class^="ad-desktop"]
+ibelieve.com##.swn-mop-premium > div.text-center.w-\[300px\]
+ibelieve.com##a[href^="https://apple.co/"][href*="medium=banner"]
+ibelieve.com##a[href^="https://www.crosswalk.com/"]
+ibelieve.com#?#.readable-text > p:has(strong:contains(/^(Teach Us to Pray|Now that you've prayed)/))
+caminspector.net,cambabe.me,camwhores.tv##.tdn
+familyporn.tv##.row > div.col-last:has(> div.player-adverts)
+digitalspy.com#?#div[style]:has(> .vertical-ad:only-child)
+||xfemaledom.com/*/prerolls/
+xfemaledom.com###beside-video-ver2
+xfemaledom.com###after-boxes-ver2
+xfemaledom.com###native-boxes-2-ver2
+xfemaledom.com###related-boxes-footer-ver2
+the-express.com##.viafoura-standalone-mpu
+the-express.com##body [id^="div-gpt-ad"]:not(#style_important)
+vjav.com##div[class^="content"] > .container + div[class]
+senzuri.tube,vjav.com##.content > .overlay-hidden + div > .video-tube-friends + div[class]
+senzuri.tube##.jw-preplay + div[style="display:flex !important"] > div[class]
+senzuri.tube##div[class^="content"] > div > div.container + div[class]
+goodrx.com##div[id*="-ad-"]
+av-cdn.xyz##body > div ~ script + div[class]:last-child
+gelbooru.com##a[href^="https://www.soulgen.net/"]
+chromeactions.com##div[may]
+nuvexus.com,stream-together.org##.middle-banner
+nuvexus.com,stream-together.org##.top-banner
+tmailor.com##div[class^="emailAdSize"]:not(.text-center)
+ign.com##.slideshow .sidebar > .special::after
+livehd7.io###adsx
+sonichits.com###outvid
+scotsman.com##div[id^="category-ad"]
+thedailywtf.com#?#.article-body > p ~ i:has(img[src="https://thedailywtf.com/images/inedo/buildmaster-icon.png"])
+ondemandkorea.com###gnbAds
+ondemandkorea.com##div[id^="Inline-"][id$="_300x250"]
+ondemandkorea.com##div[id^="SideRail-"][id$="_160x600"]
+reelgood.com##.e11erxsk0
+gptoday.net##.banner_adv-js
+dailymail.co.uk##li[data-is-sponsored="true"]
+poki.*#?#div[class*=" "] > div[class*=" "]:has(> div[width][height] div[id][style^="height:"])
+proxysite.pro##div[style="height:280px;width:100%;"]
+film1k.com###player-inside
+theguardian.com##.top-fronts-banner-ad-container
+comicbasics.com##.fabc-ad-live-primis-tech
+metro.co.uk#?#.just-in-widget-container > li:has(> a[rel="sponsored"])
+metro.co.uk#?#.metro-newsfeed__recent-posts > article.metro-newsfeed__recent-post:has(> div.metro-newsfeed-post__content > h2.metro-newsfeed-post__title > span.metro-signpost-ad-feature)
+porninblack.com###sidebar > .wp-block-image a[target="_blank"] > img
+andhrafriends.com###ipsLayout_mainArea center:has(table div[data-aaad])
+andhrafriends.com#?#.ipsClear > li.ipsDataItem:has(> center div[data-floatposition="bottom-right"])
+faptor.com#?#.dblock > center:contains(Advertisement)
+starwank.com,faptor.com##.zpot-horizontal-img
+today.com##.topbannerAd
+today.com##div[class^="styles_marqueeBreaking"]
+hockeyfeed.com##body div.ads[class*="device"][class*="svelte"]
+hockeyfeed.com##div[class^="aspect-"]
+engadget.com##div[id^="sda-LDRB2-"]
+thesimsresource.com##.pleasewaitad
+thesimsresource.com#?#.crtv-bottom-wrapper:has(> .tsr-ad)
+exeo.app##.actions
+transfermarkt.com##a[href^="https://goalimpact.com/"]
+transfermarkt.com###home-rectangle-newsticker
+newsweek.com##div[style="min-width:300px;min-height:250px"]
+panel.freemcserver.net##.triple_banner_container
+metro.co.uk##.trs-item > a[rel="sponsored"]
+metro.co.uk##.trs-item > a[rel="sponsored"] + div.excerpt
+metro.co.uk#?#.more-posts-thumbs > li.post:has(> a[rel="sponsored"])
+chatgptfree.ai#?#.elementor-widget-container > style + p:contains(/^ADS$/)
+breitbart.com###MainW > div#accontainer
+4sysops.com##.article-content > div[style="text-align:center;"]
+||players.radioonlinehd.net/ads/
+mangageko.com###radio_content
+||truyen-hentai.com/*.php$script
+tmearn.net##.box-main > .row + .banner-captcha
+forex.soft3arbi.com,10short.co###lm-slideup
+||loader.to/ajax/ad/l.php$popup
+propermanchester.com##.pm-header-advert-wrap
+propermanchester.com###mvp-home-widget-wrap
+propermanchester.com##div[id^="prope-"]
+xfemaledom.com,xanimu.com#?#div[class*="col-6 col-md-3 col-lg-3 col-xl-2"]:has(> #special-block)
+||img.coomer.party/cnudify1.gif
+yiff-party.com##.ads-postpage
+navigator-lxa.mail.com##iframe[src^="//mailderef.mail.com/"] + a
+whois.com##.chiclet
+whois.com##.chiclet-suggest
+ndtv.com##.TpGnAd_ad-tx
+ndtv.com##.ads-wrp
+petri.com##div[data-petri-impression-tracking^="sponsor_"]
+petri.com##div[data-petri-gutenberg-block="sponsors-logo-list"]
+cnbc.com##div[data-module="ArticleBody"] > section[data-analytics]
+sankakucomplex.com##div[style*="position"] > div[style] > div[data-test="post-card"] ~ div:not([data-test="post-card"])
+app.studysmarter.de##app-feed-ads
+app.studysmarter.de##.job-offer-wrapper
+app.studysmarter.de##.show-ad
+tomsguide.com##div[class^="bordeaux-"]
+||mediacnt.pro/ap_dg/top
+||animalporn.dog/js/video_plb_link.js
+animalporn.dog##a[href^="/out.php"]
+animalporn.dog###content > .related
+thehackernews.com##a.custom-link[rel*="sponsored"]
+thehackernews.com##section.box-side:has(> div[class] > a[target="_blank"])
+thehackernews.com##.blog-posts > .body-post:has(> a[target="_blank"])
+thehackernews.com##body > [class]:has(> a[href][target="_blank"])
+thehackernews.com##body > [class^="p"]:has(> center > script)
+thehackernews.com##body > [class]:has(> center a[href][target="_blank"])
+thehackernews.com##:is(aside, section, [id*="-"], [class*="right"], [class*="side"]) a[target="_blank"] > img
+thehackernews.com##:is(aside, section, [id*="-"], [class*="right"], [class*="side"]) a > img[target="_blank"]
+thehackernews.com##:is(aside, section, [id*="-"], [class*="right"], [class*="side"]):has(> div[class] + script)
+thehackernews.com#?#:is(aside, section, [id*="-"], [class*="right"], [class*="side"]):has(> div[class][id]:has(> a > img[target="_blank"]) + script)
+thehackernews.com#?#:is(aside, section, [id*="-"], [class*="right"], [class*="side"]):has(> div[class][id]:has(> a[target="_blank"]) + script)
+thehackernews.com##center > a:is([rel^="nofollow"], [target^="_blank"]) > img
+thehackernews.com###articlebody > div[class]:has(> center > a:is([rel^="nofollow"], [target^="_blank"]) > img)
+portsmouth.co.uk,northantstelegraph.co.uk,thestar.co.uk##a[class^="Header__NatWorldTVLink-"]
+thestar.co.uk#?#.article-content > div[class] > div[class]:has(> a#shots-tv-banner)
+spanishdict.com###adMiddle2-container
+doodle.com##div[data-testid="ads-layout-placement-top"]
+unsplash.com#?#div[data-test="masonry-grid-count-three"] > div[class^="rip"] > div[class]:has(span[style="color:transparent"])
+||bunkrr.su/magic/pure-magic.js
+||pixl.li/lazyhungrilyheadlicks.js
+cnet.com##.c-asurionBottomBanner
+mat6tube.com##div[style*="width:900px;"][style*="height:250px;"]
+camwhoresbay.*##a[href^="https://t.affenhance.com/"]
+crx4chrome.com#?##sidebar > div.sidebar-widget:has(> div[style*="min-height:250px;"])
+crx4chrome.com##div[style*="min-height:280px;"]
+2ip.*#?#.ipblockgradient > div.ip + div[class]:contains(IP)
+aeternum-map.gg#?#div:has(> div#player)
+||embed.twitch.tv^$domain=aeternum-map.gg
+manoramaonline.com#?#.cmp-container > div.experiencefragment:has(> div.cmp-container > div.embed > div.advtBlock)
+manoramaonline.com#?#.cmp-container > div.row-ctrl:has(> div.container > section div.top-advt-block)
+limetorrents.lol#?##rightbar > div:not([class]) > div.head:contains(Advertisement):upward(1)
+||cdn.jsdelivr.net/gh/foyer-work/cdn-files/1.gif
+||cdn.jsdelivr.net/gh/foyer-work/cdn-files/2.gif
+howstuffworks.com###inline-video-wrap
+harimanga.com##.c-sidebar.c-top-sidebar
+whatismyip.com###adbannertop
+amazon.*###dp-container > #px-profile_feature_div[data-csa-c-type="widget"]
+minecraftpocket-servers.com#?#tbody > tr:has(> td > div.row > div#midadspot)
+minecraftpocket-servers.com###topadspot
+iplocation.com##.ha
+newarab.com##.block-custom-ads
+hotair.com##.advs
+ilovetranslation.com##div[id^="ggwz___"]
+forums.socialmediagirls.com#?#.p-nav-list > li:has(a[data-nav-id="mainsite"]) ~ li
+forums.socialmediagirls.com##.samLinkUnit
+indiangaysite.com##.col-lg-4 > .post-meta + .hidden-xs
+magictool.ai##.sponsored-tools-container
+gonintendo.com##body > div[class~="sm:mx-auto"] > div[class^="min-h-"].text-center
+xmedia-recode.de##div[class^="werbung_"]
+forums.socialmediagirls.com#?#.uix_nodeList > div.block:has(> div.block-container h3 > a:contains(/Live Adult Webcams|Ai Generated Porn|Sex Requests/))
+imagetostl.com##.nc
+gplinks.co##.smartlink
+/script/utils.js$third-party,domain=vipbox.lc|streambucket.net
+||xbokepfb.co/andreaz.js
+||asg.myvideos.club/api/spots/
+bhabhixxx.pro,bollywoodxxx.pro##.spots-section
+livemint.com##.rhsFixHeight
+cruisecritic.com.au##div[class^="css"]:empty
+bollywoodmdb.com##.ads_width
+bollywoodmdb.com#?#.p-4:has(> div:only-child > .text-center + .flex > .adsbygoogle)
+bollywoodmdb.com#?#.p-4:has(> div:only-child > .text-center + div[id^="div-cyber-ad-"])
+chattanoogan.com##.displayphoto
+chattanoogan.com##.news-content > div.row.border
+thingiverse.com##div[class*="AdBanner_"]
+theverge.com#?#.duet--layout--river > div.border-b:has(> div > a + div > div:contains(/^AD$/))
+newhdxxx.com##.info + center
+newhdxxx.com##div[style^="margin: 30px 0;"]
+||geo.azzureedge.xyz/ip$domain=streameast.app|streamcheck.link
+streameast.app###stream-info > .flex > div[target="_blank"]
+ohsex.pro,violetmovies.com##.slavery
+ehow.co.uk##body .main-ad:not(#style_important)
+t3.com###article-body > .hawk-nest[data-model-name][data-widget-type]
+erothots.co##.work-sites
+rotowire.com##.ad-container-side-lg
+champion.gg##.aside-content-column
+lolchess.gg##div[class^="ap_"].profile
+lolchess.gg##div[class*="Ad"]
+lolchess.gg##.ap_top
+cbom.atozmath.com#?#.ContentBorder > table > tbody > tr:has(> td > div[data-ad-slot])
+thewindowsclub.blog##.position-sticky > .section > a[target="_blank"] > img
+lolalytics.com##div[class^="SideBarAds"]
+lolalytics.com##div[class^="Rect_rect__"]
+lolalytics.com##div[class^="HLeaderboard_leaderboard__"]:empty
+cheater.ninja###AdvallyAdhesion
+xplay.gg##a[href*="?utm_promo="][href*="_banner"][target="_blank"]
+businesstoday.in##.mrk_ad_wrp
+wsj.com##.e1cojiod1
+cybersecurityconnect.com.au##.topmrec__default-banner
+timeout.com##div[class^="_adsInline"]
+tennisworldusa.org##div[style^=" margin:10px auto 10px; max-width: 970px;"]
+tennisworldusa.org##div[style^=" width:300px; height:auto; min-height:250px;"]
+torrentdownloads.pro##.download > li > a[href^="/td/"] > img
+my.clevelandclinic.org##div[data-identity*="board-ad"]
+telegraphindia.com###rightMkBanner
+||tophostingapp.com/dwn-$image
+ychecker.com##div[style="width:300px; height:250px;"]
+eachporn.com##body.no-touch > .top[style]
+eachporn.com##.link-sponsor
+walmart.com##div[data-testid="flex-container"] > .relative > div[data-testid="skyline-ad"]
+eporner.video##.center-adv
+onlineocr.net##div[style="height:90px"]
+onlineocr.net##div[style="padding-top:5px;"]
+agefotostock.com##.a-stock__ads
+agefotostock.com##.a-stock[data-providedby="Search results provided by"]:empty
+rateyourmusic.com##.connatix_video
+blurayufr.*###banner_iklan_top
+eporner.video,porntrex.video##.item[style="height:255px;overflow:hidden;"]
+eporner.video,porntrex.video##.container > .header ~ .top[style]
+100percentfedup.com##.pre-announcement
+||faceitstats.com/images/banners^
+faceitstats.com###app > div[style*="margin-top"] > div[style*="height: 250px"]
+filecrypt.*##div[class^="fllItheadb"]
+iporntv.net##div[id^="ad"]
+iporntv.net###bannerPlace
+xxxn.club##.mobileadhide
+precincttv.com##.mosaic-banner
+mr4x4.com.au##div[class^="mr4x4-article-hrec-"]
+everydayporn.co,danude.com,pornachi.com,pornchimp.com##.top
+pornachi.com,pornchimp.com##.oustream
+||hwcdn.net^*.mp4|$domain=pornachi.com|pornchimp.com
+dirtyindianporn.info##.vid-b-wrap
+dirtyindianporn.info##.b-wrap
+||cdn.ethers.io^$domain=newslive.com|animexin.vip|gayvidsclub.com
+youporn.com,you-porn.com##.right-aside
+brbeast.com,jeniusplay.com##.pppx
+||jeniusplay.com/cdn/vastads/
+sonichits.com##.top_ad
+sonichits.com##div[id^="div-insticator-ad-"]
+sonichits.com###divStickyRightOuter
+brickfanatics.com##.pw-ph-leaderboard
+brickfanatics.com###secondary
+brickfanatics.com###home-banner-dt
+messletters.com###addTop
+||cdn.dopa.com/js/jump.js
+leakpics.cc,mypornwap.fun##div[style="display:block; max-width:90%; width:320px; height:50px;"]
+moneycontrol.com###cagetory > li[class$="-mobile"]
+macperformanceguide.com##.placementTR
+macperformanceguide.com##.placementTL
+macperformanceguide.com##.placementInline
+macperformanceguide.com###tab-tools
+streamable.com##.top-ad-banner
+moneycontrol.com##.page_right_wrapper > div[class][id]:not([class*="_"])[style^="min-height:"]
+dictionary.com##section[data-type="ad-horizontal-module"]
+||ups.com/assets/resources/images/affiliate/
+latestlaws.com##img[width="768"][height="90"]
+||porndude.wtf/js/themes-style.js
+itopvpn.com##.vidnoz
+erome.com##.navbar .sp
+webstick.blog##.content aside > section.last
+htmlcolorcodes.com##a[onclick="dsads.loadUrl(this)"]
+||embed.lpcontent.net/leadboxes/current/embed.js$domain=exchangerates.org.uk
+||webstick.blog/images/images-ads/
+webstick.blog##.main > article > p.center2
+business-standard.com##.Nws_banner_Hp
+business-standard.com##div[id^="between_article_content_"]
+fortune.com##div[data-cy="rightRailAd"]
+shrm.org##.row-shrm-sponsors
+sports.yahoo.com##div[id^="sda-"]
+sports.yahoo.com##div[id^="mrt-node-"][id$="-Ad"]
+foxweather.com##.vendor-unit:empty
+seostudio.tools##div[class^="sidebar_"] > a[target="_blank"] > img
+cybernews.com##.adds__wrapper
+cybernews.com##.adds__wrapper + .line
+comicbookplus.com##.matchedcontentad
+lyrics.com##.lyric-artist.text-center > span > a[target="_blank"]
+surfline.com###sl-header-ad
+||cdn-surfline.com/*/videos/preroll_surfline_*.mp4$media,redirect=noopmp3-0.1s,domain=surfline.com
+bloomberg.com##.table-ad-container
+bloomberg.com##div[class*="-ad-top"]
+||hentaihere.com/arkEXO/arkAPI.php
+djrudrabasti.in###custom_html-2
+wsj.com##.ad_col_a
+thedefiant.io##div[class="relative mx-auto px-4 lg:w-[970px]"]
+||thedefiant.io/_next/image?url=*-300x250.
+thedefiant.io##p[class="text-text-disabled text-center text-[10px]"]
+businesstoday.in##.ad__betweenwidget
+thelallantop.com##.deaktop-header-ad
+thelallantop.com##p[style="font-size:11px;color:#b7b7b7;margin-bottom:0px"]
+thelallantop.com###taboola-ads
+||savemp4.red/live_stream_bn.php
+officialcharts.com##div[type="content_ignite_advert"]
+soompi.com##.article-wrapper div > p > a[target="_blank"] > img
+cnbctv18.com##.desk_header_banner
+biblestudytools.com##featuredtopicslistviewcomponent
+chicago.suntimes.com##.Page-above
+||wgno.com^$domain=mytwintiers.com
+guitarflash3.com##.divCinema
+trendhunter.com##[data-ev="sidebar-ad-click"]
+yorkshirepost.co.uk##div[class^="helper__AdContainer"]
+yorkshirepost.co.uk##div[data-type^="AdRow"]
+yorkshirepost.co.uk##div[class*="MPUAdWrapper"]
+keyt.com##.vf-trending-articles__ad
+jpg2.su,hdporn92.com##div[id^="div_theAd_slider_"]
+starfiles.co###download_prompt a[href*="?ref="]
+starfiles.co###download_prompt a[href*="?ref="] + p
+numerama.com##.is-slow-mongoose
+devops.com###custom_html-70
+devops.com##.after-entry.widget-area
+sports.yahoo.com##.post-article-ad
+wvnews.com,news-gazette.com##.automatic-ad
+foxsports.com.au##amp-iframe[src^="https://snippet.tldw.me/"]
+outlooktraveller.com##div[class*="ad-slot-row-m__ad-Wrapper"]
+winbuzzer.com##.mfp-figure::before
+kaboompics.com##.photo-advertisement
+boards.vinylcollective.com##.headerLogo > div.ipsPos_right
+simpcity.su##.p-navEl > a[target="_blank"]
+belfastmedia.com##.sidewide-top-banner
+belfastmedia.com##.right-rail > p > a > img
+vinepair.com##.pre-footer-ad-container
+404media.co##.outpost-pub-container
+captainaltcoin.com##.banner_section
+blockchair.com##div[class*="adv-buttons-"]
+blockchair.com##div[class*="top-buttons-"]
+hulldailymail.co.uk##.native
+||vice-web-statics-cdn.vice.com/vendor/ad-lib/*/vice-ad-lib.js
+||vice-staging-web-statics-cdn.viceops.net/vendor/ad-lib/*/vice-ad-lib.js
+autocarpro.in##.skinad
+saveur.com##body div[class^="empire-organic"][class*="-prefill-container"]
+ain.capital##.big-ad-animation-box
+distractify.com##div[style="font-size:x-small;text-align:center;padding-top:10px"]
+cpomagazine.com##.cpoma-widget
+cpomagazine.com##div[id^="cpoma-"]
+asuracomics.com##a[href="http://story.alandal.com/necro"]
+gotanynudes.com##.g1-injected-unit
+dexscreener.com##div[class^="custom-"] > a.chakra-link[href^="https://a1.adform.net"]
+androidadult.com##center > a[href*="utm"] > img
+radaris.com###topads
+bdnewszh.com##.vpn-wrapper
+infosecurity-magazine.com##.dfp
+siliconangle.com###side-banners
+||kuikr.com/public/mon/qap/
+||kuikr.com/public/mon/qapqdfp/
+quikr.com##.promotion_banners
+headfonics.com##.headf-target
+crinacle.com##.elementor-column-gap-default > div:not([data-settings]).elementor-col-33
+crinacle.com##.elementor-widget-container > #elementor-library-4
+pureleaks.net##div[data-elementor-type="wp-post"] > div.trending-footer
+domainnamewire.com##div[class^="bg-ad-"]
+$script,third-party,denyallow=cloudcdn.monster|gstatic.com|cloudflare.com|jsdelivr.net,_____,domain=poisteewoofs.monster|lookmovie2.to|praiing.monster|lookmovie2.la
+spys.one##td[align="center"] > a[target="_blank"] > img
+carsales.com.au##csn-google-dfp
+carsales.com.au##.is-listings-ad
+||resource.csnstatic.com/commercial/cmp-showroom-modelpage/advertplatform-assets-
+bitcoinist.com##.custom-popup-banner
+||*.com/*/*/tt?id=$third-party
+free-proxy.cz###as[style]
+forbes.com##.top-placeholder
+digitalmarktrend.com##div > a[target="_blank"] > img
+euautodily.cz,euautoteile.de,euautoteile.at,euautoteile.ch,euautopezzi.it,euautopieces.fr,euautoczesci.pl,euantallaktika.gr,euautorecambios.es,euautopecas.pt,euautoonderdelen.be,euautodele.dk,eualkatresz.hu,euvaraosat.fi,euspares.co.uk,euavtodeli.si,euroautodiely.sk,euavtochasti.bg,euautodalys.lt,euautopiese.ro,euautoonderdelen.nl,euautodeler.co.no,euautodalas.lv,euautoosad.ee,eurobildelar.se##.traffic_banner_wrapper
+||workingvpn.com/banners/$domain=ytmp3.net
+||abc7.su/adx.xml
+ibradome.com##iframe[src*="?zoneid="]
+timesnownews.com###app > div[class] > div:not([class], [id]) > div[class]:empty
+eenews.net##.single-ads-list
+firstsportz.com##div[style*="min-height: 450px;"]
+fapopedia.net##div[style*="width:300px;"][style*="height:250px;"]
+||myvidster.com/js/myv_ad_camp2.php
+washingtonpost.com##div[class="pb-lg-mod"][data-qa="right-rail-item"]
+16honeys.com###adSpot
+16honeys.com###centered-ad
+16honeys.com###ad-container
+16honeys.com###adDisplaySection
+makemytrip.com##div[data-cy^="AdTechCard_"]
+terbit21.tube###float-banner
+||terbit21.gdn/ads/
+healthshots.com##.affiliateWidget
+relevantmagazine.com##.ad-supported
+||pg.ignimgs.com/pogoadkit.js
+||sm.ign.com/zdadkit*.js
+ign.com##div[class^="adkitmrec"]
+kyivindependent.com###popup-banner-subscription-support
+||bs_6e59b780.wearbald.care/sdk.js$domain=captainaltcoin.com
+captainaltcoin.com##.single_banner_image
+tempest.com##.search-result-item--ad
+tempest.com#?#.search-result-item:has(> div.search-result-item__text--sidebar-ad-or-mobile)
+kits4beats.com###block-313
+rainostream.net##.vpn-wrapper
+pharmacytimes.com##div[class*="728px"][class*="98px"]
+topgear.com##div[data-testid="ZutoAd"]
+topgear.com##div[data-testid="PromosInContent"]
+fapello.com##div.items-center > div[class*="uk-hidden"] > a[target="_blank"][href^="https://vo2.qrlsx.com/"]
+e-hentai.org###spa
+xmoviesforyou.com##div[class*="iframe-brick-container-"]
+engadget.com###LB-MULTI_ATF
+thetvdb.com,thegearpage.net##div[data-aa-adunit]
+alpinecorporate.com##form center a
+alpinecorporate.com##.admania-entrycontent > center > button
+clickhole.com,lifehacker.com,splinternews.com,avclub.com,deadspin.com,gizmodo.com,jalopnik.com,jezebel.com,kotaku.com,qz.com,theinventory.com,theonion.com,theroot.com,thetakeout.com##.connatix-main-container
+shareus.io##.padded > div[class$="-tag"]
+||freshnewsasia.com/*/fn-banner.js
+||freshnewsasia.com/advertise/
+freshnewsasia.com##div[class^="art-ads"]
+di.fm##.freestar-slot--mrec
+instacart.ca,instacart.com###store-wrapper img[alt^="• Sponsored:"]
+freepik.com##.detail__aside--left.detail__spr
+snaptik.app###modal-vignette
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=crunchyroll.com,important
+trakt.tv##.add-top
+trakt.tv#%#//scriptlet('set-constant', 'art3m1sItemNames.desktop-wrapper', 'undefined')
+trakt.tv#%#//scriptlet('set-constant', 'art3m1sItemNames.affiliate-wrapper', 'undefined')
+trakt.tv##body > div[id*="-wrapper"]:has(> div[id*="-"]:only-child > a[href="/vip/advertising"])
+cryptopolitan.com###sticky_sidebar_ads_parrent
+waifubitches.com##div[class^="grid"] > div[class^="grid-item"].mx-auto
+nanoreview.net###nfloat-sb-right
+nanoreview.net###nfloat-sb-left
+kotaku.com.au##.ad-no-desktop
+ship24.com##div[style^="max-height:"].flex.justify-center.h-24.w-full.mt-3
+foxsports.com##.fwAdContainer
+technext24.com##.custom_html-2
+technext24.com##.custom_html-19
+technext24.com##div[class^="techn-"][class$="-content"]
+haydenjames.io##div[id^="hayden"]
+haydenjames.io###text-2
+wordhippo.com###sgwDesktopBottomDiv
+md5hashing.net##.alert-promo
+kcrw.com###portlets-middle_ad
+online-qr-scanner.com##.appads
+soccerstats.com###hbanner
+soccerstats.com##.sidebar3
+poedb.tw###head_toolbar + .text-center > a > img[style]
+alotporn.com##.list-videos > div > .item:empty
+alotporn.com##div[style^="font-style:italic;font-size:10px;color:#CCC;"]
+Ly9kMXliZGxnOGFvdWZuLmNsb3VkZnJvbnQubmV0$script,domain=sitenable.*|filesdownloader.com|siteget.net|freeproxy.io
+sexu.site##div[id^="video_view_"][id$="-adv"]
+hdhole.com##.embed-ads
+||manysex.com/xc$script
+gettranny.com,xjav.tube,manysex.tube,manysex.com##.right
+xjav.tube,manysex.tube,manysex.com##.videoplayer + section
+xjav.tube,manysex.tube,manysex.com##.suggestion-wrapper
+xjav.tube,manysex.tube,manysex.com##.video-page__related + div.headline
+gettranny.com,xjav.tube,manysex.tube,manysex.com##section[style="padding: 12px;"]
+pornid.name##.rsidebar-spots
+||hdtube.porn/fork/
+goonlinetools.com##.grid > div.col-span-2 + div.ml-4.md\:block
+goonlinetools.com##.grid + div.ml-4 + a[href][target="_blank"]
+||secured.dailymail.co.uk/feeds/commercial/topVideos.json
+tcbscans.com##.mx-auto center > a > img
+||cdn.onepiecechapters.com/file/CDN-M-A-N/love.jpg$domain=tcbscans.com
+fulltaboo.tv###content > aside.widget-area
+luxuretv.com###ltvModal
+||cdn.bidfluence.com/forge.js
+contactform7.com,ducumon.click###custom_html-5
+robots.net##body .adsense
+||assets.easyodds.com/widgets/embed.js
+sportsmole.co.uk##div[style="width:620px;margin:12px auto;text-align:center"]
+sportsmole.co.uk##div[style="font-size:small;margin:auto;text-align:center;line-height:1rem;height:0px;color:#8492a6;position:relative;top:-10px;"]
+wuxiap.com##.TPuhiHlg
+satellites.pro##.placea
+||wecast4k.xyz/blast.js
+wecast4k.xyz##div[style^="position:fixed;top:0;left:0; width:100%;height:100%;z-index:100004;"]
+smbc-comics.com###comicleft > a[href][style^="width:684px;"]
+smbc-comics.com###hw-jumpbar
+smbc-comics.com###hiveworks
+instructables.com##.promo-side
+bgr.com##.bgr-ad-leaderboard
+bgr.com##section[class*="250"]
+wcofun.org##div[id^="bg_"][style="height:90px"]
+wcofun.org##div[style="height:300px"]
+forum.release-apk.com##div[data-phpbb-ads-id]
+emojiterra.com###adz-header
+realmscans.to##.rev-src
+bigbrothernetwork.com###custom_html-2
+bigbrothernetwork.com###text-80
+emojicombos.com##.a-ctn
+||cms-assets.nodecraft.com/*/2023-summer-ad-$domain=steamid.net
+jcad.tv##.elementor-image > a[target="_blank"] > img
+jcad.tv##.elementor-image > a[href*="&utm_medium=Banner"] > img
+chromeactions.com##ins:not([class],[id])
+temp-mail.org##.topStickyBanner
+dflix.top##body > div[class]:last-child
+worldstar.com##div[style^="width:972px;height:250px;"]
+worldstar.com##div[style^="width:728px;height:90px;"]
+jazzradio.com,zenradio.com,classicalradio.com##.sidewall-ad-component
+trailrunnermag.com##.c-collection-bundle__ad-wrapper
+shopforex.online###con_me
+imageresizer.com##div[class*="md:w-\[728px\]"]
+imageresizer.com##div[class*="md:w-\[728px\]"] + div.absolute
+glamour.com##div[data-testid="ProductEmbedWrapper"]
+tikmate.app##.AT-ads
+wsj.com##div[data-testid="ad-container"]
+wsj.com##div[type="wtrn_cxense"] > div[class*="-ArticlesContainer"] > div[class^="css-"]:has(> div[data-testid="ad-container"]:only-child)
+cgmagonline.com##div[style*="min-height: 250px"]
+cgmagonline.com##div[style*="min-height: 90px;"]
+anysex.com##div[style="margin-top:-16px;"]
+||anysex.com/*.html
+||camsmut.com/vidi/$image
+||camcaps.*/vsx.js
+pholder.com##.m21cw
+ign.com##.zad.native
+||pussyspace.*/live/meet-and-fuck/$all
+pussyspace.com,pussyspace.net##a[href$="/live/meet-and-fuck/"]
+mixdrop21.net,mixdropjmk.pw,mdzsmutpcvykb.net,mdfx9dc8n.net,mixdroop.*##.download-btn + div[style][onclick="$(this).remove();"]
+2ememain.be##.hz-Banner
+steamstats.cn##.v-application--wrap > div[data-v-9b601bd8]:not([class])
+steamstats.cn##a[target="_blank"][data-v-e91c8114]
+aiscore.com##.codeImgLeftBox.oddBox
+aiscore.com##.codeImgBox.oddBox
+goal.com##div[data-testid="ad-slot"]
+happymag.tv##.ad-footer-row
+happymag.tv##div[style="width:100%;position:relative;height:40px;"]
+happymag.tv##.happy-inline-ad
+happymag.tv##.article-header-ad
+worlddata.info##.adtg
+beincrypto.com##.badge--sponsored
+thecollector.com##div[class^="collector-adthrive-"]
+embed4u.xyz##a[href^="//joathath.com/"][target="_blank"]
+niftytrader.in##.zerodha-bottom-box
+niftytrader.in##.top_six_brokers
+wantedinrome.com##.kn-widget-banner
+wantedinrome.com##.a--banner
+warcraftlogs.com,olivemagazine.com,bbcgoodfood.com,gardenersworld.com##div[class^="ad-placement"]
+techradar.com###sidebar-popular-bottom
+techradar.com###sidebar-popular-top
+techradar.com###widgetArea17 > #sidebar-top
+eloutput.com###abn_singlestealer
+gisher.org##div[style^="width: 240px; height:400px;"]
+goal.com##img[alt="Unibet"]
+sportstiger.com##.midd_ads
+sportstiger.com##.headerFull_ads
+sportstiger.com##.customHTML-ads
+on3.com##.desktopAdhesion
+jigsawplanet.com##div[id^="tsi-"][style^="height:90px;margin:"]
+chess.com##div[id^="medium-rectangle-"][id*="tf-ad"]
+chess.com###leaderboard-atf-ad
+celebwell.com##.karma_unit
+||torrentinvites.org/seedboxescc.gif
+techradar.com##div[data-image].hawk-nest
+premierguitar.com##.listicle--ad-tag
+videosection.com##.videos > .video-item--a
+adpushup.com###media_image-14
+bestjavporn.com###player-container[style^="width: 300px; height: 100px;"]
+premierguitar.com##.sidebar-promo-wrap
+premierguitar.com###perma_banner
+embed.dugout.com##div[data-testid="keep-watching"]
+erocafe.net#?#body > div#td-outer-wrap + div[id][class]
+||a.magsrv.com/nativeads-v*.js
+||a.pemsrv.com/popunder*.js
+upornia.com,hclips.com##.underplayer > section
+hclips.com##.video__wrapper > section[style]
+privatehomeclips.com,hclips.com##span[style="display:flex !important"] > div:first-child
+||filelions.live/assets/jquery/adult100.js
+fahrplan.guru##div[class*="StyledAdContainer"]
+||xrares.com/xopind.js
+allthingssecured.com##.flexible-widgets.front-page-3-a.widget-fourths
+twitteringmachines.com##div[style^="margin: 8px "] > div > div > p > a
+twitteringmachines.com##div[style^="margin: 8px "] > p > a
+-300x250.gif$domain=hentais.tube|igg-games.com|edu-profit.com|myreadingmanga.info|myreadingmanga.info|jugantor.com
+zoechip.com##.block_area > div[style^="width: 100%;"]
+123telugu.com,deccanherald.com###desktop-ad
+deccanherald.com###bill-board-collection-ad-top-separator-0 + .hide-mobile
+epicstream.com##.mediavine_in-content-ad_wrapper
+||igg-games.com/maven/am.js
+useragents.me##a[target="_blank"][style*="color"]
+tupaki.com##.roadblocker-container
+apkmirror.com###ezmobfooter
+surinenglish.com##.v-adv
+||star-history.com/sponsors/
+wcofun.org##div[style="margin-bottom:30px"] div[style^="float:right;"]:not([class])
+wcofun.org##div[class^="bg-ssp-"]
+ip.me##.pt-5 > div.col-md-6 > p > a[target="_blank"]
+||game.downloadtanku.org/wp-content/plugins/cm-pop-up-banners/
+gaystream.click,go-streamer.net,vgfplay.xyz,elbailedeltroleo.site,tioplayer.com,listeamed.net,bembed.net,fslinks.org,embedv.net,vembed.net,vid-guard.com,v6embed.xyz,gaystream.online,vgembed.com##body > div[class]:empty
+indy100.com###thirdparty01
+stuff.tv##.c-squirrel-embed
+porntrex.com##iframe.ipp
+compsmag.com,thisisanfield.com,divernet.com##div[class^="ai-viewport-"]
+unseki.co.jp,wikibio.us,nexus-games.net,freecoursesite.com,formu1a.uno,toolsai.net,rightrasta.com,kaystls.site,gamertweak.com,mrinformatico.it,pianetacellulare.it,inwepo.co,updoc.site,oliveoiltimes.com,cgmagonline.com,happymag.tv,cpophome.com##.code-block
+cpophome.com##.page_ad_container
+cpophome.com##.photo_right_ad
+cpophome.com##.after_related_photo_album
+sportsbrief.com##.c-adv
+ladbible.com,unilad.com,unilad.co.uk,gamingbible.com,tyla.com,sportbible.com##.css-mg9b9w
+bolavip.com##.banners-container
+bolavip.com##.boxbanner_container
+finbold.com###sub-intent
+finbold.com##.layout-adjustment
+toonamiaftermath.com##.amznBanner
+yts-official.com###movie-poster a[rel="nofollow sponsored"]
+whats-on-netflix.com##.above-featred
+whats-on-netflix.com##.sidebar-placement-large
+vidplay.*,mcloud.*,vidstream.pro##body > div:not([class], [id]) > div[class][style]:only-child
+vidplay.*,mcloud.*,vidstream.*##body > #player-wrapper > div:not([class], [id]) > div[class][style]:only-child
+mcloud.to,vidstream.pro##.aslot
+mypornvid.fun###a1t
+cfake.com##.slideblock-container
+allhiphop.com##blockquote.caffeine-embed
+virtualizationhowto.com##div[data-ai]
+manofmany.com##.mom-ads__wrapper
+manofmany.com##.mom-ads__inner
+phoenixnewtimes.com##div[apn-ad-hook]
+phoenixnewtimes.com##div[data-component-id="AirMediumRectangleComboInlineContent"]
+phoenixnewtimes.com##div[data-component-id="AirLeaderboardMediumRectanglesComboInlineContent"]
+||phoenixnewtimes.com/phoenix/xandr/apnads.js
+klto9.com###list-imga > center > div[style^="width:336px"]
+bolavip.com##.primis-player-widget
+bolavip.com##.home-poll-block__ad
+bolavip.com##.competitions-widget__ad-container
+smashystream.*###addiv
+smashystream.*###adsdiv
+||cowtransfer.com/api/generic/backgrounds
+charlieintel.com##div[data-cy="HomepageAdWrapper"]
+charlieintel.com##div[data-ad-unit-id]
+||dexerto-cdn.relevant-digital.com/static/tags/*.js
+gaadiwaadi.com##div[id^="gaadi-"]
+klz9.com###list-imga > center > div[style^="width:336px"]
+||tiktoknudeleaks.com/wp-content/plugins/popup
+vogue.com.au##div[class^="sc-"]:empty
+tsn.ca##widgets-bms-bet-slip[sponsor="fanduel"]
+/player/*/vast.js$domain=designparty.sx
+gagadget.com##.l-page-wrapper > .l-container_wide[style*="min-height:"]
+motorcycle.com,autoguide.com##.sidebar-ad-unit
+motorcycle.com,autoguide.com##body .ad-top-strip
+||tunein-od.streamguys1.com*/bump_sonic_pre.$media,redirect=noopmp3-0.1s
+inquirer.net##div[id^="inq-banner-"]
+apiyoutube.cc###ads_msg
+||sharecast.ws/p.js
+storagereview.com##body .header-banner:not(#style_important)
+fansonlinehub.com,teralink.me,teraearn.com,terashare.me,hotmediahub.com###adsense > div[id^="ad-box-"]
+tomsguide.com###article-body > .hawk-nest
+businessinsider.in##.bg-slate-100
+businessinsider.in##section > div.md\:h-\[435px\]
+||totalcsgo.com/*/site-takeover/$image
+||totalcsgo.com/takeover.json
+||porn100.fun/js/script-*.js
+ultrabookreview.com##div[id^="zzif"]
+ultrabookreview.com##.sumright
+ultrabookreview.com###postadsside
+ultrabookreview.com##div[class^="postzzif"]
+nanoreview.net##div[class^="nad"]
+nanoreview.net##div[id^="float-sb-"]
+dev.miuiflash.com##div[id^="div-gpt-ad"]
+dev.miuiflash.com##div[class^="stickyads"]
+fapnado.com##iframe[width="95%"][height="400"]
+soyacincau.com##.scadslot-widget
+hentaifreak.org###site-header-main > .text-center
+||unpkg.com/videojs-vast-vpaid$important,domain=video.q34r.org|korall.xyz|porntoday.ws|tabooporns.com|netuplayer.top|wiztube.xyz|netu.ac|zerknij.cc|speedporn.net|chillicams.net|meucdn.vip|yandexcdn.com|waaw1.tv|waaw.*|czxxx.org|scenelife.org|hqq.*|peliculas8k.com|filme-romanesti.ro|tikzoo.xyz|gledajvideo.top|playerhd.org|ntvid.online|rpdrlatino.live|vertelenovelasonline.com|1069jp.com|diziturk.club|stbnetu.xyz|mundosinistro.com|younetu.org|playvideohd.com|vzlinks.com|javboys.cam|xz6.top|fsohd.pro|playertoast.cloud|pupupul.site|shitcjshit.com|cinecalidad.vip|fansubseries.com.br|vapley.top|player.streaming-integrale.com|rpdrlatino.com|xtapes.to|player.igay69.com|troncha.lol|vpge.link|opuxa.lat|ztnetu.com|filmcdn.top|animeyt2.es|asdasd1231238das.site|tmdbcdn.lat|stbpnetu.xyz|pokemonlaserielatino.xyz
+/js/script_*.js?$~third-party,domain=video.q34r.org|korall.xyz|porntoday.ws|tabooporns.com|netuplayer.top|wiztube.xyz|netu.ac|zerknij.cc|speedporn.net|chillicams.net|meucdn.vip|yandexcdn.com|waaw1.tv|waaw.*|czxxx.org|scenelife.org|hqq.*|tikzoo.xyz|gledajvideo.top|playerhd.org|ntvid.online|rpdrlatino.live|vertelenovelasonline.com|1069jp.com|diziturk.club|stbnetu.xyz|mundosinistro.com|younetu.org|playvideohd.com|vzlinks.com|javboys.cam|xz6.top|fsohd.pro|playertoast.cloud|pupupul.site|shitcjshit.com|cinecalidad.vip|fansubseries.com.br|vapley.top|player.streaming-integrale.com|rpdrlatino.com|xtapes.to|player.igay69.com|troncha.lol|vpge.link|opuxa.lat|ztnetu.com|filmcdn.top|animeyt2.es|asdasd1231238das.site|tmdbcdn.lat|stbpnetu.xyz|pokemonlaserielatino.xyz
+||hqq.tv/js/script_*.js
+||hqq.tv/js/script-*.js
+wsj.com##div[class^="style--column"] div[style="height:100%"] div[style^="top:"][style*="position:"][style*="sticky"]
+xfantazy.com##div[id^="bannerId_"]
+||cdctwm.com/vast/
+||cdctwm.com/vast/$xmlhttprequest,redirect=nooptext
+/api/spots/*$xmlhttprequest,redirect=nooptext,domain=xfantazy.com
+timesofindia.indiatimes.com##.topBand_adwrapper
+bbc.co.uk###leaderboard-aside-content
+hdporn-movies.com##.adbox-inner
+||hdporn-movies.com/templates/*/js/customscript.js
+movies123-online.me##a[href$="/premium-membership"] > img
+movies123-online.me##.jw-logo-top-left
+movies123-online.me##.jw-logo-top-right
+movies123-online.me##.sadhjasdjkASDd
+||xgroovy.com/static/js/initsite.min.js
+english.tupaki.com##body #ad_after_header
+theglobeandmail.com##div[class^="BaseAd__"]
+motor1.com,motor1.uol.com.br,rideapart.com,insideevs.*##.apb
+motor1.com,motor1.uol.com.br,rideapart.com,insideevs.*##.sapb
+singletracks.com##div[id^="singl-"]
+animationmagazine.net##.tdc-zone .tdi_23
+animationmagazine.net##.single-sidebar .tdi_111
+articles.mercola.com##.coupon-code
+thetechoutlook.com###custom_html-2
+mlbstreams.me##iframe ~ div[class="h-100 position-absolute w-100 bg-light bg-opacity-50 text-white top-0"]
+worldstreams.lol##iframe ~ script + div[style*="position: fixed"][style*="z-index"]
+||worldsp.me/*/ad1.htm
+theatlantic.com##div[class^="ArticleInjector_clsAvoider"]
+||theatlantic.com/packages/adsjs/ads.min.js
+||tnwcdn.com/assets/next/js/tnw-ads.*.js
+safeway.com##.google-adManager
+fieldandstream.com,popphoto.com##body .empire-unit-prefill-container
+||organiccdn.io/assets/sdk/prebid-stable.m.js
+eurosport.*##.banner-sponsorship
+||mssl.fwmrm.net/libs/adm/*/AdManager.js$domain=eurosport.*,important
+9to5mac.com##.single-custom-post-ad
+tupaki.com##.live-ads
+tupaki.com#?#.to-be-async-loaded-ad:not(.header_btn,.footer_1)
+pawastreams.*###nwmlay
+pawastreams.*###adcash
+nnn.ng##body ins.adsbygoogle
+webhostingpost.com###ad > a
+realgfporn.com##.button-area
+bloginkz.com##a[href^="//taghaugh.com/"]
+audiobookbay.is##div[style*="margin-bottom:"].ski
+rule34.xxx###content > div.header > img
+||ign.com/s/js/zad.js
+||tinyzonetv.se/ajax/banners
+gozofinder.com##div[data-testid="advert"]
+darknessporn.com##.textovka
+||autoembed.to/JS/denur.js
+lbbonline.com##.bannersholder
+lbbonline.com##.typebanner
+headlines.footybite.to##div[style^="position: fixed;"][style*="z-index: 1000000;"]
+||hentai2read.com/arkNVB/arkAPI.php
+miohentai.com##.lazy-ad-container
+miohentai.com##.paused-ad-container
+miohentai.com##.sidebar > .new-ntv
+projectorcentral.com##.spec-b-strip
+||projectorcentral.com/*?bid=
+||cdn.staticneo.com/*/prebidneo*.js
+||timeanddate.com/common/prebidtad.
+mspoweruser.com###sidebar_btf_placeholder
+k2s.cc##.label-360p
+camsoda.com##div[class*="adHolder"]
+watchmygf.me##.col-video.second
+||showboxmovies.net/ajax/banner
+123chill.to##div[style*="position: absolute"][style$="z-index: 2147483647;"]
+pregchan.com##iframe[src$="/pages/dlsite.html"]
+lena.lenovo.com##.slider-advertise
+upornia.com,pornhits.com##.video-right-top
+porndoe.com##.player-row > div[ng-hide^="service.banners.visible"]
+hometheaterreview.com##.bottom-sticky-ad
+hometheaterreview.com##div[id^="amzn-assoc-ad-"]
+||euroxxx.net/wp-content/uploads/*/600x300.gif
+hoi4cheats.com##div[class^="automatad"]
+ephotozine.com###epz-google-explore
+ephotozine.com##.LB-MPU
+||ocarinaboot.xhamster*.*/api/models/vast
+blog.insurancegold.in,blog.cryptowidgets.net,blog.carstopia.net,blog.carstopia.net,blog.coinsvalue.net,blog.cookinguide.net,blog.freeoseocheck.com,blog.makeupguide.net##.fa-xmark
+hclips.com,aniporn.com##.right
+aniporn.com###und_ban
+||bdnewszh.com/embed/1.js
+rock.porn##.banner-sasd
+reaperscans.com###radio_content
+tvline.com##div[data-component="pluto-tv"]
+||static.iswinger.com/interstitial/speed-desktop.html
+||anysex.com/rtb2.php?spot_id=
+||anysex.com/rtb2.php?spot_id=$xmlhttprequest,redirect=nooptext
+/\/js\/[a-z]j\.js$/$script,~third-party,domain=joysporn.sex
+fullporner.com###right1_ad
+katestube.com##.spot-aside
+katestube.com###end-block
+katestube.com##.bottom-container
+extremetech.com##aside > section > div[data-pogo="sidebar"]:empty
+tedium.co##.md-adbox
+legit.ng##div[class^="l-adv-branding__"]
+18adultgames.com,gizchina.com###block-36
+gizchina.com###block-3
+gizchina.com###block-7
+itrwrestling.com,tjrwrestling.net##div[ad-slot]
+whatculture.com##body .area-x__large
+petapixel.com###fixed-ad-container
+cursors-4u.com##div[style^="width: 468px;"]
+cursors-4u.com##table[width="808"]
+||lookmovie*/images/ads/
+giznext.com##.floterAdFooter
+giznext.com##ul[class^="listingBrand_mobileList_"] > li[class="col-xs-12 col-sm-12 col-md-12 activeList "]
+giznext.com##.breadcrumb-ads
+msn.com##div[class^="galleryPage_eoabNativeAd-"]
+||in.mashable.com/*/zad.js
+||sm.mashable.com/zdadkit2.js
+in.mashable.com##.zad
+in.mashable.com##.warmgray
+textpro.me##.line-ads
+||webextension.org/explore/ads.js
+webextension.org##.adb
+webextension.org###adb
+investorplace.com##.subcat-post-text-ad
+investorplace.com##.ipm-inline-ad
+custompc.com###nn_astro_wrapper
+||novelcool.com/files/js/auto_ads.js
+fakazahiphop.com##a[target="_blank"][href^="https://cutt.ly/"]
+gifer.com##article > div[style^="overflow: hidden; min-height:"][style*="background:"][style*="/gifer_adv."]
+shramikcard.in##.shrs_ads
+shramikcard.in,cookar.net,cookad.net##.shrs_re_adunit
+shramikcard.in,cookar.net,cookad.net##.shr_interstitial_container
+shramikcard.in,cookar.net,cookad.net##.shr_bottom_sticky_container
+h-flash.com##[id^="ads"]
+h-flash.com##body > a[target="_blank"][rel="nofollow,noopener"]
+||imobileporn.com^$domain=h-flash.com
+||h-flash.com/data/image/mcs/cb2fea9.gif
+linkedin.com##.feeds > ol#feed-container > li[data-sponsored-sequence-number]
+express.co.uk##body #ad-vip-article:not(#style_important)
+express.co.uk##body .ad-slot-article:not(#style_important)
+express.co.uk##body div[id^="taboola-"]:not(#style_important)
+f2movies.to,cineb.rs,himovies.sx##.block_area > div[class][style="width: 100%; padding-bottom: 320px; position: relative;"]:empty
+jav-desu.xyz##div[id^="floatcenter"]
+zeoob.com##div[style^="min-height:"].col-xs-12
+4chan.org,4channel.org##.danbo-slot
+mdn.lol##div[style^="width:305px;height"][style$="display: inline-block;margin: 0 auto;overflow:hidden;"]
+||manysex.com/culxmuixbbr
+manysex.com##.tajbjjt
+on3.com##div[class^="ArticleWrapper_promo"]
+on3.com##div[class^="MobileMPU_ad"]
+on3.com##.adhesionAd
+hellomagazine.com##div[class^="-variation-roba"]
+mezha.media##a[aria-label^="Банер"]
+||financhill.com/js-min/blog-ads.js
+gpfans.com##.taboonews
+lilymanga.net##div[class^="code-block code-block"][style^="position: fixed; z-index: 9995;"]
+||m.media-amazon.com/images/$domain=klz9.com
+klz9.com##div[style^="width:336px!important;height:250px!important;position:relative!important;"]
+linkedin.com##.feed-container > .feed-item > article[data-is-sponsored]
+zoomgirls.net##.wallpaper-ads-right
+zoomgirls.net###left-panel > * > a[target="_blank"] > img
+||history.co.uk/themes/custom/sky_history/js/taboola*.js
+redd.tube###basePopping
+redd.tube##.adsession
+perezhilton.com###feature-spot
+perezhilton.com##div[style="min-height:310px;"]
+chron.com##div[data-block-type="ad"]
+whatismyipaddress.com###whatismyipaddress_leaderboard_atf
+whatismyipaddress.com##div[id^="whatismyipaddress_"][id$="_ATF"]
+ok.co.uk,express.co.uk###ovp-primis
+kentonline.co.uk##span[id^="p_mpu"]
+bloomberg.com##div[class^="StoryCardSmall_adWrapper-"]
+cnn.com##.ad-slot__ad-wrapper
+theparking.eu##.akcelo-wrapper
+footballtransfers.com##div[style*="min-height: 250px;"][style*="text-align:"]
+footballtransfers.com##div[style*="min-height: 600px;"][style*="text-align:"]
+idlixofficialx.*,idlixofficial.net,idlixofficial.co,idlixofficials.com,idlixplus.*,77.105.142.75###repop
+idlixofficialx.*,idlixofficial.net,idlixofficial.co,idlixofficials.com,pornflixhd.com##.asgdc
+deavita.net##center > span[style="margin: 10px 0;"]
+sb.by##a[class^="brand-link-"]
+xxxbule.com##center > div.style3 > div.style49
+androidadult.com##a[href="https://tk007.fun/"]
+tazkranet.com###block-14
+ft.com##.n-layout__header-before > pg-slot
+siivous.fi,zipextractor.app###cm
+||bc.vc/js/bcvc_in.js
+windowslatest.com##body .ai_widget
+transtxxx.com,txxx.com##.suggestion
+freeomovie.to##.xtact
+freeomovie.to##.footer-top
+||grammarcheck.me/wp-content/plugins/lasso/
+grammarcheck.me##.lasso-display-table
+grammarcheck.me##.wp-block-affiliate-plugin-lasso
+digg.com##.ca-widget-wrapper
+vccgenerator.org##.adxad
+gizchina.it##body div[id^="lx_"][class*="_ribboned"]
+wcofun.org##div[style="float:right; width:300px; height:270px; margin-top:20px"]
+tutorialspoint.com###adp_top_ads
+gadgets360.com##.pagepusheradATF
+searchenginejournal.com##.sej-bbb-section
+timesofindia.com,indiatimes.com##div[data-aff-type]
+myfigurecollection.net##.xy-wide-top
+lookmovie.foundation##.view-movie .hero + .container .col-sm-12 > div[style="text-align: center; margin-top: 20px;"] > a[target="_blank"][style="padding: 20px; display: block"]
+[$path=/\\/(movies|shows)\\/play\\//]monster##.view-movie .hero + .container .col-sm-12 > div[style="text-align: center; margin-top: 20px;"] > a[target="_blank"][style="padding: 20px; display: block"]
+.monster/images/ads/2.png|$~third-party,domain=monster
+vivahentai4u.net##.widget_mylinkorder
+||howcast.com/.bootscripts/webcomponents/adOutstream.min.js
+gomovies.sx##div[style="width: 100%; padding-bottom: 320px; position: relative;"]
+reurl.cc###renews
+gelbooru.com##.mainBodyPadding > div[style*="height:"]
+||cdn.thealtening.com/banner$image
+||cdn.thealtening.com/ad-*.png$image
+thebypasser.com###logic > div.buttons > :not([id="submit_btn"])
+unknowncheats.me###bab
+lyrical-nonsense.com##.playblockcnt
+||securepubads.g.doubleclick.net/pagead/ppub_config$xmlhttprequest,redirect=noopjs,important,domain=independent.co.uk
+||c.amazon-adsystem.com/aax2/apstag.js$script,redirect=amazon-apstag,important,domain=independent.co.uk
+whatcar.com##div[class^="LandingPageSidebarLeftTemplate_masterHead__"]
+whatcar.com##a[class^="SponsoredSection_"]
+whatcar.com##div[advert-ref]
+cambb.xxx##.model-out-col
+weather25.com##.billboard_ad_wrap
+theaviationgeekclub.com##.wp-block-image > figure > a[href="https://ospreypublishing.com/"][target="_blank"]
+washingtontimes.com##.bigtext > hr
+washingtontimes.com##.summary > hr
+washingtontimes.com##.connatixcontainer
+journals.asm.org##.boombox-wrapper
+||cds.connatix.com/p/plugins/connatix.intentiq.js
+movies4u.*##.ads-btns
+indojavstream.com##.box_item_ads_popup
+timesofisrael.com##.banner-label
+tomsguide.com##.news-article .hawk-main-editorial-container
+oneesports.gg##.oes-advert
+mail.yahoo.com##a[data-test-id="bottom-sticky-pencil-ad"]
+mail.aol.com##div[data-test-id="pencil-ad"]
+popnable.com##.widget-main > div[class="col-md-4 col-sm-12"]
+popnable.com##.tabbable > div[class="col-md-4 col-sm-12 "]
+piratebayproxy.live,thepiratebay10.org,thepiratebay.party,pirate-bays.net,pirateproxy.live##a[href^="https://www.onlineuserdefender.com/"]
+ytsmx.is##.home-warning
+futbin.com##.articles-list-holder-inner > div.article-row-holder:has(> .fb-ad-placement)
+futbin.com##.fb-skyscraper
+futbin.com##.fb-ad-placement
+futbin.com##.center-ad-res
+online2pdf.com##div[id$="_horizontal_box"]
+online2pdf.com##.side_bar div[id$="_blocked_vertical"]
+online2pdf.com##.side_bar div[class$="_title_vertical"]
+citizen-times.com##.gnt_xbr
+||anyporn.com/if2/
+ytboob.com##.video-archive-da
+ytboob.com##.mbrsp
+ytboob.com##.under-player-desktop
+filecrypt.co##div[class^="fiIItheadblockqueue"]
+constructionworld.in##.sticky-ads-desktop
+constructionworld.in##.inner-top-advertise
+carousell.sg###main > div:first-of-type:first-child > div:empty
+gayforfans.com##div[class^="gayfo-loop-ad-"]
+babla.*###topslot-container
+gfinityesports.com##.mediavine_sidebar-atf_wrapper__ad-placeholder
+||mn-nl.mncdn.com/tvnet/tvnet/playlist.m3u8$domain=yenisafak.com
+yenisafak.com##.ys-ad-video-widget
+||cdn-static3.com/cdn/push.min.js
+webmd.com##body #global-main div.slide > div.caption > div.ad.instreamAd[id^="infinite-ad"]
+||d6cto2pyf2ks.cloudfront.net^$domain=60fps.xyz
+bloomberg.com##div[class^="BaseAd_"]
+||embed.sendtonews.com/*/embedcode.js$domain=ratemyprofessors.com
+popnable.com##.slotOrigin
+popnable.com##.slotGeneral
+popnable.com##div[class="profile-picture do-margin-top"]
+popnable.com##.do-margin-top[style="height: 100px!important;"]
+gplshub.com###block-82
+haxnode.net##.haxno-after_content
+javtorrent.me##div[style^="width:"] > div[style*="height:"]
+||pimpandhost.com/mikakoka/*.php
+||cloudfront.net/*/*.mp3$media,redirect=noopmp3-0.1s,domain=music.amazon.*
+3xplanet.com##a[href^="https://uploadgig.com/premium"]
+||vlr.gg/img/pr/
+ytmp3.nu###b > iframe
+||ummn.nu/*.html$subdocument
+thespike.gg##ins[id][data-key]
+jpvhub.com##iframe[src^="https://syndication.realsrv.com/"]
+esportsdriven.com##.ga-partner
+esportsdriven.com##div[class^="GGBet"]
+tl.net###main-right-sidebar > div[style="margin-top: 2px; margin-bottom: 2px; height: 250px"]
+tl.net###main-content > div[style^="max-width: 740px; height:108px; overflow: hidden; padding:"]
+game-tournaments.com##.dynban
+game-tournaments.com##.yaadstracker
+||game-tournaments.com/banners
+||game-tournaments.com/media/a/banner*.gif
+academo.org##.sponsor-wrapper
+academo.org##.sidebar--sponsor
+ghacks.net##.rv-cdo
+ghacks.net##a[data-wpel-link="external"][href*="offer"]
+ghacks.net##div[id^="snhb"]:empty
+hentaipaw.com##div[id^="ts_ad_native_"]
+hbr.org##div[data-params="region=openx;location=leaderboard"]
+||bitcotasks.com//files/banners/banner-
+geekermag.com###custom_html-5
+geekermag.com###custom_html-4
+daily-sun.com##body .ad-970x90
+daily-sun.com,iis.net##body .ad-300x250
+mdn.lol##div[style*="728px;"]
+mdn.lol##div[style$="min-height: 250px;"]
+miraculousladybug.com##.App > div.fixed.transition-colors
+hidester.com##[class*="get-vpn"]
+gosexpod.com##.natsc
+gosexpod.com##.video-headline-notice
+||gosexpod.com/*/*.php
+genmirror.com##.container div[style="height:200px;width:100%;"]
+genmirror.com##.container div[style="height:280px;width:100%;"]
+cravesandflames.com,novelsapps.com,codesnse.com##form a[rel="nofollow"] > img
+||api.plebmasters.de/v1/info/partners$xmlhttprequest,redirect=noopjson
+||plebmastersforgeassets.blob.core.windows.net/partneradvertisements/$domain=forge.plebmasters.de
+forge.plebmasters.de#?#.forge-background > .justify-center > .v-col-sm-8:has(> h2:contains(/^Sponsors$/))
+forge.plebmasters.de##.v-container > div.v-row > div.v-col-sm-6:has(> div.v-card > .v-img > img:is([src^="https://plebmastersforgeassets.blob.core.windows.net/partneradvertisements/"],[src^="https://static.plebmasters.de/partners/"]))
+forge.plebmasters.de##.v-container > div.v-row--dense > div.v-col-sm-6:has(> div.v-card > .v-img > img:is([src^="https://plebmastersforgeassets.blob.core.windows.net/partneradvertisements/"],[src^="https://static.plebmasters.de/partners/"]))
+forge.plebmasters.de##.v-container > div > div.v-row--dense > div.v-col-sm-6:has(> div > div.v-card > .v-img > img:is([src^="https://plebmastersforgeassets.blob.core.windows.net/partneradvertisements/"],[src^="https://static.plebmasters.de/partners/"]))
+forge.plebmasters.de##.v-row > .v-col > .v-list > .v-list-item:has(> div.v-list-item__content > div.v-card > .v-img > img:is([src^="https://plebmastersforgeassets.blob.core.windows.net/partneradvertisements/"],[src^="https://static.plebmasters.de/partners/"]))
+cbssports.com##.GamblingPartnerAdWrapperHome
+news18.com##.sideTop
+news18.com##.react-loading-skeleton[style="height:243px"]
+news18.com##.phtadd
+watcher.guru,thehindubusinessline.com,news18.com##.add
+news18.com##.ftrad
+tmail.gg##.img-box > a[target="_blank"] > img
+blockaway.net###infoBarContainer
+blockaway.net##a[href^="https://www.patreon.com/croxyproxy?"]
+blockaway.net##.twitterWidget
+fontke.com##.index-adver
+go.freetrx.fun##form center > div[id^="_"]
+thepcenthusiast.com##.ads-aftercontent
+thepcenthusiast.com##.mobile-ad-top-bottom
+forums.redflagdeals.com##li[class^="forum_topic_inline_container_"]
+ondemandkorea.com##div[id^="Footer-"][id$="_300x250"]
+ondemandkorea.com###program-list .ThumbnailLink ~ div[style^="grid-column:"]
+ondemandkorea.com##.swiper-wrapper #featured-banner
+darkreading.com,ondemandkorea.com##.Ad
+apnews.com##.FeedAd
+astro.com###cmss
+luscious.net##.ad_section
+mysexpedition.com##div[style="text-align: center"] > a[target="_blank"]
+gaydam.net##.playover
+plagiarismchecker.co##div[id^="io_ep"]
+carsguide.com.au##.ad.m-rec
+carsguide.com.au##.glance-leaderboard-container
+productreview.com.au##div[style="line-height:0"]
+productreview.com.au##div[data-can-overlap="true"][style^="position:"]
+||manga1000.top/app/manga/themes/*/ads/pop.js
+||flacdl.com/uploads/headerbaner.gif
+||justthegays.com/summer-cloud-d5d4/
+||justthegays.com/wp-content/plugins/videopack-ads
+||justthegays.com/agent.php
+||fotor.com/photo-editor-app/assets/img/160x600
+anime7.download###sidebar > div.widget_custom_html
+||manga18fx.com/*_fr$script
+japantoday.com##a[href*=".gaijinpot.com/"][href*="&utm_"]
+mintgenie.livemint.com##.square-news-ad
+mintgenie.livemint.com##.vertical-news-ad
+mintgenie.livemint.com##.horizontal-bg-ad
+bgr.com##.w-\[300px\].h-\[250px\]
+bgr.com##.bgr-memorial-day-widget
+bgr.com##.md\:w-\[300px\].md\:h-\[250px\]
+moneycontrol.com##.sponsor_ad_bg
+moneycontrol.com##.banner_970x250
+valid.x86.fr##div[class*="widget-advert"]
+bin.sx,leak.sx##.tw_float_ads_main_Wrap_Both
+rephrase.info###txt-after-header
+dailymail.co.uk##div[data-mol-fe-xpmodule-commerce-articles]
+||breakdownexpress.com/js/ads
+rephraser.co##footer ~ div.justify-content-center
+c-span.org##div[class="skybox"] .skybox-promo
+nintendoeverything.com##center > div[id^="nn_lb"]
+deseret.com##.Ad-space
+thekisscartoon.com##.sbox + div[style^="margin: 0 auto;text-align:center;"]
+huffpost.com###main > .bottom-right-sticky-container
+gearspace.com###site-notice-container > .noticeBit > center > a
+||gearspace.com/board/user_ajax.php?do=get_takeover
+||static.gearspace.com/board/js/takeover/takeover.js
+cellmapper.net##div[class="modal_dialog_base"][style^="display: block; left:"]
+codingnepalweb.com##.cn-vignette-popup
+mobileread.com##div[id^="edit"] > div[style="padding: 6px 0px 0px 0px"]
+shrtco.de##.aarea
+royalroad.com##h6.bold.uppercase
+royalroad.com##.portlet[style^="padding-top: 5px !important;"]
+||royalroad.com/a/c?w=*&h=*&r$subdocument
+paste.pics###google-block
+free-proxy.cz###navbar_right [onclick^="window.open"]
+free-proxy.cz###navbar_right a:is([rel],[target]) > img
+||res.17track.net/asset/imgs/shopify/ShopifyApp.gif
+techwireasia.com##.ldb-advert
+adultcomixxx.com##.adsnative
+adultcomixxx.com##center > a > img
+printablecreative.com##.gda-home-box
+outkick.com##.outki-widget
+outkick.com##div[class^="ob-home-"]
+mirrored.to##body > div.container > div.extra-top ~ div[class^="sm centered"]
+onlineradiobox.com##.banner--header
+/^https:\/\/www\.[a-z]{8,9}\.com\/[a-z]+\.js$/$domain=pornhoarder.net
+steamgifts.com##.widget-container a[href^="https://www.steamgifts.com/redirect?"] + div
+steamgifts.com##.widget-container a[href^="https://www.steamgifts.com/redirect?"]
+emailnator.com##a[href="https://tools-ai.online"][target="_blank"]
+fileproinfo.com##div[style^="text-align:center; min-height:251px;"]
+fileproinfo.com##div[id^="rightAd"]
+fileproinfo.com##span[style^="text-align: center; letter-spacing: .05em; color: #6a6a6a; font-size: 0.642857rem;"]
+golinuxcloud.com##div[id^="golin-"]
+techcult.com###block-37
+imgtaxi.com##a[href="https://imgtaxi.com/go/stripper"]
+mekan0.com###block-6
+||hexupload.net/images/Premium_Banners/$third-party
+||pussyspace.*/js/all.js?v=gitcache_gulp_
+||pussyspace.*/lazyload.im
+weather.us##div[class*="dkpw-"]
+dev.to##.js-display-ad-container
+animerigel.com##.adflexbox
+charlieintel.com##aside[data-cy="Sidebar"]
+charlieintel.com##div[data-cy="Primis"]
+charlieintel.com##.min-h-\[664px\].md\:min-h-\[104px\]
+||awesome-blocker.com/?*&trackingdomain=$all
+wankoz.com##.bottom-placeholder
+armyrecognition.com##body [id^="sp-google-advertising-"]
+vidmoly.to###mg_vd2
+vidmoly.to###mg_vd
+dailycal.org##div[class^="LiveBanners_specialCont"]
+npr.org,indystar.com,usatoday.com##aside[aria-label="advertisement"]
+forbes.com###featured-partners.with-adv-icon
+newscaststudio.com##.top-bar div.iframe-post
+||apkmody.io/pa-ad.js
+ppssppwiki.com##.mega
+fsharetv.co##a[href^="https://bit.ly"]
+||javhdporn.net/wp-content/themes/kingtube/assets/js/fun.js
+||creative.live.javhdporn.net/widgets/Spot/lib.js
+||haes.tech/js/script-
+||phineypet.com/2x.png
+||phineypet.com/300x600.png
+globalnews.ca###home-houseAd
+globalnews.ca##div[data-watch-onload^="gpt-a"]
+globalnews.ca##body div.c-ad
+offidocs.com##div[id^="ad"][style*="center;"]
+||free-proxy.cz/i/HMA/*.gif
+||onlinemschool.com/pictures/stb.png
+onlinemschool.com###oms_rgh1t > div.oms_social_group + div[id^="oms_"][style="text-align:center;"]
+onlinemschool.com###oms_rgh1t > div.oms_social_group ~ div[id]
+celebmafia.com##div[data-ad]
+nano-reef.com##.nrsp
+osgamers.com##.r89-outstream-video
+calendar-canada.ca,osgamers.com##div[class^="r89-"][class*="-rectangle-"]
+calendar-canada.ca,osgamers.com##div[class^="r89-"][class*="-billboard-"]
+outlookindia.com##.home_ad_title
+myshrinker.com##a[onclick] > button
+newslive.com##.td-post-content > p > a[href="https://www.watchnews.pro/subscription"]
+sourceforge.net##.projects > li.nel[data-cid]
+||javhub1.com/wp-content/uploads/*.gif
+||javhub1.com/wp-content/uploads/*/free888_
+||quotr.net/*?ad_ext=$all
+quotr.net##a[href^=" https://track.quotr.net/"]
+theglobeandmail.com##.premium-chain-rail
+filmibeat.com##div[id^="v-filmibeat-v"]
+xozilla.xxx##div[style="height: 130px !important; overflow: hidden;"]
+forbes.com##.top-ed-placeholder
+yna.co.kr##article ~ div[class^="aside-box"]
+chess.com##.modal-ad-component
+nanoreview.net##.__lxG__multi
+ipa4fun.com##div[style*="min-height:"]
+sportshub.to##.card-body[style="text-align: center;min-height: 130px;"]
+sportshub.to##div[style="margin-bottom: 800px;"]
+||betterbe.co/wp-content/themes/magnify/resources/js/bids
+betterbe.co##div[data-trackable-ad]
+blockadblock.com##div[style^="display:block; width:350px;"]
+ladbible.com###vidazoo-0
+freeopenvpn.org##div[style^="display: block"][style*="width: 336px"]
+||tabletennisdaily.com/forum/images/banner/
+filmypoints.in###sticky
+romsgames.net##.mmad
+pcreview.me,reviewstation.me###adxbox
+quizangel.com##.static_ads
+prydwen.gg##.fuse-ad-placeholder
+maxcheaters.com##.mxc-left
+maxcheaters.com##.mxc-right
+overclockers.ge,maxcheaters.com##div[data-role="sidebarAd"]
+maxcheaters.com##.ipsResponsive_inlineBlock > a[href*="advert"] > img
+||d.wedosas.net/i/$domain=qlinks.eu
+meetdownload.com##.panel-block > div > a[target="_blank"][rel="nofollow"]
+outlookindia.com###_snup-rtdx-ldgr1
+waploaded.com##.attachment_info > div > a[target="_blank"][rel="nofollow"]:nth-child(2n-1)
+tech.co##.cta_banner
+||reef2reef.com/data/siropu/am/user/
+reef2reef.com##.reef-footer::before
+reef2reef.com##.reef-footer > div.reef-footer-left
+steampeek.hu##.partner_bar_cont
+patch.com##.css-1yor2ab
+northamptonchron.co.uk,blackpoolgazette.co.uk,lep.co.uk,scotsman.com,shieldsgazette.com,thestar.co.uk##div[class^="AdLoadingText"]
+northamptonchron.co.uk,blackpoolgazette.co.uk,lep.co.uk,scotsman.com,shieldsgazette.com,thestar.co.uk##div[class^="Dailymotion__Wrapper-"]
+northamptonchron.co.uk,blackpoolgazette.co.uk,lep.co.uk,scotsman.com,shieldsgazette.com,thestar.co.uk##div[class^="SidebarAds_"]
+northamptonchron.co.uk,blackpoolgazette.co.uk,lep.co.uk,scotsman.com,shieldsgazette.com,thestar.co.uk##div[data-ads-params]
+uptoplay.net##div[id^="adhorizontal"]
+agar.io###agar-io_300x250
+||pornktube.*/js/kt.js
+sportsbettingdime.com##div[id^="bet-"]
+sportsbettingdime.com##.top-promos
+vtube.network,vtplay.net,vtbe.net,vtube.to###max_overlay
+vtube.network,vtplay.net,vtbe.net,vtube.to###mini_overlay
+/vtu_mini.js$domain=vtplay.net|vtbe.net|vtube.to|vtube.network
+/vtu_max.js$domain=vtplay.net|vtbe.net|vtube.to|vtube.network
+pbtech.co.nz##.ad-linkleft
+guides.gamepressure.com##.if-no-baner
+guides.gamepressure.com##.go20-pl-guide-right-baner-fix
+lyrics.com###sele-container
+||upstream.to/google.js
+veporn.com,letsjerk.tv,drtuber.desi,vivatube.net,proporn.cc,smutr.com,silkengirl.com,yeptube.*,boom.porn,3prn.com,smutv.com,torjackan.info##.spots
+letsjerk.tv##.video-content > div.wrap
+veporn.com##.video-content > div.search_result + div[style="position: relative;width: 100%;background:transparent;"]
+odditycentral.com###sidebar > div[align="center"][class="boxcontent padding"]
+odditycentral.com###sidebar > div[class="boxcontent"][style="padding:22px;"]
+dailycamera.com,bocopreps.com,buffzone.com,bocopreps.com,greeleytribune.com,broomfieldenterprise.com,coloradohometownweekly.com##.dfm-sidebar-top-flex-container > a[target="_blank"]
+klz9.com##center > center > a[target="_blank"][rel="noopener noreferrer"]
+||static.rolex.com/clocks/$third-party
+tornosnews.gr###content > div[style*="margin:"]
+javbibi.com##.main-content-inner #right-sidebar
+elitebabes.com##.desktop-ban
+||bellesa.co/api/rest/v*/campaigns?
+xcums.com##.video_cums
+||pop.iamcdn.net/players/playhydraxb.min.js$important
+kshow123.tv###sidebar > div.sound[style="margin-bottom: 10px;"]
+next.gr##.containerso
+productreview.com.au###content > div[style="min-height:100vh"] + div[class]
+technclub.com##.ekngsw
+tierlists.com##.adbox-template
+genshin.gg##.wrapper-mpu1
+genshin.gg##.wrapper-lb1
+sourceforge.net###nels
+senzuri.tube##.video-tube-friends-wrapper
+gay0day.com##.video-holder > a[target="_blank"]
+dnsstuff.com##img[width="594"][height="97"]
+editpad.org##.edsec
+mywishboard.com##.MwbPagesWish__banner
+mirchi9.com##body .ads-wrap-qqq
+||image.mangabtt.com//Upload/Content/images/chapter/top
+mangabtt.com##div[class] > div[style*="height:"]
+mail.proton.me##.bg-promotion
+allaboutbirds.org##.campad-side
+adultdvdtalk.com###top-elements > div[style^="float:right;"]
+adultdvdtalk.com##div[style^="position: fixed; margin"][style*="text-align: center;"]
+redflagdeals.com##.inline_leaderboard
+redflagdeals.com###rfd-primis-wrapper
+forums.redflagdeals.com###header_billboard_bottom
+geekermag.com##.post-content > div.a-wrap.a-wrap-5
+||s.a3ion.com/splash.php?$removeparam
+plotz.co.uk##div[style*="width:120px;"][style*="height:600px;"]
+malaymail.com##.malaymail-section-title[data-widget-id="5115"]
+||bondagevalley.cc/upload/photos/kcs.webp
+topinsearch.com##div[id^="teaser_block_"]
+xteensex.net##.bokorasumi
+||shemalesin.com/*/s/s/*.php
+fap-nation.com##.adguru-zone-wrap
+fap-nation.com##.adsideleft
+fap16.net##.adsplx300
+||partner.pcloud.com/media/banners/*300250.png
+gamegpu.com###tm-top-a
+thesportsupa.com##body > center
+thesportsupa.com##a[href*=".play."]
+yourdictionary.com##.ui-advertisement
+||fapix.porn/front/js/unwanted.js
+||extmatrix.com/ad/
+||i.imgur.com/cSePTP2.jpg
+||javrave.club/ads/
+javrookies.com,javzh.com,sakurajav.com,sakuravrjav.com###isLatest
+latestjav.com###block-15
+sakurajav.com##.ce-banner
+sakuravrjav.com###widget_advertising-2
+edition.cnn.com##.ad-slot-dynamic
+pornfd.com##div[style^="position: fixed; inset: 0px; z-index:"] > a
+||hcbdsm.com/exo1.html
+||hcbdsm.com/frtl.js
+||hcbdsm.com/rbtop.html
+||cdn.jsdelivr.net/npm/@fancyapps/$domain=hcbdsm.com
+hcbdsm.com##div[data-mb="ad-in-items"]
+zn.ua##div[class^="advertising-"]
+jpvhub.com##.jss246
+||cosplayporntube.com/creatives/
+cosplayporntube.com##div[class*="Creative"]
+||boundhub.com/sab/$image
+camcam.cc##.videos-list > article.sticky
+javtiful.com###livecams
+orgasm.com###orgasm-girl-banner
+pornid.xxx##.sidebar-holder
+sunporno.com##.safelink
+[$path=/advertisement]tupaki.com##.wrapper > div#header + div.container
+||content.tupaki.com//*/news/Virupaksha-Movie-*.jpg
+[$path=/^\/$/]cinejosh.com##.container-fluid + br + .container-fluid
+[$path=/^\/$/]cinejosh.com##.container-fluid + br + .container-fluid + .container
+||cinejosh.com/images/delete/Virupaksha_Movie_1.jpg
+||utbrgebzvhfa.xyz/js/script-*.js
+flickr.com##div[class^="view sub-photo-right-view"] > div.photo-charm-exif-scrappy-view + div
+malwaretips.com###block-9
+malwaretips.com###block-10
+malwaretips.com##div[id^="mwtad-"]
+bleepingcomputer.com##.s-ou-wrap
+18adultgames.com,shineads.in###block-87
+shineads.in###block-88
+my.pmi.org##div[class$="-ad"]
+bazadecrypto.com##.dfx
+ipleak.net##.details tr[data-tooltip^="A VPN based "]
+tnaflix.com##.improveADS
+tnaflix.com##.pause-ad-wrap
+||twinrdsrv.com^$domain=tnaflix.com
+herexxx.com##.videos > div:not([id])
+iplocation.net###ipAdress + a[class="btn btn-danger"]
+iplocation.net##.ip-buttons > button[class="btn btn-danger"]
+goodrx.com##div[data-qa$="-ad"]
+||sportshub.to/assets/images/banners/
+azlyrics.com##.ringtone
+azlyrics.com##.lboard-wrap
+watzatsong.com##.right-column-why-ads
+wilfmovies.com##img[width="678"][height="182"]
+||user-shield.com/*&clickid=$all
+opensubtitles.org###ad2-placeholder
+chimesradio.com##.elementor-section a[href^="https://amzn.to/"]
+||chimesradio.com/wp-content/*/Chimes-Mobile-App-Ad
+mmoculture.com##.asbybgn
+ragalahari.com##.adlabel
+cnet.com##article div.shortcode.-mini
+expressandstar.com##.dfp-mpu
+1movietv.com##li[onclick="frame('/favis/redri.html');"]
+1movietv.com##li[onclick="frame('/favis/redcash.html');"]
+||1movietv.com/favis/redri.html
+||1movietv.com/favis/redcash.html
+||aphex.me^$domain=madamejane.com
+brobible.com##.bro_caffeine_wrap
+vipleague.st##.ratio > div.text-success
+techrrival.com##div[style^="margin:"].code-block-2
+doodle.com##.AdsLayout__top-container
+onmsft.com##div[data-pw-desk="med_rect_btf"]
+onmsft.com##.inside-right-sidebar > div[data-pw-desk="sky_btf"]
+next.backpack.tf###content > div[class^="col"] > div.bg-component-foreground[style^="min-height:"]
+sportskeeda.com##.right-sidebar
+lirarate.org##[id^="ezoic_pub_ad"]
+/^https:\/\/ik\.imagekit\.io\/[a-z0-9]+\/[a-zA-Z0-9_]+\.(jpg|png)\?updatedAt=/$match-case,image,domain=converter.app
+urdupoint.com##.detail_txt > .center_desktop
+urdupoint.com##div[id^="gpt-"][id$="-banner-wrap"]
+devuploads.com###files_paging
+andhrafriends.com##.ipsBox > ol.ipsClear > li.ipsDataItem:not([data-rowid])
+earth.com##div[style="min-width:200px;min-height:250px"]
+thebrighterside.news##.didna-adhesion-bottom
+thebrighterside.news##div[data-testid="mesh-container-content"] > div[id^="comp-"]:not(.wixui-horizontal-line):empty
+||usrfiles.com/html/*.html$subdocument,domain=thebrighterside.news
+||storage.googleapis.com/didna_hb/webifacts_llc/webifactsthebrighterside/didna_config.js
+forbes.com##.grid__ad-container--amp
+espncricinfo.com##.ci-story-content-ad
+petkeen.com##.sidebar__opp
+andhrafriends.com###ipsLayout_mainArea > center > table
+lifestyleasia.com##.btt-top-add-section
+a2zapk.io##.RightAside
+||cdn.gulte.com/wp-content/uploads/*/IndianClicks_Exxeella_Gulte_
+||img.ap7am.com/thumbless/
+receive-smss.com##.page-info > a[href^="https://app.smsplaza.io/"]
+techpowerup.com##div[br-cls]
+thetelugufilmnagar.com##.td-g-rec-id-custom_ad_1
+thetelugufilmnagar.com##body ins.adsbygoogle:not(#style_important)
+telugu360.com##.article_top_ads
+telugu360.com##.td-ss-main-sidebar > aside.td_block_template_5.widget
+pexels.com##header > a[href^="https://www.canva.com/"]
+everest.picturedent.org##.imgblock ~ center > a[href][target="_blank"]:not([class])
+mediafire.com##.Wallpaper-header ~ div > div[class$="McAfee-content"]
+socialblade.com###lngtd-top-sticky
+fonewalls.com##div[style="min-height:90px;"]
+fonewalls.com##div[style^="color:#869aab;"][style*="font-size:10px;"]
+fonewalls.com##div[class^="midspot-"]
+||i.imgur.com/LJBMhkQ.gif
+mixkit.co##.elements-generic-banner__wrapper
+mixkit.co##.elements-video-items
+mixkit.co##.elements-pretty-banner__wrapper
+programmingeeksclub.com##.sidebar-content > .widget€
+softwaretested.com##.st-alternative
+softwaretested.com##.snippet-content
+windowsreport.com##.refmedprd-b
+fix4dll.com##.page__block.file__download
+wikidll.com##iframe[style="display: inline;"].hb-animateIn
+greatandhra.com##p[style$="font-size: 11px;text-align: center;"]
+greatandhra.com##a:not([href*="greatandhra.com/"]):not([href^='/']) > img
+telegram-group.com##.bannerContainer
+northamptonchron.co.uk,blackpoolgazette.co.uk,lep.co.uk,thestar.co.uk,shieldsgazette.com,scotsman.com##div[class^="helper__AdContainer-"]
+vectorportal.com##.stock-section
+vectorportal.com,negativespace.co##.shutterstock > a
+librestock.com##.adobe-promo
+isorepublic.com##.partner-offer
+isorepublic.com##.media-related
+||api.shutterstock.com^$domain=isorepublic.com
+free-images.com###ssphw
+free-images.com###ssm
+free-images.com###ssrl
+freeimages.com##div[class^="istock-block"]
+searchenginejournal.com##div[id^="Top_Dekstop_"]
+||searchenginejournal.com/wp-json/sscats/v2/stext/seo
+dice.com###leaderboard-ad-div
+dice.com##.google-ad-div
+flingtrainer.com##.fling-widget
+open.spotify.com##a[data-context-item-type="ad"]
+||indiatimes.com/v*/feeds/affiliates/msp_rhs_widget
+kbb.com##div[data-cy="lockedAdContainer"]
+kbb.com##div[data-cy="SectionWrapper"] .css-tteeh8.evrbb770 + div
+desidime.com##.google-ads-section
+4thsight.xyz###widget-in-article
+4thsight.xyz###widget-index-top
+linux.how2shout.com,maxedtech.com,4thsight.xyz###custom_html-24
+dictionary.com##aside[id^="dcom-serp-"]
+bulinews.com###site_aside > div[style*="width:100%; min-height: 250px;"]
+generals.io##div[style="width: 300px; height: 600px;"]
+etherscan.io##.container-xxl > div.align-items-center > div.col-md-9 + div.col-auto
+etherscan.io##.auto-results-wrapper > div.p-2
+ugwire.com##.theiaStickySidebar > section.widget_text
+emurom.net###annonce
+||service.iwara.tv/*/*.php?zones=
+||netlify.app/tags/*.html$domain=iwara.tv
+||erolabs.com^$subdocument,domain=iwara.tv
+iwara.tv##.contentBlock__content iframe
+sextb.net##.network-top span
+sextb.net##.network-top span ~ a[href]:not(.login-member)
+||bladeofsteel.com/clic.php?
+bladeofsteel.com##div[id^="ppuubb"]
+||static-cdn.spot.im/production/ads/tags/v*/ads/ads.js
+assettoworld.com##.nitro-ad
+||assettoworld.com/bens/vinos.js
+business-standard.com##.advertisement-bg
+tribuneindia.com##.fixed-ad-bottom
+streamonsport-ldc.top##.mtop > iframe[src="/dns.php"]
+streamonsport-ldc.top##div[style="text-align:center;"] > a[target="_blank"][rel="nofollow"]
+||ondigitalocean.app/*/index.php?cezp=$document
+||ondigitalocean.app/*^phone=+1-$document
+||plesk.page/*?phone=$document
+elsubtitle.com##div[class*="-ad-box"]
+thegazette.com###site-sticky-footer
+/^(?!.*(swarm.video|alexsports.store|googleusercontent.com)).*$/$third-party,xmlhttprequest,script,domain=alexsports.xyz|alexsports.site
+radiolab.org##.membership-promo
+||fmovies.*/ajax/banner
+||rabbitstream.net/ajax/*/banners
+filecr.com##.gigabyte
+tenforums.com##.garbod > div[style="min-height:250px;"]
+||thotstars.com/video/2.mp4
+thotstars.com##.col-lg-4 > center > a[target="_blank"]
+carscoops.com##.cnt_asd
+carscoops.com##.in-asd-content
+stylecaster.com##.pmc-product-wrapper
+||wonkychickens.org/data/statics/nflong.jpg
+||vizcloud.co/AB/$script
+||vizcloud.co/AAA/$script
+zzztube.com,videoporn.tube##.b-random-column
+gotofap.tk##div[align="center"][style*="height:"]
+gotofap.tk###sn_prom
+gotofap.tk##.JuicyAds
+jiocinema.com##ins[id^="jioads"]
+glosbe.com###topTrufleContainer
+glosbe.com##.right-sidebar-trufle-container
+||nyx-nyx-nyx.dotabuff.com/cargo.js
+dotabuff.com##.multishot
+raymond.cc##.vpn-table
+raymond.cc##section[class="hide-mbl hide-tbl"][style="background: #ffffff; text-align: left;"]
+||apibaza.com/pixel/$domain=flsaudio.com
+steamtrades.com,steamgifts.com##div[class] > a[style][class][target="_blank"][href*="fanatical.com"]
+steamtrades.com,steamgifts.com##.dont_block_me
+||moviekhhd.biz/images/188bet
+coolrom.com.au##div[id^="td-bottom-mpu-"]
+coolrom.com.au##center div[id^="td-bottom-mpu-"] ~ table[style^="border:"]
+techotopia.com###mw-panel > a > img
+100percentfedup.com##.z-ad-display
+||igg-games.com/wp-content/uploads/*/net.jpg
+||igg-games.com/wp-content/uploads/*/hh1.gif
+||cdn.o333o.com/vast-im.js
+investingnews.com##div[id^="inn_sidebar_"]
+||teenpornvideo.fun/vcrtlrvw/cjdoweph.js
+filecr.com##.ishtehar
+timesofindia.indiatimes.com##.nonAppView > .mPws3
+tvtropes.org##.square_fad
+tvtropes.org##.sb-fad-unit
+portal.uscellular.com##div[style="width: 100%; height: 250px; background-color: white;"]
+||av.ageverify.co/*.html
+bollywoodlife.com##.art_content > div[style*="border:"][style*="min-height:"][style*="width:"][style*="margin-bottom:"]
+fortune.com###__next > div[style^="min-height: 300px; position: sticky;"]
+teenpornvideo.fun##.fullave-pl
+teachoo.com###adInPostContent
+teachoo.com##.adsense-sidebar-ad
+||sexasia.net/wp-content/uploads/2022/03/subyshare.gif
+||rapidgator.net/images/pics/36_300%D1%85250_$third-party
+teamkong.tk##.widget-area > .widget:not(#block-22)
+tennistonic.com##div[id$="-add-block"]
+||uploady.io/sw.js
+||pervclips.com/tube/js/customscript.js
+pervclips.com##.spot-after
+||drtst.com/promo/banners/
+drtuber.desi##.item_spots
+||zbporn.*/ttt/
+zbporn.com,zbporn.tv##.view-right
+fandomwire.com##header > div[style^="min-height:"][style$="display: inline-block; text-align: center;"]
+pinkvilla.com###skinnerAdClosebtn
+pinkvilla.com##.skinnerAd
+eonline.com##div[class*="-ad-container"]
+flickr.com##.ad-rail-card-view
+flickr.com##.flickr-view-root-view > .feed-b
+fapello.com##iframe[src^="https://www.adxserve.com/"]
+vebma.com###btget center > a
+/ad_provider/*$domain=its.sex|jav4tv.com|oksex.tv|sexjav.org|sexjav.tv|xhentai.tv
+/nativeads_v2/*$domain=its.sex|jav4tv.com|oksex.tv|sexjav.org|sexjav.tv|xhentai.tv
+/pop_8/*$domain=its.sex|jav4tv.com|oksex.tv|sexjav.org|sexjav.tv|xhentai.tv
+windowsnoticias.com###special-sidebar-template
+1024terabox.com,1024tera.com,4funbox.com,terabox.*##.patch-ad
+1024terabox.com,1024tera.com,4funbox.com,terabox.*##.ad-patch-base
+1024terabox.com,1024tera.com,4funbox.com,terabox.*##.pause-patch-ad
+soccerstreams2.com##.content-area#primary ~ #right-sidebar
+cryptonews.com.au##.cna-bnr
+soccerstreams2.com##a[href^="https://onclickprediction.com/"]
+||plutonium.cointelegraph.com/?MID=*&setID=
+cointelegraph.com##div[class*="ad-slot_"]
+||bflix.to/AA/*.js
+||hurawatch.at/AA/*.js
+redtube.com###pornstars_list > ul#recommended_pornstars_block > li:not([data-pornstar-id])
+starfiles.co##a[href*="//api.starfiles.co/ad_clicked/"]
+winaero.com##.gad-gads
+xfree.com##.aside-banner
+||xfree.com/api/banner/
+gearnews.com##.fnetbr-pbb-container
+teenagesex.tv,pornyoungtube.tv,pornteentube.tv##.player-bns-block
+perfectgirls.xxx,pornhat.*,desipapa.tv,teenagesex.tv,pornyoungtube.tv,pornteentube.tv##.bns-bl
+xxxtube1.com##.video-block-right
+xxxtube1.com##.reklama-footer
+feetporno.com,freehardcore.com,cartoonporn.com###_iframe_content
+cartoonporn.com##.viewlist + div.aside
+clutchpoints.com##div[class*="cafemedia-clutchpoints-"]
+||cloudfunctions.net/api_skyhook/page/video/vmap/$domain=staige.tv
+||deepfakeporn.net/contents/rest/player/deepswap_japanese
+deepfakeporn.net##.primary > li.highlight ~ li
+supersport.com##div[id*="_DSTV_SSZ_Responsive_Supersport_"]
+supersport.com##div[id*="_DSTV_SSZ_Responsive_Supersport_"] + p
+||targetimg1.com/is/image/Target/RedCard_Secondary_Hero_Colin$domain=target.com
+target.com##div[data-test="redcard-banner-container"]
+tokyomotion.com##.videos > div.column:not([id])
+||pornxp.org/sp/$subdocument
+hqbang.com###list_videos_related_videos > center
+||hqbang.com/n/
+||hqbang.com/neverb/
+||americass.net/interstice-ad
+pornblade.com,pornfelix.com###wrapper_content > div.cf + aside[id]
+/exnb/froload.js?$domain=hd-easyporn.com|pornfelix.com|pornblade.com|xnxx-sexfilme.com
+||nsfwr34.com/ad_schedule/
+||payangel.com/resources/images/$third-party
+eurohoops.net##.site-header > .lead
+uploadrar.com###news_last
+lingohut.com##.al-board
+slickdeals.net##div[data-adlocation]
+bdprice.com.bd##.aps-sidebar > div.widget_text.aps-widget
+warbirdsnews.com##.widget_custom_html.mh-widget
+msn.com##.intra-article-ad-half
+zebranovel.com##div[class^="stpd_pandanovel_"]
+mangageko.com##div[style="color:#666; text-align:center; font-size:12px;"]
+mathsolver.microsoft.com##a[aria-label^="Advertisment."]
+pornpics.app##main > ul.pics:first-child > li
+thesportsrush.com###article-content-div > div:not([class]):not([style])
+forum.admiregirls.com##.structItemContainer-group > .samUnitWrapper
+cryptogems.info##img[alt="ad"]
+news.mn##div[data-banner-location]
+esologs.com,fflogs.com,swtorlogs.com,warcraftlogs.com##div[class*="-sticky-footer--"]
+warcraftlogs.com##.side-rail-ads
+peachurnet.com,scotsman.com,warcraftlogs.com###bottom-banner
+||assets.rpglogs.com/js/global/playwire.*.js$domain=warcraftlogs.com
+panda-novel.com##div[class^="ad300_"]
+panda-novel.com##div[class^="ad1200_"]
+camslib.com##a[href^="https://k.adddm.in/"]
+biqle.org##a[href^="https://theporndude.com/"]
+biqle.org##div[style="text-align: center;"]
+streamingsites.com##.IPdetectCard
+streamingsites.com##a[class^="styles_getVpn_"]
+streamingsites.com##div[class*="styles_layoutVpn__"]
+streamingsites.com##div[class^="styles_adverticementBlock_"]
+grammarcheck.me,updateland.com###block-2
+||updateland.com/wp-content/uploads/*/Amazon-Prime-Video
+osmanonline.co.uk##.stream-item-top > a[target="_blank"] > img
+tenforums.com##div[style="height:280px !important;"]
+itdmusics.com##.content > * > div[style="width:300px;height:250px"]
+grandprix247.com##.ad-inserter
+||sportcast.life/img/ali3.png
+buffsports.stream,sportcast.life###pr
+vipbox1.com###leftcolumnwrap
+vipbox1.com##div[id^="slot"]
+vipbox1.com##.menuTable td[colspan="4"][rowspan="3"]
+thumbnails.porncore.net##div[id][style$="height:200px;width:800px;"]
+nhentai.website##a[href^="https://1xbet.onelink.me"]
+thebestschools.org##sonic-qdf[url]
+meteomedia.com##div[data-testid^="div-gpt-ad-"]
+||api.steampp.net/api/Advertisement/
+castracoin.com##.cc_stickyad
+/dao/dao-fel.js$domain=elitenylon.com|fetishadviser.com|fetishburg.com|highheelsmania.com|hotnylonpics.com|maturesandnylon.com|nylondolls.com|nylonglamourlegs.com|pantyhoseminx.com|pantyhosepink.com|porntb.com|uniformcunts.com
+tvguide.com##.c-tvListingsSchedule_adRow
+||everythingrf.com/wsFEGlobal.asmx/GetWallpaper
+||everythingrf.com/wsFEGlobal.asmx/GetStaticImages
+everythingrf.com##div[id^="ucHeader_Panel"]
+realestate.com.au##div[class^="PostLayout__AsideWrapper-"] > div[class^="styles__Medrec"]
+realestate.com.au##div[class^="FooterAd"]
+proprofs.com###new-header-ad
+proprofs.com###new-sidebar-ads
+xda-developers.com##.w-pencil-banner
+getmodsapk.com##center[style="position:relative; width:100%; min-height:336px;"]
+thinkkers.com##div[class^="customad"]
+thinkkers.com##.mb-3[style="margin-left: -1rem;margin-right: -1rem;"]
+apkmodget.com##.adv_wrap
+topsporter.net##.global-blog-wrapper > .post-item > .post-item-wrap[style="max-height: 300px;min-height: 300px;"]
+reuters.com##div[class*="workspace-article-banner__banner-container__"]
+opencart.com##.promotion-banner
+9gag.com###main > div[style^="position: relative;"][style*="z-index:"][style*="min-height:"]
+slickdeals.net##.frontpageSlickdealsGrid__bannerAd
+igg-games.com,pcgamestorrents.com##.uk-margin-medium-top a[target="_blank"] > img
+game-2u.com##aside.widget a[href^="https://bit.ly/"]
+fulltime-predict.com##div[style^="overflow: hidden; min-width:"]
+fulltime-predict.com##div[class^="prediction_homeImgDiv"]
+banaraswap.in##.azbtn[href*=".click/?"]
+banaraswap.in##.inner-flex-box div > a[href*=".click/?"]
+banaraswap.in##.mediafire
+apkmody.com##.above-ad-unit
+apkmody.com##a[href*="ldplayer.net?n="][target="_blank"]
+citimuzik.com##.entry-content > div[style*="margin:"]
+sitelike.org###HeaderAdsenseCLSFix
+capetownetc.com###stb-overlay
+capetownetc.com##.stb-center-container
+/strip_ngn_2020_august$script,domain=porcore.com
+xnotx.com###sidebar > div.box:first-child
+xnotx.com###sidebar > noindex
+imperiodefamosas.com###photos > a[target="_blank"]:not([data-toggle], [href^="/"])
+agoda.com##div[id^="ads-ssr-"]
+laptopmedia.com##.items-center.h-64
+laptopmedia.com##div[class^="order-"] .h-64
+nanoreview.net##article > div[style^="margin-bottom:"] > div[style*="height:"]
+nanoreview.net##main > #float-sb
+pornmeka.com##.spot_wrapper
+||pornmeka.com/butbro/lolwutk.js
+pc-builds.com##.ez-banner
+||asianmilfhub.com/wp-content/uploads/ad/
+asianmilfhub.com##a[href^="https://acmejoy.com/"]
+||dailysabah.com/ajax/get-ads-ajax?
+analyticsindiamag.com##div[id^="elementor-popup-modal-"]
+mov18plus.cloud##div[style*="height:100%;width:100%"] > a[target="_blank"]
+koreaporn.net##.bb_desktop
+asianpinay.to##.happy-section-bg
+electroniclinic.com##a[rel="sponsored"] > img
+electroniclinic.com##.stream-item > .container-wrapper > a[href^="https://www.altium.com/"] > img
+allmath.com##div[style^="width:300px;height:250px;margin:"]
+allmath.com##.text-center[style*="width: 970px;max-width: 100%;"]
+allmath.com##.text-center[style^="max-width:300px;height:250px!important;margin:"]
+||filemoon.*/js/apoh2.js
+||imgbaron.com/pornindian.gif
+mydramalist.com##div[class="sticky"][style^="min-height"]
+||vedbex.com/tools/assets/images/img/*_*.gif
+vedbex.com###pasos
+a10.com##.wdg_page_thumbnail_grid--item-advertising
+ebooxa.com##div[data-item-id="spot"]
+gamessumo.com###MobileAdInGamePreroll
+playjolt.com,gamessumo.com,myfreegames.net##div[style^="min-width: 728px; height: 90px; margin: 0 auto;"]
+rock.porn##.banner-asd
+||rock.porn/ai/s/s/im.php?ss=
+prinxy.app##.sticky-footer
+||tech.hindustantimes.com/fetch-tech-products/taglist?$domain=livemint.com
+livemint.com##.paywall > div[style]
+livemint.com##.pos-rel > div[data-vid] + div[class*="story"].rightBlock
+||yad.com/forgame/gamesAD.json
+||yiv.com/forgame/gamesAD.json
+gameask.com##div[class^="ad"] > p
+gamemonetize.video###promo
+gamemonetize.video###displayAds
+yad.com,cargames.com,puzzlegame.com,ubestgames.com,mixfreegames.com###game_bottom_ad
+ubestgames.com,mixfreegames.com##.walk_video_leftad
+ubestgames.com,mixfreegames.com##.walk_video_rightad
+cargames.com,puzzlegame.com,ubestgames.com,mixfreegames.com##div[id$="AdDiv"]
+/ima3.js$script,redirect=google-ima3,domain=mixfreegames.com|gamemonetize.com|gamemonetize.video|gamemonetize.co|playjolt.com|gamessumo.com|ubestgames.com|myfreegames.net
+||playjolt.com/ima3.js$script,redirect=google-ima3
+||mixfreegames.com/ima3.js$script,redirect=google-ima3
+||gamessumo.com/ima3.js$script,redirect=google-ima3
+||ubestgames.com/ima3.js$script,redirect=google-ima3
+||gamemonetize.com/ima3.js$script,redirect=google-ima3
+||gamemonetize.com/api/ima3.js$script,redirect=google-ima3
+yoho.games##div[class^="ads-area-"]
+ufreegame.net###MobileAdInGamePreroll-Box
+fortnitetracker.com##.fne-home__news-ad
+yad.com,babygames.com,puzzlegame.com,cargames.com,puzzlegame.com,yiv.com,4j.com##div[id^="RightAd"]
+mixfreegames.com,gamescrush.com,ubestgames.com###ad-sticky
+tubexnxx.pro##.full-brkas-container
+pridesource.com###custom_html-71
+realpornclips.com##.embed-aside
+realpornclips.com##.main-aside
+||click^$script,third-party,domain=upshrink.com
+||area51.porn/sw.js
+||bitchesgirls.com/libs/adLoaders/
+bitchesgirls.com##.also
+bitchesgirls.com##.myblock
+bitchesgirls.com##div[title*="webcam"]
+bitchesgirls.com##.a-d-block
+bitchesgirls.com##.ADDED
+pornborne.com##.footerUrls
+pornfree.xxx##.main-aside
+pornfree.xxx##.clip-sidebar
+fucksporn.com###FloatingLayer
+fucksporn.com##a[href^="https://searchxt.com/"]
+teenpornjizz.com,fucksporn.com##.adv_banners
+xxxtophd.com##.video > div.video-column + aside.video-sidebar
+freesexpornhd.com##div[class$="-promo-col"]
+freesexpornhd.com###plban
+freesexpornhd.com##div[class^="page-conteiner"] > div[class^="content-title-"]
+freesexpornhd.com##div[class^="page-conteiner"] > div.e-block
+freesexpornhd.com##.camitems
+givemeaporn.com##.innerSources
+pornborne.com,givemeaporn.com##.JoinChannel
+||nuvid.*/player_right_$subdocument
+nuvid.com,nuvid.tv##div[style="height:477px; margin-bottom:15px;"]
+joe.co.uk##.article > .sticky-spacer-common
+tecnoandroid.net##div[itemprop="articleBody"] > div[style*="height:"].code-block
+coindesk.com##div[class^="high-impact-vertstyles__StyledWrapper-"]
+otomi-games.com##.otomi-widget
+||kaguraserver.com/wp-content/uploads/*-Ad-300-
+||kaguraserver.com/wp-content/uploads/*-Ad-728-
+jizzoncam.com,camwh.com,xgirls.webcam###kt_player > div[style*="position: absolute;"][style*="inset:"][style*="z-index:"]
+||teenpornvideo.sex/player/html.php?aid=*_html&video_id=*&*&referer
+summarizingtool.net##div[style^="height:300px"]
+summarizingtool.net##div[style^="height:100px;"]
+data-load.in##.p-body-pageContent > center > a[target="_blank"]
+engadget.com##div[data-wf-image-beacons]
+shinbhu.net##div[class^="publift-widget-"][style]
+||jasonsavard.com/images/promos/
+||ccp.digitaltrends.com/go/ccp/products/*/offers
+cnet.com##body .ad-slot
+doubledouble.top##.totally-not-an-ad
+vipleague.im##iframe[src^="//affelseaeinera.org"]
+||swarm.video/nsns.js
+24timezones.com##.ad-container-top-index
+ibtimes.com##.mgid-content
+techcyan.com##.fixedbtn
+kiktu.com,techcyan.com##div[id^="wggen"] a
+genius.com##div[class^="SidebarAd__"]
+baseball-reference.com##.adblock.stn
+modfyp.com,prothomalo.com##body .adsBox
+pokeminers.com###ad-card
+musicca.com##.ads-box_top
+science.org##body .adplaceholder
+crn.com###bottom-ribbon
+crn.com###imu1forarticles
+crn.com##.ad-imu-sticky
+||thesource.com/wp-content/uploads/*/GoogleMobileAppIcon.png
+||faster-trk.com/video?$xmlhttprequest,redirect=nooptext
+meracalculator.com##.result-sec ~ .col-sm-12
+meracalculator.com##.mt-md-3 >.col-12
+meracalculator.com##.col-sm-12 > div[style^="min-height:"]
+||timesnownews.com/dfpamzn.js
+timesnownews.com##._1ML8q
+arahdrive.com,fastupload.io,video.hizliresim.com##.vr-adv-unit
+||kisscartoon.*/api/pop*.php
+businessgreen.com##.notice-slot-full-below-header
+alternativeto.net##div[style^="min-height:114px;background-color:"]
+alternativeto.net##div[style^="min-height: 114px; background-color:"]
+work.ink##body > div[style*="width: 100%; height: 100%;"] > a[target="_blank"]
+lingvanex.com##div[id^="adsbygoogle"]
+4qrcode.com##div[style="min-height:334px"]
+4qrcode.com###adsMobile
+noodlemagazine.com##.menu > a[href^="https://theporndude.com/"]
+portableapps.com##.field-item > ins.adsbygoogle + script + h2
+portableapps.com##.field-item > ins.adsbygoogle + script + h2 + p
+12tomatoes.com##.sheknows-infuse-ad-callout
+apartmenttherapy.com##.StickyBanner__content
+gab.com##.sticky-inner-wrapper > div > a[href^="https://grow.gab.com/go/"]
+ifa.com.au###mmk-popup-screen
+worldofaviation.com,defenceconnect.com.au,australianaviation.com.au,cyberdaily.au,cybersecurityconnect.com.au,ifa.com.au##.b-topLeaderboard
+ifa.com.au##div[class^="b-gutterads__wrapper"]
+cyberdaily.au,ifa.com.au##div[id^="mm-azk"]
+mariskalrock.com##div[id^="simple_ads_manager"]
+mariskalrock.com##div[id^="wmd-anuncio"]
+||madnesslive.es/banners
+quintenews.com##div[id^="placement_"]
+quintenews.com##center > a[target="_blank"][href]
+cepro.com###sectionfooter-promo
+sfexaminer.com###block-2924520
+wegotthiscovered.com###sticky-top
+virtualdrumming.com,wegotthiscovered.com###sticky-bottom
+||akm-img-a-in.tosshub.com/sites/test/budget_2023/$domain=indiatoday.in
+indiatoday.in##iframe[src^="https://akm-img-a-in.tosshub.com/sites/test/budget_2023/"]
+news18.com##div[style="display:flex;justify-content:center;margin-bottom:20px;height:90px;background:#f1f1f1"]
+news18.com##.recomeded_story div[style="min-height: 100px;"]
+economictimes.indiatimes.com###budgetAd
+jeepgladiatorforum.com##.fa-share-alt
+||herald.wales/wp-content/*/Carmarthendental1
+saddind.co.uk##aside[aria-label="Side Sidebar"] a[rel="noopener noreferrer"][onclick^="javascript:window.open("] > img
+777score.com##.target-payload
+apkpure.*##.js-ad-slot
+serial021.com###block-11
+1337x.unblockit.ink,1337x.to##div[style="width:auto; text-align:center;"] > a
+.php*&sadbl=$domain=vipbox.*
+hotdeals.com##.ads-list-one
+hotdeals.com##.adsRightCenter
+streameast.to##.google-auto-placed
+sportnews.to,streameast.to##.adsbyvli
+solarmovie.cr##div[id="content-embed"][style*="/images/play_center.png) center"]
+go.bicolink.net##iframe[src*="/ads-bicolink"]
+go.bicolink.net##img[src*="/ads-bnr.jpg"]
+whatismyipaddress.com##.ip-detail div.call-to-action
+thegay.tube##.wtxmmmmdmdtta
+match3games.com##.playAdFree
+||penangpropertytalk.com/wp-content/uploads/*-bg.
+penangpropertytalk.com##div[id^="cliczone-advert-"]
+penangpropertytalk.com##div[id^="advads-"]
+ww2.putlocker.onl##div[class="wrapper"][style^="left:25%;"][style*="text-align:center;"]
+livesport24.net##a[href^="https://1xbet.onelink.me/"]
+techlusive.in##.ads-mobile-size
+||atube.xxx/static/nblock/
+atube.xxx##.sp-i
+sleazyneasy.com##.bottom-container
+||i.ibb.co/*/img*.gif$domain=otakufr.co|parisanime.com
+sofascore.com##div[display="none,none,block"]
+sofascore.com##div[display="none,block"] > div[elevation="2"]:empty
+10minutemail.com##.explanation > br ~ p
+10minutemail.com##.content > p[style]
+10minutemail.com###secondary_ads
+tempmail.plus##div[class^="admain"]
+tempmail.plus##.main-mob-top-horizont
+vpnmentor.com##.sidebar-best-deals
+vpnmentor.com##.vm-featured-vendor
+vpnmentor.com##p[style="text-align: center;"] > a[onclick^="clickedLinkExternal"]
+||via.placeholder.com^$domain=temp-email.pro
+tempail.net##a[href^="https://hop.clickbank.net/?affiliate="]
+comparitech.com##.ct-loophole
+coupert.com##div[ga-track="cp_ads/detail"]
+manhuasy.com,teenmanhua.com##.body-wrap > div.c-sidebar
+hbr.org##.stream-entry[js-target="stream-ad-container"]
+||91-cdn.com/images/amazon-microsite/m-banner-amazon-$domain=91mobiles.com
+planetf1.com,teamtalk.com##.ps-block-a
+playboard.co##.chart__row--ad
+dictionary.cambridge.org###ad_mpuslot
+||dictionary.cambridge.org/*/iaw-cdo.min.js
+||historyextra.com/static/advertising/
+$script,third-party,denyallow=bowercdn.net,domain=yourupload.com
+hdzog.tube##.pagination + div[class]:last-of-type
+hdzog.tube##.video-page__row > div:not([class*="video"])
+mysocceraustralia.com##div[style="text-align: -webkit-center;margin-bottom: 20px;min-height: 250px;"]
+xxxscenes.net###execphp-3
+cosxplay.com##div[class^="after-boxes"]
+cosxplay.com##div[class^="beside-video"]
+cosxplay.com##div[class^="native-boxes"]
+cosxplay.com##div[class^="related-boxes-footer"]
+cosxplay.com##div[class^="textovka"]
+ranobes.net##.free-support
+||sfstatic.net/build/js/chunk~propclick-js-main-js
+||coolcast2.com/z-$script
+xdcc.eu##.gb
+||techclips.net/jqueri.php
+wolfstream.tv,highstream.tv###customAnnouncement
+wolfstream.tv,highstream.tv##.video_ad_fadein
+filmyzilla.*##a[href*="//whairtoa.com/"]
+sonichits.com##div[style="max-width: 98%; width:500px; margin: 0 auto"]
+traderie.com##div[class^="AdSlot__"]
+pornmega.com##body .bottom-adv
+pornmega.com##.list-videos > center > a[href*="&utm_campaign="]
+coolors.co##.native-carbon + div[id]
+violinist.com###midcol > div[class^="mid"]
+||retailturkiye.com/wp-content/uploads/*/baoli-banner-
+violinist.com###rightcol > p[align="left"] > a[href]
+tattle.life##.mmt-sticky
+tattle.life##.visitorAdPost
+pcgamer.com##div[class^="van_vid_carousel"]
+||bigwank.tv/extension/aine/
+||nordcdn.com/nordvpn/media/$domain=unogs.com
+unogs.com##.nordvpnAd
+||sukkisukki.com/pu.js
+||cdn.concert.io/lib/concert-ads/
+phoneia.com##div[class*="r89-desktop"]
+phoneia.com##.successful-desktop
+phoneia.com###colophon > div[style^="height:295px;"]
+||himgs.com/js/comunes/ads/demandManagerAds.js
+||buffstream.fun/scripts/test7.js
+||cdn.streamgoto.lc/js/ppj.js
+||cdn.streamgoto.lc/js/clock1.js
+pussytorrents.org##body > [style^="position: fixed;"][style*="z-index: 999999"]
+||nzbstars.com/nb/froader.js
+minecraftskins.com##.antiblock-wrapper
+namemc.com##div[class*="col-md"] > div[style*="min-height:"]
+namemc.com##.small-gutters > div[class="col-12"]
+love4porn.com##.block-video > div.top
+4kporn.xxx,hoes.tube,crazyporn.xxx,love4porn.com##.sponsorbig
+techraptor.net##div[id][data-embed-button="embed_block"]
+revolve.com##.site-footer__promo-container
+limetorrents.lol##.torrentinfo > div > div[style^="float:"]
+9gag.com###jsid-ad-container-billboard
+pinloker.com,sekilastekno.com##.separator > a[\@click="scroll"][target="_blank"]
+ios-repo-updates.com##.adsbygoogleblock
+snopes.com##.outer-ad-unit-wrapper
+vikatan.com##div[stylename^="mgid-ad-container"]
+||veryfast.litimgs.com^$domain=literotica.com
+||speedy.literotica.com/ntk
+literotica.com##.SAAWidget__container
+literotica.com###BreadCrumbComponent
+literotica.com##.w_ex
+literotica.com##.be_eB
+literotica.com##a[href^="https://literot.com"]
+literotica.com##div[id^="footer_ad"]
+rayinfosports.com###content > div.wrap > aside.widget-area
+/js/popunder.js$domain=pornstash.in
+watchcartoononline.bz###info > div.BorderColorChangeElement
+||percussiverefrigeratorunderstandable.com^$script,redirect=noopjs
+pornogramxxx.com##.container > center > iframe[sandbox*="allow-popups"]
+pornogramxxx.com##div[style^="margin: 30px 0;"][style*="height: 250px;"]
+desiporn.tube##div[style="margin-top: 20px;"]
+||js.desiporn.tube/wovbrqqij/
+||js.desiporn.tube/*/baker
+viptube.icu##.promotion
+/pub?id=$third-party,script,domain=streamsb.net
+game3rb.com##.post-body > div[style] > a[target="_blank"] > button
+schaken-mods.com##center > div[class$="ipsPadding"][id]
+euronews.com##.c-leaderboard
+||hdmoviesflix.rent/*/includes/js/popups.js
+||blogger.googleusercontent.com/img/*/w320-h93/200.gif^$domain=hdmoviesflix.rent
+worldsoccertalk.com##div.article-body__sidebar > aside > section.sidebar-streaming
+steamcollector.com##.abg-card
+myvidster.com##td[align="center"][height="90"]
+sofascore.com##div[elevation=",3"][display="block,none,block"]
+bt.com##.productcardverticalcontainer
+worldsoccertalk.com##.article-body-wrapper > div.article-body__body > div.media-block
+wuxiaworld.com,frontpage.pch.com##div[id^="placement-"]
+batimes.com.ar##div[class^="ads-space"]
+||adtonos.com/attc-*.min.js
+worldsoccertalk.com##div[class^="article-banner-"]
+answers.com###sticky_footer
+answers.com##.space-y-4 > div[style^="min-height:"]
+answers.com##.paywall > div > div[style="min-height:90px;"]
+answers.com##div:not([class]):not([id]) > div[style="min-height:280px;"]
+animedao.to##body .ab
+animedao.to##body .ab + hr
+||wcostream.net/premiumad
+alt-codes.net###copyModal .modal-body
+||justswallows.net/js/script-*.js
+sextu.com##.thumbs__banner
+sextu.com##section[style="padding: 12px;"]
+/^https:\/\/www\.sextu\.com\/([a-z]{9,12})\/([a-z]{9,12})\.js$/$domain=sextu.com
+alphacoders.com##div[class*="ads-bottom-center"]
+hypnotube.com##.top-ban-row
+onlyporn.tube##.block-video > div.right
+hotleaks.tv,hotleak.vip,leakedzone.com,thotsbay.tv##div[class^="koukoku"]
+||go.goasrv.com^$removeheader=location
+fakings.com##.centrado[style="width:300px;"]
+cfake.com###over
+cfake.com###content_ban
+cfake.com###content_square
+adultdeepfakes.com##.inter
+||go.xlivrdr.com^$removeheader=location
+gamefaqs.gamespot.com###deals_emr.pod
+||gamefaqs.gamespot.com/a/js/amazon.*.js
+cineb.rs,sflix.to##div[id^="hgiks-"]
+svgrepo.com##div[id^="native-"][class^="style_native__"]
+pianistmagazine.com##.post-body > .row > .col-12 > .small
+gramophone.co.uk##.col-xl-4 p > a[target="_blank"] > img
+23isback.com##div[data-block-type="21"]
+apkdone.com,sporticos.com##div[style="height:250px;"]
+tvpclive.com##div[style^="position: fixed; display: block;"]
+softpedia.com###swipebox-action
+safelinking.net##div[class$="innerB"][style="margin-top: 20px;"]
+zlibrary.to##.fixed-ads-container
+||welovemanga.*/uploads/bannerv.gif
+stylecraze.com##div[id^="ubvideoad"]
+stylecraze.com##.flying-carpet-wrapper
+stylecraze.com##div[id^="adsolut"]
+seroundtable.com##.bottombox > div.squarebox > a[target="_blank"] > img
+||wcofun.net/premiumad.png
+wcofun.net##div[style="width:160px; height:600px"]
+moddroid.com##.text-center > div.swiper-pointer-events
+lightnovelpub.com##.sticky-container
+lightnovelpub.com##.mlkFcZfJ
+chedrives.com##ins[style="display:inline-block;width:336px;height:280px;"]
+chedrives.com,cryptowin.io##ins[style="display:inline-block;width:300px;height:250px;"]
+wunderground.com##ad-wx-top-300-small
+||xnxx.com/lvcsm/abck-banners/
+youramateurporn.com##div[class*="-aff"]
+amateurest.com##.under-player-text
+homepornking.com##.bbas
+homepornking.com##.bottomlc
+||s0.cdn3x.com/jb/js/jb.vast.min.js
+wdwnt.com##.wp-block-image a[href="https://vacationeer.com"]
+wfmz.com###tncms-region-front-featured-top
+hdzog.tube##.content > div:not([class]) > div.content-block ~ div[class]:not(.content-block)
+hdzog.tube##.video-page__left > div.video-page__player + div[class]
+xmilf.com##.content-block > div.see-more-wrapper + div.wrapper
+porntrex.com###index-link
+||spycock.com/coco/$script
+lesbian8.com,sortporn.com,bigtitslust.com##.mitaru
+freeporn8.com,amateur8.com,sortporn.com,bigtitslust.com##.calibro
+porngem.com##.video-right
+4pig.com###sponsorbanner
+vipergirls.to###posts > div[align="center"] > div > a[target="_blank"] > img
+bellesa.co##div[class*="PlayerX__Wrapper-"] div[class^="Display__RatioOuter-"]
+bellesa.co##div[display="grid"] > div[class^="Structure-sc-"] > div[class^="MediaQuery__Query-"] > div[class^="Structure-sc-"] > div[class^="Display__RatioOuter-"]
+pornfap.tv##.video-sidebar_column
+opynew.com,upfilesurls.com,imginn.com,forex-gold.net,mobi2c.com##div[data-ad]
+||macperformanceguide.com/_ads/
+macperformanceguide.com##div[class^="placement"]
+||syndication.exdynsrv.com/splash.php?$removeparam
+||iili.io^$domain=adzz.in|proappapk.com
+gyanitheme.com,yotrickslog.tech,meclipstudy.in,adzz.in###adtera
+hanime.tv##.subtext + div.event-container
+bundle.app##.upMasthead
+||torrents-proxy.com/wp-content/uploads/
+elevenforum.com##div[style="width:300px;padding-bottom:10px;text-align:center;height:600px;margin-bottom:15px;"]
+||timestech.in/wp-content/uploads/pum^
+xnxx.fit###fluid-onpause_spot
+teenpornvideo.fun,asiantv.fun,asianporn.life##.spotholder
+||youpornzz.com/*.gif
+citynews.ca###master-leaderboard
+citynews.ca##body div.inter-module-ad
+privacysavvy.com###ps-popup
+||xxxshake.com/*pop/|$script,~third-party
+xxxshake.com##.fluid-b > div.fluid-b-title
+/sum.js$domain=freeporn8.com|sortporn.com|lesbian8.com|amateur8.com|bigtitslust.com|maturetubehere.com|shemalesin.com|3movs.com
+autoscout24.com##.detailpage-content-banner
+||home-made-videos.com/nameless-cake
+home-made-videos.com###toptrade1
+home-made-videos.com##.topthumbcontainer
+||p0.drtst.com/promo/banners
+lovejav.net##div[class^="sextb_"]
+lovejav.net##body > div.container > div[style^="text-align:center;min-height:100px;"]
+chatib.us##.login-container > div[class^="col-"] > center > div.mrg-b-25
+a-z-animals.com##.adthrive-video-player
+||static.thenude.com/media/sites/18EIGHTEEN/banner
+facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##div[role="progressbar"] ~ div[class] div div[data-instancekey] > div[data-visualcompletion="ignore"] a[aria-label][href*="l.php?u="][target="_blank"]
+pornstar-scenes.com##a[aria-label="Join Site"]
+pornstar-scenes.com##a[href^="/join/"]
+pornstar-scenes.com##div[style="border-color:#ffffff;"]
+nubilex.net##a[href^="https://www.nubilex.net/go/"]
+nubilex.net###text-31
+nubilex.net###text-29
+||uploadgig.com/static_/$domain=3xpla.net|3xplanet.net
+guitaretab.com##.gtd-ad
+chordu.com##.chordu_trk_title
+chordu.com##div[class^="chordu_cont_"]
+chordu.com##div[class^="chordu_"][class*="_ad"]
+chordu.com##.ad_sidebar_top
+chordu.com##.chordu_srch_title
+thewindowsclub.com###text-422067558
+thewindowsclub.com###text-422067553
+alternativeto.net##.undefined[style^="min-height:114px;"]
+gulte.com##.h250[id^="gulte-text-html-widget-"]
+gulte.com###awt_popup_landing
+onlineocr.net##div[class^="col-xl-"] > .row[style="text-align:center"]
+onlineocr.net##div[class^="col-xl-"] > .row[style="padding-bottom:5px;"]
+olympics.com##div[class^="indexstyles__AdWrapper-sc-"]
+my18pussy.com##.advert-adv
+asiantv.fun,my18pussy.com##.aside-spots
+||my18pussy.com/ab/
+18pussy.porn###player_spot
+||18pussy.porn/ab/
+||milf-porn.xxx/ab/
+pornv.xxx##.special-images
+pornv.xxx##.v__s
+hot-milf.co,milffuck.fun,hotmilfporn.site###video-id_fluid_html_on_pause
+||porngrey.com/js/KVShare.js
+vgkami.com##.vg_nordvpn
+wsj.com###AD_WTRN_container
+||hentai.video/video.jpg
+tampermonkey.net##td[style^="vertical"].werl
+tampermonkey.net##.advent_head
+||stomp.straitstimes.com/sites/*/js/betterads.min.js
+||stomp.straitstimes.com/sites/*/js/adscript.min.js
+cricxtasy.com##.showdefaultbody > div[style^="overflow:hidden; padding-top:"][style*="width:100%"]
+||cricxtasy.com/static/*/images/Blog-Banner
+cgdirector.com##.fixed_ad_container
+cgpress.org###textextra-13
+cgpress.org###textextra-15
+cgpress.org##.header-container > div[style*="width:"][style*="height:"]
+porndoe.com##div[class*="-h-banner"]
+porn300.com##.wrapper > ul[class$="video-units"]
+myteenwebcam.com###chatwindow
+zazzybabes.com##.banner2
+porcore.com###topcontainer + div[style*="margin-bottom:16px;"]
+||fgn.cdn.serverable.com^$image,domain=porcore.com
+englishclub.com##div[style^="min-height: 280px;"]
+eatwell101.com##.adsenseright
+united.com##div[class^="app-components-HomeTop-homeTop__adPlacement"]
+united.com##aside[class^="app-components-MyUnited-Landing-styles__chaseAd"]
+nopixeljaps.com,preggoporn.tv,tinydicktube.com##.video-list-ads
+nopixeljaps.com,preggoporn.tv,tinydicktube.com##.hidePauseAdZone
+amazfitwatchfaces.com##.advp
+amazfitwatchfaces.com##.advpanel
+hentaidude.com##.bntext
+metart.com##div[class^="sc-"][class$="active"][style="text-align: center;"]
+||public.cdnvault.com/creatives/
+pornxs.com##div[id^="div_theAd"]
+pornstream.org##.player > div.right
+justswallows.net##a[title="For video ad companies"]
+crazyporn.xxx##.list-videos > div > div[class="item"]:empty
+pornburst.xxx##div[class$="-iframe mb-20 text-center"]
+pornburst.xxx,serviporno.com##.ntv-disclaimer
+porn300.net,tokyvideo.com,pornburst.xxx,serviporno.com###overlay-video
+cuteasiangirl.net,matureclub.com##.videos-adv
+shemale.movie,matureclub.com##.player__banner
+cuteasiangirl.net,matureclub.com##.video-item--adv
+||sleazyneasy.com/contents/images-container/*.gif
+||sexy-egirls.com/vast/
+||sexy-egirls.com/vast/*.xml$xmlhttprequest,redirect=nooptext
+||sexy-egirls.com/sexy-egirls.com.mp4
+petkeen.com##.sidebar__placement
+chapmanganato.com##.body-site > div.container-chapter-reader > div[style^="text-align: center; max-width:"]
+web.telegram.org##.SponsoredMessage
+namethatporn.com##.a_bhs_w
+tunelf.com##.jw-special-entrance
+cointelegraph.com##.xgo-banner
+cointelegraph.com##.stretch-promo-banner
+cleverbot.com###adspons
+||geo.dailymotion.com/libs/player/$domain=variety.com
+time.news##section[data-id="1281c08c"]
+bravoteens.com##h2[style="padding-left: 1%; float: left;"]
+bravoteens.com##span[id^="BTEm"]
+bravoteens.com,bravoporn.com##.brazzers
+||asianleak.com/player/html.php?aid=*_html&video_id=*&*&referer
+apklinker.com###gadvheader
+wsj.com###dianomi-module
+kemono.party##div.content-wrapper + div > div.root--ujvuu[style^="width"]
+opencritic.com##app-home-carousel-v3[title="GOG Winter Sale"]
+cdkeyit.it,allkeyshop.com##body > a[class^="blc-"]
+investing.com##div[data-test="ad-slot-visible"]
+myrateplan.com##.view-id-top_banner_ad
+iplogger.org##.commercial-wide
+boardgamegeek.com##gg-leaderboard-ad
+boardgamegeek.com###dfp-leaderboard-lg
+campornosex.com##.fool
+campornosex.com##.carve
+campornosex.com##.sister
+campornosex.com##.beginning
+fakazavibes.com,zamusic.org,javhdo.net,movies.meetdownload.com,tomato.to,pornhd6k.net,123movies.la##a[href^="https://bit.ly/"]
+earnhub.net##center ins
+spankbang.party,spankbang.com##.lv_cm_int_come_on
+hdhub4u.*##button[onclick^="btnaction"][data-url]
+hubcloud.work##h2 > a#bgsora
+wankoz.com,vikiporn.com##.native-holder
+justthegays.com##.wpb_raw_code
+justthegays.com###site-content div[style^="padding-bottom:"]
+justthegays.com##.mol-video-ad-container
+||upstream.to/js/ahed.js
+vidmoly.to###voc_block
+vidmoly.to###dos_vlock
+||cdn.staticmoly.me/vlock.php?
+||cdn.staticmoly.me/block.php?
+hentaicloud.com##.vertical-ads-content
+||lilymanga.com/wp-content/uploads/ad-inserter/
+copro.pw###text-31
+||copro.pw/wp-content/*/bg
+canberratimes.com.au##div[id^="origami-"]
+canberratimes.com.au##div[class^="w-full"] > div[class^="my-4"] > div[class^="my-6"] > div[data-testid="classifieds-vertical-wrap"]
+fantasyfootballscout.co.uk##div[style*="min-height: 250px;"][style*="text-align:center;"]
+fantasyfootballscout.co.uk##div[class$="-call"]
+paradisehill.cc##.shapka
+paradisehill.cc##.banners3
+paradisehill.cc##.banner-universal
+||paradisehill.cc/nb/backeer.php?
+kbjrecord.com##div[style^="position:fixed;inset:0px"]
+kbjfree.com##iframe[src^="//slave.kbjfree.com/"]
+||porndoe.com/movie/preroll$xmlhttprequest,redirect=nooptext
+paraphraser.io##div[style="position:sticky;top:10px;margin-top: 10px;"]
+top.gg###rewarded-video
+top.gg##div[class^="css-feed"] > div.chakra-stack
+hellmoms.com##.block-videos + h3[style="text-align: center;"]
+||content.sinpartycdn.com/videos-ads/*.mp4$media,redirect=noopmp3-0.1s
+actualidadiphone.com###breadcrumbs + aside[id]
+analdin.xxx##.banner-top
+analdin.xxx##iframe[src*="lovelybingo.com/"]
+1l1l.to###adholder
+papahd.club##.entry button[onclick*="document.location"]:not([onclick*="http://papahd.club/"])
+lyrics-letra.com##div[class^="pub"]
+urbharat.xyz,djxmaza.in##.box-main > div.box:first-child
+djxmaza.in##.box-main > div.box + div.box > *:not(center):not(script)
+vanityfair.com##div[class^="StickyHeroAdWrapper"]
+mydaddy.cc###ovrl_ad
+hqporner.com##.uvb_wrapper
+tubewolf.com##[id^="TA"][id*="-Native-"]
+hentaiworld.tv##.buton-main-link
+hentaiworld.tv##.card-container:not([href^="https://hentaiworld.tv"])
+ripple-stream.com###block-12
+||ai-widget.s3.amazonaws.com/fl-ai-widget-sportsguild.js
+||sefemedical.com/images/down.png
+||javopen.co/wp-content/uploads/2020/05/brave.png
+sexlist.tv##iframe[src^="/myvids/"]
+sexlist.tv##iframe[src^="https://www.sexlist.tv/player/html.php"]
+kink.com##.kink-az-container
+search.brave.com##div[data-advertiser-id]
+miltonkeynes.co.uk##div[id^="borg-"]
+miltonkeynes.co.uk###sticky-second-sidebar-item-height
+miltonkeynes.co.uk###sticky-article-height
+prabhatkhabar.com##._24SDO
+papahd1.xyz##.entry > p > button[onclick*="https://uvbyty.com/"]
+analyticsindiamag.com##div[data-elementor-type="header"] > section.elementor-section
+pornone.com##.vjs-info-top
+timesnownews.com##div[class$="AdContainer"]
+timesnownews.com##div[id^="progressBarContainer_"] > div[style^="min-height:"]
+||media.dscgirls.live/promo/
+||flyingsquirellsmooch.com^*.xml$xmlhttprequest,redirect-rule=nooptext,domain=fsiblog2.com
+cutout.pro##.appRecommend
+perverttube.com##.fp-ui > div > a[target="_blank"]
+||ratedgross.com/player/html.php?aid=*_html&video_id=*&*&referer
+||official.cam/*/?track=*&*&campaign=$domain=ratedgross.com
+namethatporn.com##.dt.a_bbf_w
+namethatporn.com##div[data-flba^="https://landing.brazzersnetwork.com/"]
+hellporno.com##a.btn-more + p.rel-tit
+hellporno.com###XBm-Native-Bottom-3-row + p.rel-tit
+||allsportsflix.xyz^$popup
+nflstreams.me##div[style*="z-index: 2147483647; top: "]
+nflstreams.me##div[class*="position-absolute"][id]
+tvtv.ca,tvtv.us##.MuiDialog-paperScrollPaper > div.MuiDialogContent-root + div.MuiBox-root
+tvtv.ca,tvtv.us##.MuiBox-root > div.MuiPaper-root.MuiPaper-elevation.mui-fixed:not([id])
+tvtv.ca,tvtv.us###app > div.MuiBox-root + div.MuiPaper-root.MuiPaper-elevation
+tvtv.ca,tvtv.us###app > div.MuiBox-root + div.MuiBox-root > div.MuiPaper-root.MuiPaper-elevation
+orbispatches.com##div[class="small text-muted text-center"]
+kbjfree.com##.video-card[target="_blank"]
+bangla.bdnews24.com##.scorecard
+ap7am.com,bangla.bdnews24.com##.first-ad
+bangla.bdnews24.com##.second-ad
+ndtv.com##div[id^="adslot"]
+/index.js^$domain=daft.*|dsex.*
+||mercury.akamaized.net/v/*.mp4$domain=jiocinema.com
+hindustantimes.com###section_news
+american.footballroma.com##body div[class^="banner"]
+gaypornlove.net##.herald-da-above-single
+watchjavonline.com###secondary a[target="_blank"] > img
+/js/jquery_size.js$domain=streamsb.net
+msn.com##msft-article-card:not([class])
+asmhentai.com##.atop
+herexxx.com###video-interlacing
+trend.az##.adv-wrapper-horizontal
+greekreporter.com##.td-all-devices > a[href][target="_blank"] > img
+livescore.com##div[id$="-ad-holder"]
+scmp.com##.page__header-ad-slot
+theporndude.com##.wrapper::before
+||maturesex.fun/vcrtlrvw/fjhreiow.php
+||cdn.allsportsflix.xyz^$script
+edition.cnn.com##.ad-feedback-link-container
+porntop.com,onlyporn.tube,pornhits.com###inv_pause
+porntop.com,onlyporn.tube,pornhits.com##.jwplayer .btn-close
+merriam-webster.com##body .abl
+hentaiworld.tv##a[href^="https://hotplay-games.life/"]
+||heavyfetish.com/contents/oyeetirbhzpn/player/Vicetemple_PornX.mp4
+heavyfetish.com##.hf-header-banner
+4kporn.xxx###top
+4kporn.xxx###bannerbelow
+mylust.com###fluid_video_wrapper_main_video > div#main_video_fluid_html_on_pause
+editpad.org##.inlinADs
+editpad.org##.top_ad_box
+editpad.org##.labels__ads
+editpad.org##label[style="font-size: 12px;text-transform: uppercase;"]
+mixdrp.*##body > div[style^="position: absolute;"][style*="width: 100%; height: 100%; z-index:"]
+hdzog.com##.video-page__player + div[class]
+hdzog.com##.video-page__left + div[class]
+||loader.to/images/loader/convertr.png
+indianexpress.com##.gamingcubeiframe
+css-tricks.com##.article-sponsor
+livemint.com##div[id$="NotAdFree"]
+xbabe.com##.nat-bottom
+hellmoms.com,zedporn.com,crocotube.com,xcum.com,hellporno.net,alphaporno.com##.bnnrs-player
+hellmoms.com,xbabe.com,xcum.com,hellporno.com##iframe[src^="/_a_xb/"]
+hellmoms.com,xbabe.com,xcum.com##span[id^="XBm-Native-Bottom-"]
+crocotube.com,zedporn.com##span[id^="TAm-Native-Bottom-"]
+hellmoms.com,zedporn.com,hellporno.net,faapy.com##.block-banner
+porngo.com,veryfreeporn.com,videojav.com,pornpapa.com##.adv-list
+porngo.com,veryfreeporn.com,xxxfiles.com##.header_spot
+upornia.com##.content-wrapper > div:not([class]):not([id]):not([style])
+sportsgambler.com##div[class^="herobox"]
+sportsgambler.com##.widget > a[href^="/r/"]
+sportsgambler.com###stickysidebar::before
+pornlist.tv##iframe[src="/myvids/showx.php"]
+||static.c4assets.com/all4-ad-code/latest/adverts.js
+charlieintel.com###desktopleader
+okmagazine.com##div[data-field="ad"]
+okmagazine.com##div[style="font-size:x-small;text-align:center"]
+music.apple.com##.upsell-banner
+editingcorp.com##.default-sidebar > section[id^="block-"]
+7starhd.*##div[style^="clear:both;float:left;width:100%;"] > a[target="_blank"] > img
+||shrinkme.io/banners/ref/$third-party
+techymedies.com##.adxfire-ad
+||o2videos.com/images/adbanner.jpg
+||ddownr.com/assets/images/convertr.png
+pornlist.tv,gay4porn.com,pornbimbo.com,uiporn.com,uiporn.com##iframe[src*="/player/html.php?aid="][src*="&referer="]
+xxxporn.me##.resizable.mult
+xxxporn.me##iframe[src^="/myvids/rek/"]
+portmiamiwebcam.com##.info-left
+portmiamiwebcam.com##.info-right
+portmiamiwebcam.com##div[class^="horiz-banner-"]
+affpaying.com##img[alt="Algo Affiliates"]
+affpaying.com###sidebar a[href^="http://trckgdmg.com/"]
+dopebox.to,bflix.gg,f2movies.to###hgiks-top
+videosection.com##.invideo-native-adv
+videosection.com##.shadow .player__video-wrapper::before
+cdromance.com##.cls
+||jav.land/ad/
+jav.land,picyield.com###clck_ntv
+anycodes.com##.sls_pop
+minecraftforum.net###nav-free-minecraft-server-hosting
+nottinghampost.com,birminghammail.co.uk,football.london##.topbox-cls-placeholder
+siasat.com###text-html-widget-188
+daftsex.net##.videos > div:not([id])
+sexodi.com###video_reklamy
+sexodi.com###background-cloud
+mypornhere.com##.container > div[align="center"][style^="clear:both;"]
+duhoctrungquoc.vn##div[style="width:100%; height: 90px !important;text-align: center;;padding:10px 0; "]
+its.porn##.desk-banners
+its.porn##.rmp-container
+||its.porn/ai/s/*/im.
+||its.porn/ai/s/s/js/m/push.js
+marktechpost.com##.widget_block a[href^="https://pxl.to/"]
+go.shareus.in##.download-play-buttons
+nmac.to##a[href^="https://veepn.g2afse.com/"]
+streamlivenow.me##center > [style^="background:white;"][style*="max-width:"]
+streamlivenow.me##.player-tip
+pornrewind.com##.thumbs-list > div[class="th "][data-item-id] ~ div[class="th "]:not([data-item-id])
+readmng.com##.desk
+readmng.com##.sideways
+readmng.com##.xxxkapsar
+xozilla.com##div[style="height: 220px !important; overflow: hidden;"]
+123ecast.me,gocast123.me###floaterabc
+theblock.co##div[ga-event-category="Advertisement"]
+javur.com###a728x90top
+||h-flash.com/data/image/mcs/chat
+||i.gyazo.com^$domain=oii.io|insurancexblog.blogspot.com
+||fapnow.xxx/bump/
+fapnow.xxx##.xpot-horizontal
+fapnow.xxx##.content center
+fapnow.xxx##div[style="width: 900px; height: 250px; margin: 0 auto;"]
+||dl.dropboxusercontent.com/s/*/progress-bar-scroll-ads.js
+time.com##.ad-tech-placeholder
+time.com##.ad-tech-skybox-container
+collectiveray.com##div[data-id="3"]
+matureporn.com##.b-spot-section
+slideshare.net##.inbetween-overlay
+snipboard.io##.non-pro > .main-page-parent > div > .ad-container + .call-to-action
+linuxtuto.com,thepcenthusiast.com,boundingintocomics.com,pridesource.com,thehouseofportable.com###custom_html-13
+thehouseofportable.com##a[href^="https://billing.purevpn.com/aff.php?"]
+porno247.net###spot-player
+porno247.net##.top-spot
+porno247.net##.vertbars
+||seseporn.com/photo/*.gif
+freeporn247.org##.text-adv
+postimees.ee##.aside--ad
+insuranceinfos.in,skincarie.com###gpt-passback-Sticky
+||spankbang.com/official/serve_
+spankbang.com##.video-list-with-ads > div.video-item[data-id="0"]
+googlesyndication.com##.GoogleActiveViewElement > div:not(#reward_close_button_widget)
+googlesyndication.com###abgb
+prothomalo.com##img[width="300"][height="80"]
+tomsguide.com##div[data-offer="deal_of_the_week"]
+astro.com##.goad
+astro.com##.goadtop
+astro.com##.astroadv
+astro.com##.rightadcont
+||adshrink.it/adshytics.js
+titantv.com##td[style="vertical-align:top; position:relative; min-width:160px;"]
+greekreporter.com##.td-is-sticky p > a[target="_blank"] > img
+apotelyt.com##div[id^="sdbrUnitAbs"]
+myiptvforum.com##.notices + div[style="text-align:center;"]
+investing.com##div[advertisementtext]
+fapality.com##.fluid_next_video_left
+geeksforgeeks.org##div[style^="position:absolute;top:1px;left:1px;font-family:Verdana,Geneva"]
+vikiporn.com,wankoz.com,fetishshrine.com###rel-player + div.items-holder
+wcostream.net##img[src^="premiumad"][src$=".png"]
+amazon.de,amazon.com,amazon.co.uk,amazon.fr,amazon.in,amazon.it,amazon.es##div[class*="widget=loom-"][class*="FEATURED"]
+amazon.de,amazon.com,amazon.co.uk,amazon.fr,amazon.in,amazon.it,amazon.es##.a-carousel-card:empty
+uploady.io,uploadydl.com##iframe[class^="iframe_id"]
+kompass.com##.colPub
+kompass.com##.megaBanner
+kompass.com##.containerWhite-adsense
+80.lv###Big_Image_Banner
+80.lv##a[id^="Image_Banner_Mid"]
+80.lv##.BrandingPromo_skeleton
+makezine.com##div[class*="ad-make_mpu_"]
+thisisanfield.com##.code-block[class*="ai-viewport-"]
+thisisanfield.com##.elementor-widget-wp-widget-ai_widget .code-block > div[style]
+thisisanfield.com##.elementor-widget-wp-widget-ai_widget .code-block center > div[style]:not(.newsnow)
+||javhd.com/*/300x250.html?
+||porndoe.com/sitePreRoll/
+||porndoe.com/sitePreRoll/$xmlhttprequest,redirect=nooptext
+||porndoe.com/movie/preroll/$media
+voonze.com##.tdi_97
+pagesix.com##.widget_nypost_dfp_ad_widget
+flixhd.cc###vpn-top
+fsharetv.io##.columns > div[class="column col-12"]:not([class*="mb-2"])
+||javseen.tv/fire2/popup*.js
+chedrives.com,adgully.com,colliderporn.com,livesportstream.club##div[class^="banner"]
+||amazonaws.com^$xmlhttprequest,redirect=nooptext,domain=crackle.com
+javhdo.net###popupContact
+javhdo.net###backgroundPopupp
+javhdo.net###wrapper-footer > center > div[style="text-align: center;"]
+/\.com\/\d+/[0-9a-z]+\.js$/$script,~third-party,domain=hentai2w.com
+||hentai2w.com/templates/default/js/ab.functions.js
+||hentai2w.com/templates/default/js/arf-app-
+hentai2w.com##.ark-noAB
+||mercurial.cointelegraph.com^$xmlhttprequest
+prepostseo.com##.pps-spr-lumba-daba
+prepostseo.com##.text-center > span[style="font-size:12px;display: block;"]
+yourcountdown.to##.adsense-fallback
+rateyourmusic.com###page_genre_index_section_ad_desktop_video_floating
+||tirexo.blue/main.js?
+thesenior.com.au##div[id^="newswell-"]
+thesenior.com.au###main-side-container
+thesenior.com.au##div[id^="story-side-"]
+thesenior.com.au###story-body div[id^="story"][id$="-container"]
+javcrave.com##.player-side-ad
+whosampled.com##.front-ad
+moviehdkh.com###adsss
+moviehdkh.com##a[href*="&utm_campaign="][target="_blank"] > img
+||moviehdkh.com/assets/small-quangcao-*.gif
+||hentai.guru/wp-content/plugins/script-manager/iframe-proxy.php
+hentaihaven.vip,hentai.guru##.script_manager_video_master
+komikhentai.eu.org##div[style^="position:fixed;"][style*="cursor:pointer"]
+crictracker.com##div[class^="style_popupAd_"]
+crictracker.com##div[id^="div-ad-gpt-"]
+crictracker.com##div[class^="d-none"][style^="min-height"][style*="90px"]
+usanewstoday.club,crictracker.com###stickyunit
+modded-1.com##div[style="color: #909090; text-align: center;"]
+outlookindia.com##div[class="slide-container"][style="margin-top:5px;"]
+||edgecast-vod.yimg.com/gemini/pr/video_$media,redirect=noopmp4-1s,domain=yahoo.com
+s.yimg.com##.cta-wrapper
+indianexpress.com##.h-text-widget
+dilbert.com##.shelf-space-container
+||audiosexstories.net/wp-content/uploads/sam-pro-images
+hog.mobi,sexu.com,hog.tv##.content__body > .content__top > div > h3.content__title.title--sm
+business-standard.com##div[class^="adv-height-"]
+investorshub.advfn.com##.page-container > div.container-fluid > div#posts.row
+||infinitehentai.com/uploads/banners/
+||watchporn.to/banners.php
+tv.puresoul.live###block-16
+tv.puresoul.live##a[href="https://redi1.soccerstreams.net"]
+tv.puresoul.live##a[href="https://nbabite.app/"]
+ancient-origins.net##.sidebar a[href="https://www.ancientdnaorigins.com/"]
+pics4upload.com,imgsen.com##a[href="https://besthotgayporn.com/"] > img
+||imgbaron.com/banner2.gif
+javmovs.com##a[href^="https://poisonencouragement.com/"]
+livesportstream.club,footballroma.com,architonic.com###header-top
+livesportstream.club,footballroma.com###bottom-top
+livesportstream.club,footballroma.com##.container31
+livesportstream.club,footballroma.com##.container42
+||javbabe.net/x1x/
+/full_combined*.js$domain=pornkai.com|tubesafari.com|fuqqt.com
+porn-plus.com##div[class^="power"]
+xnxx.com,xvideos.com###ad-footer
+sportfacts.net##.clpr-emre1
+sportfacts.net##.footy-player-wrapper .footy-related-posts
+papahd1.xyz##.entry > pre
+papahd.club,papahd1.xyz##button[onclick*="bitbillionaire.live"]
+viu.com##.float-left > div#div-ad-homepage
+viu.com###infoline-wrap
+viu.com###premium-bar-wrapper
+viu.com##.video-cmd
+leo.org###taboola-mid-article-thumbnails
+leo.org###topBranding > div.ta-r
+ebookhunter.net,silverspoon.site###vi-sticky-ad
+tinyurl.is##div[style="border-radius: 20px;padding: 25px;font-weight: bold;background-color: #452d38;color: #ffffff;"]
+freepik.com##.section-spr
+event.kingstream.live,play.kingstream.live,en.ripplestream4u.online,watch.soccerloverss.live##.featured-post.section
+ezyzip.com##div[style="margin-bottom:5px;float:right;width:300px;height:600px;background:#20364c"]
+scoopwhoop.com##.google-ads-outer
+voyeurhit.tube,voyeurhit.com##div.video-page__content > div.left + div[class]
+voyeurhit.tube,voyeurhit.com##.video-page__underplayer > div:not([class^="underplayer"])
+voyeurhit.tube,voyeurhit.com##.video-page > div.video-related + div[class]
+adultepic.com##div[style*="height: 250px;"]
+miamiherald.com##.zone-el[stnplayerkill]
+heraldonline.com,charlotteobserver.com###story-cta-widget
+heraldonline.com,charlotteobserver.com##div[style="--height:250px;"]
+miamiherald.com,heraldonline.com,charlotteobserver.com##.htlad-web-fixed-bottom
+heraldonline.com,charlotteobserver.com##.zone-el
+watchjavonline.com##body > div[style^="position: absolute;"][style*="z-index"]
+||sciencefocus.com/pricecomparison/widget/
+sciencefocus.com##.promotion-cards
+musinfo.net###rtm-top
+||hdthevid.online/mavennofile.js
+watchdoctorwhoonline.com##div[class^="sidebar"] > aside[id^="custom_html-"]
+hentaiworld.tv##div[style="max-width:728px; margin: 0 auto"]
+hentaiworld.tv##a[href^="https://landing."]
+hentaiworld.tv##.entry-content > div.section-slider + p > br
+onlinesequencer.net###footer_ad_wrapper
+online-archive-extractor.com,rhymes-with.com,adjectives-for.com,find-words.com,word-count-tool.com,ocr-free.com,read-text.com,other-languages.com,how-to-say.com,online-screen-recorder.com,webcam-test.com,record-video-online.com,speaker-test.com,send-voice.com,share-my-location.com,online-mic-test.com##div[style^="min-height:280px;"]
+fotokiz.com##a[target] > img
+xconvert.com##.m-container
+britannica.com##.abl
+wordreference.com##body #ad1
+cdkm.com##.main-panel > .top-content
+food-here.com,my-current-location.com,online-pdf-tools.com,voice-recorder.io,convertman.com,translated-into.com##div[style="min-height:280px;margin-top:15px;margin-bottom:10px"]
+food-here.com,my-current-location.com,online-pdf-tools.com,voice-recorder.io,convertman.com,translated-into.com##div[style="margin: auto; min-height: 280px; text-align: center;"]
+readm.org##center[style="margin-top:25px; margin-bottom:25px; width:100%; height: 100px;"]
+modthesims.info##.browse-content > div[style="padding: 0.5em;"]:not([class])
+expat.com##.pub-970
+expat.com##.ad-inside-list
+chapmanganato.com##div[style^="width: 100%;overflow: hidden;"]
+digitalmarktrend.com,tophostingapp.com,webhostingpost.com##iframe#iframe_id
+||ipleak.org/bannerbest*.$image
+||smailpro.com/js/chunks/aff_a.js
+||mm9844.xyz/js/adultmb.js
+kinemaster.cc###ad-top > h4
+kinemaster.cc##div[style="text-align: center"] > span[style="font-size: x-small;"]
+fucking-tube.com##.video-block-happy
+mdhstream.cc,fucking-tube.com##.happy-section
+||hotlinkie.com^*index.php$third-party
+freepreset.net##.theiaStickySidebar > div > div.widget_custom_html
+lightsnovel.com,pandasnovel.com,panda-novel.com##div[class^="novel-ins"]
+kiktu.com,techcyan.com##.elementor-button-link
+analyticsindiamag.com,kiktu.com,techcyan.com##.elementor-widget-container > a[target="_blank"] > img
+sabishare.com##.cmp-roll
+||short.freeltc.top/news.html
+||short.freeltc.top/info.html
+fastpeoplesearch.com##.ad-widget-container
+jasonsavard.com###middle > div[id^="page"] > a[href*="ref=ad"] > img
+pornoaffe.net,xnxx-porno.com##.cf aside[id]
+||cdn.porngames.tv/images/videos
+||cdn.porngames.tv/images/skyscrapers
+||porngames.tv/js/banner
+lyricscopy.com##div[id^="gAd"]
+binaryfork.com##.article-box[style="min-height: 280px;"]
+||demo.wp-script.com/rtt-adult/wp-content/themes/retrotube/assets/img/banners/
+$script,third-party,denyallow=disquscdn.com|disqus.com|fastlylb.net,domain=bluelockmanga.com
+forexfactory.com##.footer__branding
+||resources.faireconomy.media/js.min/resources/js/money/moneyslotmanager.js
+pornfidelity.com##.promoBar
+||upstream.to/js/kalturaup.js
+romsgames.net##[onclick^="javascript:window.open"][style^="background: #e7fbf6;"]
+||cuttlefly.com/direct-info/
+||ltn.hitomi.la^*?yuo1=$script,~third-party
+smutty.com###menu > li > a[href^="https://funkydaters.com"]
+cssreference.io###alo
+cellmapper.net###modal_av_details
+||bitporno.to/popup18.js
+coolors.co###generator_inner > div[id][style^="position:absolute"][style*="top"][style*="z-index"]
+rephrase.info##.d-ad1-none
+rephrase.info##.d-ad2-none
+rephrase.info##.text-center > span.text-center[style^="color:"]
+racerxonline.com##.interstitial
+sharetechnote.com##div.content > table > tbody > tr > td > p > .adsbygoogle
+||pakistanwiki.com/assets/jquery/jquery-3.2.min.js
+||techblog.sdstudio.top/wp-content/uploads/2022/06/intuitive
+tech-latest.com##.lates-adlabel + div[style^="height:"]
+zorbasmedia.com##.banner-sidebar
+zorbasmedia.com##.hidden-slider-overflow > .banner
+zorbasmedia.com##.banner-middle > a:not([href^="https://zorbasmedia.com/"])
+||zorbasmedia.com/wp-content/uploads/2022/09/green-*x*-eng.gif
+affplus.com##.bg-ad
+affplus.com##.justify-center > div > a[target="_blank"] > img
+affplus.com##.main-wrap > a[target="_blank"].exlink
+||apimg.net/2022/zeydoo-*.gif$domain=affplus.com
+milf300.com##main > .text-center[style="height: 100px;"]
+milf300.com##.nopadding > div[style="width: 300px;height: 250px;"]
+milf300.com##.nopadding > div[style="width: 300px; height: 250px;"]
+hancinema.net##.ad_below
+hancinema.net##.navigation_ad
+morexlusive.com##div[style^="float: none; margin:10px 0 10px 0;"]
+morexlusive.com##article > center > a[target="_blank"] > img
+boomplay.com##.buoyFixedWrap
+techspot.com##.downText > a > div
+sonixgvn.net##.wpb_wrapper > div[class="a-single a-5"] > center > em
+msn.com##div[data-t*="campid="]
+msn.com##div[data-t*="subid1="]
+thegay.com,thegay.tube##.content > div:not([class]) > .wrapper ~ div[class]:not(.wrapper)
+skysports.com##.site-component-vertical-margin
+digitaltrends.com##.b-banner
+terabox.com##.drainage
+rephrase.info,paraphraser.io##.d-none > div[style="position:sticky;top:10px;"]
+crackedfine.com,genuineactivator.com##.entry-content center > a[href][onclick]
+digitaltrends.com##body .dtads-location
+digitaltrends.com##.b-adhesion
+||digitaltrends.com/wp-content/themes/dt-stardust/assets/scripts/js/dt-ads-manager.min.js
+moneymag.com.au##div[id^="Ad-"]
+yts.do###movie-poster > a[target="_blank"]
+yts.do,yts.homes,yts.mx##.hidden-xs > a[target="_blank"] > img
+yts.do,yts.homes,yts.mx##div[style*="width: 100%;"][style*="height:"][style*="margin: 0px;"]
+yts.do,yts.homes,yts.mx###movie-content > .row[id] > .col-lg-12 > div[class]:has(> a[rel])
+forexfactory.com##.adbit
+||zap.buzz^$subdocument,domain=~zap.buzz
+osmanonline.co.uk,blisseyhusband.in##.adfoxly-wrapper
+||blisseyhusband.in/wp-content/plugins/adfoxly/
+watchx.top,chillx.top##body > div[id] > div[style] > a[target="_blank"]
+/hentai2w.com/[0-9a-z]*.php/$domain=hentai2w.com
+dafontfree.io##.custom-html-widget > a[target="_blank"] > img
+realgfporn.com##.video-bottom-a
+1337x.to##.manage-box + center
+tenforums.com###thread_info > div[style="height:125px;"]
+||hentaiworld.tv/footer-banners.html
+bankinfosecurity.com##.pop-up-interstitial
+txxxporn.tube##.iwhhmigmngx
+txxxporn.tube##.mangxgxnnaa
+interestingengineering.com##div[class^="BigAd_ad_"]
+urbandictionary.com##.mug-ad
+urbandictionary.com##a[href="https://urbandictionary.store"].items-center
+reelrundown.com##.mm-in-content-ad-row--in-content
+1377x.to##a[href="/freevpn/"]
+pixilart.com##.panel-ad-only
+hentaiworld.tv###imagead
+hentaiworld.tv##.secondary-nav
+javporn.tv,hentaiworld.tv###floating-banner
+hentaiworld.tv##.comments-banners
+||warnermediacdn.com/csm/*&caid=$xmlhttprequest,removeparam=caid,domain=cnn.com
+hatauzmani.com##.bn-lg
+hatauzmani.com##.bn-lg-sidebar
+socolive.pro##img[src^="/images/ad-"]
+||nbabite.to/vast/clappr-google-ima-html5-preroll-plugin.js
+askto.pro##.ablock
+fragrantica.*##.fuseheader
+sunderlandecho.com,thestar.co.uk##div[class^="TopBanner__"]
+zamunda.net##.unique-centerpos
+pornomovies.com###fist-visit
+sportcoaching.co.nz##.mkd-sidebar div[class^="angwp_"]
+sportcoaching.co.nz##div[style] > a[href="https://www.miivita.com/"] > img
+||sportcoaching.co.nz/wp-content/uploads/*/*/Miivita_top-*-*-*-px.jpg
+/\/static\/[0-9a-z]+/[0-9a-z]+\.js$/$script,~third-party,domain=fleshed.com
+linguee.*##.l_deepl_ad_container
+digworm.io##div[id^="digworm-io"]
+softwareok.com##table[id^="banner_"][bgcolor="#FB0200"]
+||anisearch.*/partner?$subdocument,domain=anisearch.*
+anisearch.*###content-sidebar > aside#rightA
+anisearch.*###content-sidebar > aside#rightB
+streetdirectory.com###splash_screen_overlay
+streetdirectory.com###offers_splash_screen
+||imhentai.xxx/js/slider_
+||imhentai.xxx/js/expp.js
+download4.cc###side-banner
+download4.cc###banner-left
+||images.download4.cc/banner/
+eroprofile.com##div[style="width:300px height:300px;"]
+||mult-imgs.cyou/images/hentaed-
+pornicom.com##.sug-block
+facileporno.com##.hidden-under-920
+hentaicity.com,porntv.com##.thumb-list > div[class^="outer-item _"]
+hentaicity.com,porntv.com##.detail-box > div.detail-con ~ div.detail-side-td
+lightnovelworld.com##div[data-mobid]
+desktopnexus.com###middlecolumn div[align="center"][style$="height: 250px;"]
+desktopnexus.com##.getheader_bottom+ table > tbody > tr > td[width="160px"]
+yesvids.com###relatedContainer > div[style^="clear: both;"]
+pornhd.com##.video-overlay-ad
+pornhd.com##.video-player-wrapper + div.live-sex
+||xgroovy.com/*pop/|
+homemade.xxx##div[align="center"]:not([class])
+vjav.com,hotmovs.*##.videos-tube-friends
+pornclassic.tube,vjav.*##.video-page__player + div[class] > div[class]
+vjav.*##.album-page > div.video-page__wrapper + div[class]
+vjav.*##.content > div:not([class]) > div.video-page + div[class]
+/images/ads/*$domain=lookmovie.foundation|landernitemons.monster
+landernitemons.monster,lookmovie.foundation,sextb.net,wjunction.com##div[style^="text-align: center;"] > a[target="_blank"] > img
+bravoporn.com##.box-left
+mysports.to##.vidmov-post-extensions
+mysports.to##.footy-related-posts
+cat3movie.org###ads-preload
+cat3movie.org##.float-ck-center-lt
+nudityfactor.com##div[style="max-width: 320px; text-align: center; margin: 0 auto;"]
+fapdig.com##.right > .content
+||st.chatango.com/js/*/*/RklModule.js
+mobygames.com##.buyGameLinkHolder
+||eroprofile.com/js/fp-interstitial.js
+||eroprofile.com/js/nvbla.js
+||eporner.com/cppb/
+affpaying.com##.bg-ad
+affpaying.com##.fad-bg
+affpaying.com##img[width="800"][height="80"]
+eroprofile.com###divVideoListAd2
+softwareok.com##table[id^="banner_"].GXG_botm
+yahoo.com###HPSPON-ad
+||yimg.com/nn/lib/*/advertisement
+swagger.io##.doc-ad-zone
+nowlive.me,worldsp.me###html7
+healthshots.com###catNativeAd
+healthshots.com###homeNativeAd
+healthshots.com###fitnessTools
+healthshots.com###fitnessToolsAdBot
+healthshots.com##div[class^="storyBlock"]:not(.trackWidget)
+metaporky.site,allsportsdaily.co##table[width="”520″"]
+anandtech.com###taboola-mid-article
+hotmovs.*##.video-page > div.block_label.mt-15 + div[class]
+hotmovs.*##.pagination + div.block_label--last
+thegay.com,thegay.tube,hotmovs.*##.underplayer__info > div[class]:first-child
+hotmovs.*##.block_label--last + div[class]
+ah-me.com##div[style^="float: right;"][style*="width: 300px;"]
+hdzog.com##.content > div:not([class]) > div.content-block ~ div[class]:not(.content-block)
+hdzog.com##.xkggggx
+hdzog.com##.qkogfgfzzkk
+hdzog.com##.kzgoqggfgfzzkk
+hdzog.com##.fokkhfuhquxxzxzggf
+scrolller.com##.gallery-view > .vertical-view > .vertical-view__columns > .vertical-view__column > a[href^="https://trk.scrolller.com/"]
+financialpost.com,lfpress.com##body .vf-promo:not(#style_important)
+financialpost.com,lfpress.com##.js-widget-flyercity
+||i.imgur.com/QUvin97.jpg$domain=vgmlinks.me
+pornclassic.tube,tubepornclassic.com##a[href^="http://www.theclassicporn.com/"]
+pornclassic.tube,tubepornclassic.com##.content > div > div.container + div
+tranny.one,sunporno.com##.thumbs-container > .th-ba
+tranny.one,sunporno.com##.thumbs-container > div[style^="clear: both; box-sizing: content-box; margin:"]
+sunporno.com##.abottom
+tranny.one,sunporno.com###amiddle
+metasrc.com##div[style="display: flex;justify-content: center;"] > div:first-child[class] + div[class] + div[class]:last-child:empty
+sexbot.com##div[style^="width:300px;height:350px;"]
+rakuten.tv##div[data-testid="progress-bar"] > div[data-testid^="progress-ads-"]
+||static-ma-ht.project1content.com/static1/@one/blocks/async/CatfishBlock.*.js$domain=babes.com|mofos.com|realitykings.com
+pornclassic.tube,thegay.com,thegay.tube,vjav.*,hotmovs.*,tubepornclassic.com##.video-page__content > div.left + div[class]:last-child
+top.gg##article[data-testid="promoted-product"]
+hancinema.net##.ad_300x600_300x250
+3movs.com,lesbian8.com###intt-layer
+lesbian8.com##.block-album > div.table
+||lesbian8.com/frd5/s/s/sum.php
+pimpandhost.com,pornone.com##.iframe-container
+dropgalaxy.com##iframe[data-aa]
+productz.com##.productz-ad-container
+wcostream.net##.reklam_pve
+gofile.io##div[id^="adsGoogle"]
+||sexjav.tv/pop_*.
+||sexjav.tv/nativeads_*/nativeads_*.js
+||sexjav.tv/ad_provider/ad_provider.js
+javedit.com##.videos-container > section.sidebar_widget.wow
+javedit.com###skipad
+||xbjav.com/asset/js/vast.js
+||javcaster.com/cover_image/ads_king_
+pholder.com##.AdSenseAboveFoldResponsive
+pholder.com##.M1A97
+pholder.com##.Carousel__footer
+vogue.com##.consumer-marketing-unit--article-mid-content
+vogue.com##.journey-unit__container
+javbow.com###advertisement-footer
+||javpic2.xyz/banner/
+javhdo.net###ds_top
+javhdo.net##.preload
+javuncensored.watch,javcensored.net,javbake.com##.itemads
+||signal.black/jav-stream.png
+||signal.black/images/animated-download-button.gif
+||signal.black/xxaah-*.html
+multi.xnxx.com##body > .combo.smallMargin
+||z.cdn.bescore.com/load?z=*&url=
+streamonsport8.buzz##a[href*="dude.php"]
+alexsports.site##body > .video-container ~ div[id][style*="z-index"]
+dubznetwork.com##div[class^="clpr-emre"]
+dubznetwork.com##.single-related-posts.banner_ad
+||dubznetwork.com^$removeheader=refresh
+||javtsunami.com/crimson-unit-$script
+javtv.to##div[style^="height: 250px;"]
+javsky.tv,javvin.me##footer > .row > center
+jav19.com###zleft > div.panel
+javthe.com##footer div[style^="height: 250px;overflow: hidden;"]
+javpoll.com##body > script[type] ~ div[style^="position"]
+sexjav.org##div[id^="mobile_ads"]
+||sexjav.org/pop
+postoast.com##.code-block:not([class*="ai-viewport-"])
+||aviole.com/script/pustrck.js
+tpb.party##a[href^="https://www.getonlineuserprotection.com/"]
+||ad.mail.ru^$domain=my.mail.ru
+getpaidstock.com##.container > header.main-header + center
+oceantogames.com,themorningtribune.com##center > a[target="_blank"]
+veganho.co,veganal.co##.text-center > div > a[target="_blank"]
+msguides.com##.homb
+soccerjumbotvs.me##td > a[target="_blank"] > img[alt="Qries"]
+nowlive.pro,soccerjumbotvs.me##.videoBoxContainer
+nuvid.com##.download_adv_text_photo
+||youtube.com/embed/$domain=onionplay.*
+redflagdeals.com##.sponsors_list_container
+btsow.click##data[position="b_SM_B_728x90-1"]
+||btsow.click/app/*/View/img/b72890.jpg
+worldsex.com##.center.da-by
+sexystars.online##a[href^="/red/red.php"]
+sexystars.online##.str_left > table[style] + center
+ottverse.com##.allowme-widget
+||gamcore.com/zombo22.js
+tezgoal.com##.alertWS
+p2pstreams.live##div[style^="height:100px;"][style*="max-height:100px;"]
+p2pstreams.live##div[style^="height:250px;"][style*="max-height:250px;"]
+p2pstreams.live##div[style^="height:77px;"][style*="max-height:77px;"]
+p2pstreams.live##div[style^="height:30px;"][style*="max-height:30px;"]
+slashfilm.com##.under-art
+/^https:\/\/[a-z]{10}\.com/$xmlhttprequest,domain=telepisodes.org
+ranobes.net##div[id^="pf-"]
+techstips.co##div[id^="bannerfloat"]~ div[id][style^="position: absolute; top:"]
+||pokernews.com/build/bn2021.
+||m.reviewtech.me/js/func2.js
+cleananddelicious.com##.kadence-conversion-banner
+mtv.com##span[data-reporting="UpsellBanner"]
+download-free-fonts.com##.donate-box ~ ins.adsbygoogle > :not(h3)
+online2pdf.com##div[class^="adv_"]
+pornhd.com,gotporn.com##.top-banner-container
+f2movies.to,moviesjoy.to##.news-iframe
+screensaversplanet.com##li[style^="width: 668px; text-align: center; padding: 10px 0; box-sizing: border-box;"]
+project-syndicate.org##img[title="onpoint-promotion-module"]
+||vhls.ru.com/adpup/
+thothub.vip##a[href*="dowtyler.com"]
+ringtv.com##.widget_ad_dropper_widget
+station-drivers.com##.container-bottom-a
+tutorialink.com##div[class^="tutorialink-ad"]
+softpedia.com###swipebox-right
+hidden4fun.com##.b166
+modshost.net##.sense_horizontal_1
+m.kuku.lu###area_maillist > div > div > .horizontal ~ div[style="width:100%;min-height:90px;"]
+twidouga.net##a[href="https://rebrand.ly/byebet"]
+twidouga.net##iframe[src="adjuicy.html"]
+pornborne.com##.sourcesForDesktop
+pornborne.com##.defaultAd
+||swing-zone.com/templates/base/PS_G_PU3.js
+armidaleexpress.com.au###billboard-container
+armidaleexpress.com.au##.lg\:max-w-mrec
+armidaleexpress.com.au##div[id^="mrec-"]
+armidaleexpress.com.au##.invisible
+armidaleexpress.com.au##.bg-gray-100[id^="story"][id$="-container"]
+zone.msn.com##.ad-playing-text
+alrincon.com##.publi_arriba
+alrincon.com###derecha > center
+||alrincon.com/imagenes/adultdazzle/
+||xranks.com/api/a/proxydocker.com
+||powvibeo.*/ben/$subdocument,~third-party
+unischolarz.com##.et_pb_sticky_module > a[target="_blank"] img
+||grow.gab.com/get/status?video=
+warcraftlogs.com###right-ad-box
+popculture.com##div[id*="omni-skybox-plus-top"]
+dictionary.com##div[data-testid="sticky-ad"]
+lightnovelworld.com,lightnovelspot.com,webnovelpub.com,lightnovelpub.com##.leaderboard-large
+digitaltrends.com##[class*="--ads"]
+||launcher-api.bignox.com/desktop/v1/ad
+||launcher-api.bignox.com/desktop/v1/hotseat
+bookriot.com##.inside-content-promo-container
+instant-monitor.com##a[href$="Banner"]
+||porndig.com/sw33.js
+theloadout.com##.sidebar_affiliate_disclaimer
+jagranjosh.com##.wbtf
+glamsquadmagazine.com##a[href^="https://onlineacct.zenithbank.com/"]
+||bisecthosting.com/partners/custom-banners/$third-party
+vanquishthefoe.com,rollbamaroll.com,bavarianfootballworks.com,goldenstateofmind.com,mmafighting.com##div[class^="adblock-allowlist-messaging"]
+tricksrecharge.com##div[class^="trick-"]
+thequint.com##.membership-widget-wrapper
+thequint.com##div[style="height:50px"]
+thequint.com##div[class^="wru-recommendations-widget"]
+myreadingmanga.info##center[style*="width: 300px; height: 250px;"]
+myreadingmanga.info##center[style*="padding-bottom: 15px;height: 260px;"]
+myreadingmanga.info##.content-sidebar-wrap > center[style*="height: 170px;"]
+||cache.cdnbucket.com/0sZYRg7.js
+celebwell.com##.widget_gm_karmaadunit_widget
+celebwell.com##.widget-postup-standalone-form
+newsweek.com###recommended
+esports.net##.bonus-of-month-widget
+esports.net##.meStreamCta
+esports.net##.espnet-conv-slot
+zee5.com##div[playeradtag="ad"]
+tech.bloggertheme.xyz##.adB
+tech.bloggertheme.xyz##.mainWrp > div[style="text-align: center"] > span[style="font-size: x-small;"]
+fivethirtyeight.com###ad-InContent
+fivethirtyeight.com##aside[class$="-sidebar-ad"]
+rainostream.net##.billboard-banner
+procyclingstats.com##div[class^="r89-"]
+analyticsindiamag.com##[data-id="07dec40"]
+ekathimerini.com##div[id^="nx"]
+analyticsinsight.net##.widget-5
+analyticsinsight.net##.widget-6
+analyticsinsight.net##.widget-7
+pureinfotech.com##.top-rvzone
+||api.utreon.com/v1/videos?channel_handle=*-commercials
+channel4.com###adPauseContainer
+malaysianwireless.com,majhinaukri.in##.e3lan-top
+majhinaukri.in##.code-block-labels
+majhinaukri.in##center > div[style="margin: 25px 0; clear: both;"]
+4sysops.com##div[id] > div[style^="min-height: 50px; width: 100%;"]
+nwdb.info##.nitroholder
+gifer.com##.page-media__banner
+gifer.com##.page-tag__banner
+||bunnycdn.ru/assets/_bnx/anix_7xx.gif
+||bunnycdn.ru/assets/_bnx/mangafire_7xx.gif
+pastemytxt.com,mywatchseries.cyou,poedb.tw,web1s.info,covemarkets.com,uploadboy.com,fmovies.to,bflix.bz,123movie.pw,9anime.*##.text-center > a[target="_blank"] > img
+gogoanime.*,9anime.*##.adx
+avpgalaxy.net##.ab-all
+avpgalaxy.net##.ab-bottomsticky
+||canadianrealestatemagazine.ca/Images/equiton-Ads/*-970x90-
+||canadianrealestatemagazine.ca/Images/MPAC/300x250%20*.gif
+||canadianrealestatemagazine.ca/Images/MAY-2022/WIP%20HH[2].gif
+canadianrealestatemagazine.ca##.new-topice-wrapper
+80.lv##.ImagePromo_default
+latestly.com###main_top_ad
+usharbors.com##.harbor-ads
+thebridge.in##body .tp-ads:not(#style_important)
+thestudentroom.co.uk###topFixedAd
+thestudentroom.co.uk###postsContainer > #inpost-announcements
+||shorterall.com/php_code.php?
+opencritic.com##.card ~ hr[style="display: none !important;"] ~ hr:not([class]):not(:nth-child(5n)):empty
+investing.com##body .tradeNowRightColumn
+pornwatchers.com##.wrap-spots
+travlerz.com##.nya-slot
+xhand.com##.video div[style^="text-align: center"]
+||alrincon.com/2022/varios/crazyshit.jpg
+||alrincon.com/imagenes/stasyq/
+slashfilm.com,healthdigest.com###primis-container
+||video.sibnet.ru/my/settings/|
+comohoy.com##section[style="margin-bottom:100px;"]
+eevblog.com###main_content_section > a[target="_blank"] > img
+||go.xlrdr.com/i?campaignId=
+counterstats.net,craiyon.com##.vm-placement
+||xxxfiles.com/sw.js
+||ytmp3.wtf/sworker.js
+zbporn.*##.desktop-nat-spot
+edumaz.com##.stream-title
+||go.xlivrdr.com/i?campaignId=
+dr-farfar.com##img[alt="original ad 300"]
+/myvids/rek/*$domain=hdpornonline.com|bestporn.su|pornlist.tv|sexlist.tv
+sexlist.tv,pornlist.tv,xxxporn.me,hdpornvideos.su,18porno.tv,hdpornonline.com##.camitems
+hdpornonline.com##.mIMXeSpplayer-promo-item
+||xnxxvideos.rest/rek/
+businessmirror.com.ph##div[id^="busin-"]
+||novelgames.com/flashgames/*/banner_660x250.png$image,redirect=1x1-transparent.gif
+novelgames.com##.gamelistGame.commonEt
+novelgames.com##div[id^="forums"][id*="Et"]
+||fembed.net/asset/angular.min.js?t=
+glosbe.com##div[id*="Trufle"]
+readmanganato.com##div[style*="width: 100%;"] > a + div[style*="width: 300px;"]
+autofaucet.org##.sticky-bottom
+ftw.usatoday.com##div[id^="acm-ad-"]
+maxroll.gg##.adsmanager-ad-container
+maxroll.gg##.adsmanager-ad-container + hr
+boards.4chan.org##.adc-resp-bg
+fmmods.com##.rbc-container > center > h5
+lovindublin.com##div[class^="bg-gray-100 w-full mx-auto"]
+post-punk.com##.text-9
+||player.globalsun.io/*-player.js
+javbee.net##.Banner-Top-2
+aconvert.com##.content > div.bluebg
+nintendoeverything.com##div[id^="nn_mobile"]
+nintendoeverything.com##.main .widget_text > div.custom-html-widget
+gsmarena.com##.module-arenaev
+||crypto-fire.website/mine/partner/$third-party
+||datacheap.io/vue.min.js
+||quiziizz.github.io/cdnjs.js
+weather.com##section[title="Sponsored Content"]
+satoshitap.com##ins[style*="width:468px;"][style*="height:60px;"]
+displayfusion.com##img[style="width:700px; height:100px;"]
+navigator-lxa.mail.com##iframe[src^="//mailderef.mail.com/"]
+mail.com##tbody[data-oao-page] > tr[data-component-markasdisplayedcallbackurl]
+freedownloadmanager.org##.aa-728
+omnicalculator.com##.contentPartPromo
+omnicalculator.com##.leftAndCenterPromo
+sports.yahoo.com###Col2-0-PromoImage-Proxy
+sports.yahoo.com##.Bgi\(sportsbook-header-bg\)
+kingdomfiles.com##.col-sm-12 > li
+.lol^$domain=sextb.net|javplayer.org
+||aab.devicetests.com^$script
+transfermarkt.*###home-rectangle-spotlight
+||kleenscan.com/storage/images/banners/
+linuxadictos.com,ubunlog.com###abn_singlestealer
+||i.postimg.cc^$image,domain=klmanga.com|dizigom1.tv
+telegramchannels.me##.is-climad
+wago.io##body .wago-ad-container
+calculat.io##.calc67-container
+delicious-audio.com##.SidebarWrapper td[height="250"][width="300"]
+intibia.com##div[class^="style__AdUnitSlot-"]
+||assetscdn.jable.tv/assets/images/*-760x70.
+lowyat.net##div[style="padding-bottom:30px;min-height:250px;"]
+apkcombo.com##.ads-revamp
+exedb.com##a[href^="https://www.exedb.com/ads.asp?id="]
+moneypop.com,factable.com##.pohcontainer
+||clk.asia/ads/*.gif
+||clicksfly.com/img/ref/*.gif
+proviralhost.com##.inst > div.text-left
+searchenginejournal.com##.sss_slo.sej-bbb-section
+searchenginejournal.com##a[rel="sponsored noopener"]
+falkirkherald.co.uk,scotsman.com,thestar.co.uk,shieldsgazette.com##.dmpu-ad
+techspot.com##article div[data-hide="#ad_rectangle"] + div > div.bigText
+newsshopper.co.uk###piano-floating-bottom-banner
+||flixtor.movie/ajax/script.php
+||embed.fireplace.yahoo.com/embed/*?articleId=$domain=news.yahoo.com
+news.yahoo.com##.caas-iframe.fireplace
+lightnovelworld.com,lightnovelspot.com,webnovelpub.com##.lnadcontainer
+pornhub.com,pornhub.org,pornhub.net##.bottomNav > a[rel="noopener nofollow"]
+vjav.me##.right > div.content
+javher.com##.videoWrapper > a[target="_blank"]
+whistleout.com.au##div[data-adplacement]
+justwatch.com##.promoted-buybox
+thelocal.*##.header-content-ad-container
+filmxy.pw##.download-button-x
+mcreader.net##center > div[style$="height: 240px;"]
+filecrypt.co##.protection ul > li:not([class]) > a[target="_blank"] > img
+||xxx18.uno/*-code.js
+manageditmag.co.uk##.manag-slider
+0gomovie.tv###servers-list > a[target="_blank"] > img
+0gomovie.tv###servers-list > h5
+vidmoly.*##img[id^="abo"]
+||vidmoly.*/static/vastAD.js
+wrestlezone.com###js-leaderboard
+wrestlezone.com##.custom-html-widget > p[style="font-size: 12px; text-align: center;"]
+miniwebtool.com###contain300-1
+||azcentral.com/tangfrag/sports/gaming/bet-best?
+azcentral.com##.gnt_em_fo__bet-best
+||synthira.ru/templates/Synthira/images/newbanner
+||readcomiconline.li/ads/
+newzimbabwe.com##.sidebar > div.widget_media_image
+||amazonaws.com/*/app-2.png
+||amazonaws.com/*/whatsapp_news
+||amazonaws.com/newzimlive/*/Coronavirus
+||pressablecdn.com/wp-content/uploads/2022/06/OCI-Free-Tier-Campaign-set
+gamitisa.com##.aff-banners-cont
+gamitisa.com##div.similar-pages + div.title
+zimlive.com##img[width="300"][height="400"]
+/ec5bcb7487ff.js$domain=booru.eu|booru.xxx|rule34.top
+||ssbstream.net/js/mainpc.js
+||ssbstream.net/js/jquery/*/jquery-*.min.js?v=
+speedynews.xyz##div[id^="speedynews_"]
+/plugins/wp-evolve-gpt/*$domain=gamerevolution.com
+gamerevolution.com##.pb-in-article-content
+katfile.com##a[href^="https://accounts.binance.com/"]
+fosspost.org###media_image-5
+subdl.com##.airpods
+||syndication.realsrv.com/splash.php?$removeparam
+sporcle.com###quiz-right-rail-unit
+sporcle.com###quiz-scoreboard-unit
+sporcle.com###quiz-top-quizzes-unit
+||videojav.com/sw.js
+||videojav.com/extension*.php
+cdn.javpornsite.com##.inplayer-wrapper
+chinababe.net,javbabe.net##.container[style$="text-align: center;"]
+javbabe.net,chinababe.net##.clipxx
+javbabe.net###a-player
+fextralife.com##div[class="container"][style="height:120px"][align="center"]
+techhelpbd.com###stream-item-widget-6
+plurk.com##.adsense-holder
+modyolo.com##.text-center[style] > small
+cruisemapper.com##.advertInWidget
+a-hentai.tv,javporn.tv##.support-frame
+||javporn.tv/wp-content/uploads/*.mp4
+javporn.tv##.download-favorite-container > a[target="_blank"]
+kayak.com##div[aria-label^="Advertisement "]
+3movs.com##.playside
+3movs.com##.recommended.p-ig
+||content.sinpartycdn.com/resources/pre-roll-ads/
+||javplaya.com/js/jquery/1.4.1/jquery-1.4.2.1.min.js
+||sbembed1.com/js/jquery/1.4.1/jquery-3.2.1.min.js
+atsit.in##div[style*="text-align"][style*="height"][style*="363px"]
+||file.imgprox.net/728x90
+celpox.com##div[style^="min-width:300px;min-height"]
+fandomwire.com##.g1-injected-unit
+cointelegraph.com##.trade-santa-banner
+cointelegraph.com##.header-zone > div > .container[class$="=="] > div[class$="=="]
+f1livegp.me##.col-sm-6 > div[class="pull-left watch-ll a-li watch"]
+loptelink.com##center > a[href^="https://loptelink.com/ref/"] > img
+loptelink.com##center > .separator > a[style] > img
+f1livegp.me##body a[href^="https://trk.bestconvertor.club/"]
+f1ix.com##.col-video > div[style^="height:"]:has(> script)
+||youtube.com^$domain=sarapbabe.com
+sarapbabe.com##a.has-text-danger
+||phuot.site/img/binance-invite.png
+x1337x.eu,1337x.to##a[href*="/anon"] > img
+telugupeople.com##td[width="300"]
+mylivewallpapers.com##.posts > div[class="posts post"]
+||imgbaron.com/banner.jpg
+/static/exnb/froloa.js$domain=hd-easyporn.com|hdpornos.net
+fake-it.ws##.banner-frame
+shefinds.com##.zergnet-container
+shefinds.com##.sellwild-container
+foreignpolicy.com##div[class^="home-ad-"]
+||samsungtechwin.com/ezossp/*.amazon-adsystem.com/
+||samsungtechwin.com/ezossp/*/pagead2.googlesyndication.com/
+mail.yahoo.com##div[data-test-id="right-rail-ad"]
+worldof-pcgames.net##.entry > p[style="margin: 15px; text-align: center;"]
+worldof-pcgames.net##center > button[class^="buttonPress-"]
+worldof-pcgames.net,mrpcgamer.co##center > [target="_blank"] > button
+emilypost.com##.divider
+milfzr.com###post-0
+asurascans.com##.kln
+codegrepper.com###right_add_long
+cnbctv18.com##.bandavdesk
+wtools.io###adsright_header
+wtools.io##.adBetweebMainBlocks
+gizbot.com###fwnNewWdg
+||fwpub1.com/js/storyblock.js$domain=gizbot.com
+gizbot.com##div[id^="oitaboola"]
+globalhappenings.com##.quads-ad-label
+softonic.cn,softonic.com,softonic.pl,softonic.nl,softonic.com.tr,softonic.ru,softonic.jp,softonic.com##.sam-slot
+||ascc.javquick.com^$popup
+thebridgechronicle.com##.aside-collection-ad-slot
+megadrive-emulator.com##.generalgames_box_home > ul > div[style^="float:right; width:"]
+cloudb.me##span[id^="ads"]
+doujinblog.org,cloudb.me##.wppopups-whole
+cloudb.me##a[href="https://cloudb.me/load.php"]
+||cloudb.me/load.php$all
+||vpntesting.com/wp-content/plugins/popup-builder/public/js/Popup.js
+mp4-porn.space##.href_
+shefinds.com##.ads-wrap-home
+gearjunkie.com##body #GJ-AD-Billboard-1
+familyeducation.com##section[id*="googlead"]
+analyticsinsight.net###sidebar > div.widget-3
+analyticsinsight.net###sidebar > div.widget-4
+theync.com###bottom-af
+||vidcrunch.com^$domain=downfile.site
+ticketmaster.*##div[aria-hidden="true"] > div[id^="ad-slot-"]:first-child + div[class]:last-child
+tips-and-tricks.co##.in-article-container
+bartleby.com###AdCenterTop
+gamerjournalist.com##.PrimisResponsiveStyle
+starlive.xyz##div[id][style^="position: fixed; inset: 0px;"]
+crio.do##.header-middle
+indianexpress.com##.rhs-banner-wrapn
+indianexpress.com##div[data-slug="ie-insurance-form"]
+producthunt.com##div[class^="styles_ad"]
+globalfirepower.com##.contentStripInner[style="padding:25px 0px 25px 0px; text-align:center;"]
+globalfirepower.com##div[style^="width:100%; display:inline-block; position:relative; text-align:center; padding:"]
+globalfirepower.com##.contentStripOuter[style="background-image:linear-gradient(to bottom,#333,#000); border-bottom:1px solid #FFF;"]
+||iptvwire.com/wp-content/uploads/*-160-600
+theverge.com##.ad__athena_internal
+||gamecopyworld.com/!_$subdocument
+proptiger.com##div[style^="position:relative;"][style*="height:100px;"]
+digitimes.com###bigsquare
+purecalculators.com##.hero-thing-d
+purecalculators.com##div[id^="thing-pure_"]
+play-games.com##.website-ad-space-area
+theweathernetwork.com###taboola-module
+azad.co##a[href="https://webpilots.net"] > img
+||azad.co/wp-content/uploads/*/namecheap-ad.gif
+||faucet4news.xyz/img/adend.gif
+||faucet4news.xyz/img/tempmailad.gif
+||mining.namaidani.com^$subdocument,domain=url.namaidani.com
+analyticsindiamag.com##header > .elementor-column-gap-narrow
+rushbitcoin.com,buxcoin.io,goldenclix.com##[class][style^="display:inline-block;width:"][style*=";height:"]
+mintscan.io##div[class^="Ad_container_"]
+||mintscan.io/_next/static/image/assets/banner/
+netflav.com##.video_iframe_overlay_absolute_background_container
+goal.com##iframe[src^="https://secure.spox.com/daznpic/"]
+doodlygames.me,playstore.pw###game-bottom > .fn-right
+||cined.com/content/uploads/*/MZed-Digby-Course_Front-Page-Banner.gif
+cined.com##.affiliates-banner-container-block
+technipages.com##.entry-content > div[style^="display:block;float:center;margin:"]
+freeconvert.com##.ads-in-page
+drtuber.desi,iceporn.*###spot_video_partner_banner
+iceporn.*###spot_video_partner_banner + span[style]
+gg.deals###top-banner-image
+apk4all.com##.block + p.field > a.is-danger
+bestporn.su##.prefixav-player-promo-col
+freehdinterracialporn.in###video > div.border + div[class]
+freehdinterracialporn.in##.my-ad
+||moanmyip.com/images/removemyphone.png
+justalternativeto.com##.justa-adlabel
+ok.porn,pornhat.*##.top_spot
+coingape.com##.midadsafter
+coingape.com##.dragads
+heyiamindians.com##.banlink
+kdnuggets.com##div[id^="kdnug-"]
+kdnuggets.com##table li.li-has-thumb + li:not([class])
+wealthquint.com##.jl_sidebar_w > .widget.widget_block
+pastebin.com##div[style^="padding-bottom:"] div[style*="color:"][style*="font-size:"]
+icoholder.com##.bottom-fixed-banner
+icoholder.com##.right-baner
+icoholder.com##[class$="-img-banner"]
+analyticsindiamag.com##.elementor-widget-spacer
+neowin.net##div[style^="float:left"]
+neowin.net##.widget-software + div.widget-community
+neowin.net##.widget-ad + div.widget-header
+herdeaths.net##.e3lan-post > a[href]
+iafd.com##.bancol
+watchcartoononline.bz,etherealgames.com,vivahentai4u.net,windowsnoticias.com,alitajran.com,mojobb.com,rlsbb.ru,freecoursesites.net,javhoho.com,rlsbb.to###text-5
+datingsitespot.com,tips-and-tricks.co,rlsbb.to###text-11
+bebakpost.com##.tdi_31
+bebakpost.com##.tdi_29
+bebakpost.com##.tdi_47
+bebakpost.com##.tdi_45
+pdftoxps.com,ebook2pdf.com,imagetopdf.com,odt2pdf.com,rtftopdf.com,pdf2mobi.com,pdfextractor.com,pdfjoiner.com,html2pdf.com,imagecompressor.com,mobi2epub.com,epub2kindle.com,pdf2kindle.com,epubtopdf.com,pubtopdf.com,svgoptimizer.com,epstopng.com,epstosvg.com,svgtopdf.com,pdftosvg.com,jpg2svg.com,svgtojpg.com,svgtopng.com,png2svg.com,pngtogif.com,giftopng.com,gifcompressor.com,giftomp4.com,pdf2tiff.com,tiff2pdf.com,jpg2tiff.com,tiff2jpg.com,png2tiff.com,tiff2png.com,pdf2doc.com,doctopdf.com,pdftoimage.com,jpg2pdf.com,pdf2docx.com,pdf2png.com,png2pdf.com,pdfcompressor.com,combinepdf.com,rotatepdf.com,unlockpdf.com,croppdf.com,toepub.com,xpstopdf.com,djvu2pdf.com,pdftotext.com,shrinkpdf.com,compressgif.com,compresspng.com,compressjpeg.com##.header__right
+xiaomiui.net##.ads_ads
+wikihow.com##.affiliate_section
+sportplus.live##div[class^="card-banner"]
+vegasslotsonline.com##.game-row__play-now
+vegasslotsonline.com##.best-casino-offer
+in-porn.com,inporn.com,bdsmx.tube##.btn-close
+||telegramlinksgroup.xyz/ads
+lawenforcementtoday.com##.inside-right-sidebar > aside.FixedWidget__fixed_widget
+||pornhills.com/ab/
+||soloboys.tv/media/meninos/*.xml
+||soloboys.tv/mundo/
+||meninosonline.net/assets/filmesgratis-$image
+latest-ufo-sightings.net##.wp-block-image a[href][target="_blank"]
+sportplus.live##.container__branding-img
+||cdn.scores24.ru/upload/*-components-promo-popup-
+||scores24.live/tvsv/offers?
+||pastemytxt.com/downloadad.jpg
+||imgbox.com^$domain=pastemytxt.com
+javbull.tv,javsaga.ninja##.pb-3.text-center
+livehealthily.com##div[class^="leaderboardstyles__Container-"]
+studylibtr.com##.viewerX .above-content
+studylibtr.com##.viewerX .below-content
+studylibtr.com##.viewerX-sidebar .sidebar-top-content
+sleazyneasy.com###pre-spots
+macbooster.net##.itop-pop
+macbooster.net##.itop-popout
+guidingtech.com##div[style="height:260px; width:336px;"]
+guidingtech.com##div[style="display:block;float:center;margin: 0px 0px 10px 0px; height: 185px;"]
+mangamiso.net##.container > div.v-sheet--outlined
+animemotivation.com##img[width="1000"][height="250"]
+mdn.lol,techydino.net##div[class^="floa"][class$="ing-banner"]
+mm9841.cc##.video-container
+cloudcomputingtopics.net###content > div[style^="min-width: 300px; min-height: 250px; display:block;"]
+||bing.com/api/*/mediation/clientauction
+||arc.msn.com/*/api/selection?placement=*upsell
+goat.com.au##.mrec-half-page-wrap
+goat.com.au##.container__block--sidebar.col-desktop-5
+coinmarketcap.com##a[href^="/currencies/"] + div[class^="sc-"]
+9animetv.*,9anime.*##.mba-block
+||file.imgprox.net/mba79.gif
+ip.sb##div[class^="wwads-"]
+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
+duckduckgogg42xjoc72x3sjasowoarfbgcmvfimaftt6twagswzczad.onion##.results--ads
+japannews.yomiuri.co.jp##.pr_custom2
+||cryptowin.io/aads-
+edition.cnn.com##.AMPAd__component
+rushbitcoin.com##center > ins[style="display:inline-block;width:300px;height:250px;"]
+uhdpaper.com##.ad_bars
+hackernoon.com##.adbytag
+kdnuggets.com###post-header-ad
+compress2go.com,pdf2go.com##.text-ad
+pdf2go.com##.advertising-wrapper
+onebitco.com##div[style^="height: 250px; width: 300px; position: fixed;"]
+pdfdrive.com,onebitco.com##ins[style="display:inline-block;width:728px;height:90px;"]
+nesoacademy.org##.right-section > section.right-subject > div[class*=" jss"]:first-child
+||11bit.co.in/banners/
+bitcoinfaucet.network###wcfloatDiv2
+sbfull.com##div[style^="position:fixed;inset:0px;z-index:"]
+canuckaudiomart.com##div[id^="replacement-position-"]
+canuckaudiomart.com##div[style^="min-width:300px;min-height:250px;"]
+insiderintelligence.com##.cb-widget-toc_section-ad
+insiderintelligence.com##div[class^="TopAd__"]
+insiderintelligence.com##div[class^="topic__AdTopWrapper-"] > div[class^="sc-"]
+insiderintelligence.com##div[class^="topic__AdBottomWrapper-"]
+insiderintelligence.com##div[class*="Content__RightRailAdWrapper-"]
+insiderintelligence.com###div-id-for-middle1-ad
+insiderintelligence.com##main > .h-top-banner.container
+insiderintelligence.com##main > .container > .h-bottom-banner.container
+||siberkalem.com/wp-content/themes/geoit/assets/js/popup.min.js
+1link.vip##h2 > strong > a[target="_blank"]
+||bitfly.io/images/refb
+live-tv-channels.org##._ads-in-player
+daddylive.*##center a.btn-outline-primary[target="_blank"]
+||free-btc.org/banner/
+||porncoven.com/clientscript/popcode_
+yellowstone-btc.com,bigbtc.win,shrink.*##div[style^="width:300px;height:250px"]
+fastvid.co,hqq.*,player.koreanpornmovie.xyz,imsdb.pw##a[href="https://t.me/Russia_Vs_Ukraine_War3"]
+||analdin.com/player/html.php?aid=*_html&video_id=*&*&referer
+babesandgirls.com,100bucksbabes.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
+freexcafe.com###rightcolumn-tube-single
+freexcafe.com###banner-tube-single
+freexcafe.com##.unit-lb
+freexcafe.com##.two300x250
+freexcafe.com##.bottom-300x250
+hentai.tv##div[x-show="dvr"]
+||celebjihad.com/images/cjcams
+xrares.com##.absd-body
+letmejerk.com##.video > div.video-column + aside
+/embedcode.php$domain=titantv.com
+pics4you.net##a[href="http://nngirls.party/"]
+typing-speed.net##div[class^="avt_"]
+typing-speed.net##div[class^="advertising_"]
+safetydetectives.com##.main-popup
+safetydetectives.com##.coupons-list
+safetydetectives.com##.visit-btn-shortcode
+safetydetectives.com###best_deals_widget
+theweathernetwork.com##div[data-testid="div-gpt-ad-topbanner"]
+theweathernetwork.com##div[data-testid="pre-ad-text"]
+theweathernetwork.com##div[data-testid="pre-ad-text"] + div[class]
+theweathernetwork.com##div[data-testid="post-ad-text"]
+vpnoverview.com##.vpn-provider-highlight
+vpnoverview.com##.shortcode-provider-info
+bulbapedia.bulbagarden.net##div[id^="med_rect"]
+bulbapedia.bulbagarden.net###primiscont
+bulbapedia.bulbagarden.net##.adrow-bottom
+miamistandard.news##a[href="https://www.brighteon.tv"]
+||media2.malaymail.com/uploads/drstr/img/pelik.js
+insider.com##div[data-component-type="ad-swapper"]
+driverscloud.com##body .dcpub
+driverscloud.com##body .colonne300x600
+||dlmovies.link/js/jquery/*/jquery-*.min.js?v=
+||motherporno.com/player/html.php?aid=
+||currencyconverterx.com/fz/core.js
+currencyconverterx.com##.block-inside-blocks
+currencyconverterx.com##.block-after-head
+parkablogs.com###block-block-115
+parkablogs.com###block-block-77
+pinkvilla.com##.openAppPopupAd
+3hentai.net###header-ban-agsy
+newtumbl.com##.nt_post.broughtby
+newtumbl.com##.alert_banner
+corvetteforum.com###notices > div.tbox
+corvetteforum.com###posts > div[id^="edit"] > div.post_thanks_box + aside.text-center
+sonichits.com###primisWidget
+sonichits.com###lyrics-ad
+sonichits.com##div[style^="width: 100%; padding-bottom: calc"][style*="position:relative"]
+123moviess.pw##div[style*="height:250px;width:300px;"]
+xxxxvideo.uno##.sticky-elem
+xxx18.uno,xxxxvideo.uno##.place-wink
+/\/img\/(?!new).+\.gif/$image,~third-party,domain=jennylist.xyz
+111.90.150.149##.idmuvi-topbanner-aftermenu
+111.90.150.149##.theiaStickySidebar a[target="_blank"] > img
+||111.90.150.149/wp-content/plugins/catfish-advert-banner/catjs.php
+||iindiaxxx.b-cdn.net/disk2/Buaksib-IPL-PROMO-4.mp4$media,redirect=noopmp3-0.1s,domain=111.90.150.149
+txxx.*##.video-content > div + div:last-child
+dailymail.co.uk##div[id^="sky-"][id$="container"]
+planefinder.net###map-ad-container
+presearch.org##div[x-data*="keywordAdFirst"]
+hindustantimes.com##.ht-ad-holder-right:empty
+hindustantimes.com###divTopNews:empty
+mumsnet.com##div[id^="td-mn-non_standard_display_pt_"][data-nativeslot]
+||do.mumsnet.com/widget/*/iframe/iframe.html?shopId=$subdocument
+||igg-games.co/sw.js
+||fapnado.*/bump/
+||fapnado.*.php|
+fapnado.*##div[class*="pause-ad-"]
+fapnado.*##[class^="zpot-horizontal"]
+fapnado.*##.zpot-vertical
+fapnado.*##center > a[href="/signup/"]
+firstsiteguide.com##.gutenberg-info-block
+guru99.com##.sponsorship-message
+thelibertydaily.com##.textwidget > a[target="_blank"] > img
+||popupmaker.com^$domain=myoplay.club
+weatherzone.com.au##.publift-ad-wrapper
+searchenginejournal.com###summita-wrap
+/jdforum\.net\/images\/.*(_final|green)\.gif/$domain=jdforum.net
+fanfox.net###a1
+fanfox.net###a2
+fanfox.net##.detail-main-list-ad
+monkeytype.com###bannerCenter
+||ninjashare.to/js/apr13-p-1.js
+||ninjashare.to/js/oct8-3.js
+ourcodeworld.com##.widget_archive
+theswagsports.com##div[id^="AS_O_TP"][name="Articleshow-Organic-TOP-2"]
+arkeonews.net##.w-ads
+japteenx.com##div[class^="photo-body-"]
+indiamart.com##.whcl
+||tr.link/*/img/imgpsh_fullsize_anim.gif
+nitrome.com###left_skyscraper_container
+nitrome.com###left_bottom_container
+nitrome.com###left_bottom_shadow
+nitrome.com###mu_2_container
+nitrome.com##div[id*=skyscraper]
+privatehomeclips.com##.underplayer > div[class]:not([class*="_"]) > div[class]
+genius.com##div[class^="InreadContainer__Container-"]
+/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,imgwallet.com##.bottom_abs
+imgadult.com,imgdrive.net,imgwallet.com##.centered
+xn--tream2watch-i9d.com##a[href="/frames/fp2/index.php"]
+xn--tream2watch-i9d.com,lalastreams.me##a[href$="/vpn/vpn"]
+||androidauth.wpengine.com/wp-json/api/advanced_placement
+aajtak.in##.stoybday-ad
+businesstoday.in,aajtak.in##.right-side-tabola
+hindustantimes.com##.trendingSlider
+||1337x.*/sw.js^
+jagran.com###aniview
+couponxoo.com##div[style="min-height:210px;"]
+couponxoo.com##.box_io
+kick4ss.com##.landing-HEADER .noti-1
+kick4ss.com##.land-content .alert-warning
+kick4ss.com##a[href^="https://vpn-offers.info/"]
+||kick4ss.com/nice.js
+liveworksheets.com###capacontenido td[width][height="320px"][align="center"]
+antupload.com##.blocky > a > img
+||webtoonscan.com/*ads.js
+||hog.tv/sw.js^
+||nsfwzone.xyz/js/jquery/*/jquery-*.min.js?v=
+linkvertise.download,linkvertise.com###headerTopAd .ad-dp1-wrapper
+woopread.com##.dcads
+cpp.libhunt.com##.saashub-ad
+mapsus.net##div[id^="div-pw-"]
+search.entireweb.com##div[id^="web-result-ad-"]
+bittorrent.com###prodnews-cyberghost-tower-ad
+gamesk.pro##.prows
+||app.audiopulsar.com/*/embed/
+readm.org###podium-spot
+||media-cdn.synkd.life/fenix.js$domain=worldofbuzz.com
+||searchresults.cc/system.js
+||app.wiki.gg/public/CCM_MREC_Ads_
+wiki.gg##div[class^="sidebar-showcase"]
+wiki.gg##div[class^="games-showcase"]
+pornone.com##body .vjs-paused > .warp
+earth.com##div[class^="PrebidAdSlot_"]
+tutubox.io,store.app-valley.vip###vipModal
+newsindiatimes.com##.a-single
+portalvirtualreality.ru,webtoonhatti.com,newsindiatimes.com##.widget_text
+thetimes.co.uk##div[class^="responsive__InlineAdWrapper"]
+/\.com\/[0-9a-z]{12,}\/[0-9a-z]{12,}\.js$/$script,~third-party,domain=tube-teen-18.com|teen-hd-sex.com|xxx-asian-tube.com
+edition.cnn.com##section[data-zone-label="Watch It"]
+investing.com##div[class*="AdBillboard_"]
+||k1nk.co/videos/*/_.*.js
+||emovies.si/api/pop*.php
+transtxxx.com,shemalez.com,gaytxxx.com,thegay.com,thegay.tube,hdzog.com,vjav.*,hotmovs.*,privatehomeclips.com,txxxporn.tube,txxx.*##div[style="display:flex !important"] > div
+ace.mu.nu###google-banner
+ace.mu.nu##div[sponsorship]
+||eternia.to/data/siropu/$image
+crunchyroll.com##.contents > p[style="text-align: center;"] > a[href][target="_blank"]
+pixelify.net##.content-ad-top
+pixelify.net##.under-download-button-ad-div
+pixelify.net##div[class^="google-ad-"]
+myanimelist.net##div[data-koukoku-width]
+helpnetsecurity.com##aside[data-position]
+pdfbooksworld.com##div[style^="height:280px"]
+||cxm-api.fifa.com/fifaplusweb/api/video/GetVerizonPreplayParameters?*&adPostroll$xmlhttprequest,removeparam=adPostroll
+||cxm-api.fifa.com/fifaplusweb/api/video/GetVerizonPreplayParameters?*&prerollAds$xmlhttprequest,removeparam=prerollAds
+wetpussygames.com##.special
+world.rugby##.main-nav__promo-link
+buzzfeed.com##.Ad--loading
+businesstoday.in##.sponsored_widget
+||show.wealthn.com/iframe/ad*.php
+v.24liveblog.com##.lb24-base-list-ad
+||animeflv.*/api/pop.php
+||gifyu.com^$domain=masahub.net
+masahub.net##body > div[style^="position: fixed; inset: 0px; z-index:"]
+pornblade.com###e_v + aside[id]
+xnxx-sexfilme.com,hd-easyporn.com,pornblade.com,pornfelix.com##.vjs-overlayed
+latenightstreaming.com##.lns-vpn-notice
+latenightstreaming.com##.lns-advert-container
+howjsay.com###home_banner_add
+mashable.com##.exco
+miuiku.com##a[href^="https://poptival.com/"]
+hdsex.org##.player__inline
+||adult-sex-games.com/images/*.gif
+adult-sex-games.com##div[style$="width: 520; height: 120;"]
+sakurajav.com,adult-sex-games.com,hornygamer.com##a[rel*="sponsored"]
+iphoneincanada.ca###main > article ~ div.widget-area
+kisscos.net###p-overlay
+emturbovid.com,tuborstb.co,85videos.com###pop
+85videos.com##.haha-body
+imagetotext.info##div[class^="text-center"][style]
+viralsciencecreativity.com###POPUPS_ROOT
+viralsciencecreativity.com##div[id^="pagePinnedMiddle"]
+hancinema.net##.ad_article
+indiatoday.in##iframe[height="90"][width="100%"]
+||akm-img-a-in.tosshub.com/sites/test/ipl/2022/index.html$domain=indiatoday.in
+fellowsfilm.com##article[data-author="Advertisement"]
+apps.jeurissen.co##img[height="250"][width="300"]
+apps.jeurissen.co##.cja-partner
+apps.jeurissen.co##div[class="cja-btmimage cja-card"]
+||xmegadrive.com/player/html.php?aid=pause_html
+xmegadrive.com##body > div[style^="position: fixed; inset: 0px; z-index:"]
+parade.com,bringmethenews.com,thespun.com,thestreet.com,si.com##.m-outbrain
+/im_jerky?vlmi=$domain=redgifs.com
+pornwhite.com##.player-spots
+/api/popv2.php$xmlhttprequest,~third-party,domain=kissanime.com.ru|animehub.ac|animeflv.*
+nzbstars.com##a[href="usenetbucket.php"]
+||nzbstars.com/?page=getimage&messageid=$image
+pornotube.xxx,xxxx.se,vidsvidsvids.com,freefuckvidz.com,hardcoreinhd.com,hdpornstar.com,japansexhd.info###tabVideo > div.rmedia
+||xxvideoss.org/wp-content/uploads/*/bannerrtx.jpg
+w2g.tv##.w2g-doit
+tron-free.com##.ads > ins[class][style^="display:inline-block;"]
+images4u.cc##.adssquareag
+up-4ever.net,helpnetsecurity.com,javstream.co,files.im,readsnk.com,tokyoghoulre.com,demonslayermanga.com,thelittleslush.com,famousinternetgirls.com,fake-it.ws,sexasia.net,groundedtechs.com,up-load.one,lowendbox.com##img[width="300"][height="250"]
+||lowendbox.com/wp-content/uploads/*/index*.html
+||lowendbox.com/wp-content/uploads/*/solid-300x70-
+timesnownews.com##.ad-600-h
+allthatsinteresting.com##.around-the-web-section
+allthatsinteresting.com##div[style="margin-bottom: 0px; margin-top: 15px;"]
+sxyprn.*##.post_el_wrap > a.tdn
+||hentaihaven.icu/wp-content/plugins/sscript-manager/
+||javideo.net/js/popup.js
+||javf.net/js/popup.js
+kronenberg.org##.largerect
+listcrawler.eu##.wrapBanner
+hdzog.com##.video-page__banners
+hdzog.tube,hdzog.com##.suggestions
+txxxporn.tube##.video-videos-slider + div[class] + div[class]
+mrchecker.net##img[max-width="250"][max-height="250"]
+mrchecker.net##img[width="328"][height="300"]
+vpnmentor.com###vm_ep
+vpnmentor.com###vm_ep ~ div#vm_ep_bg
+vpnmentor.com##.top-vendors-wrap
+gofile.io###adsGoogle
+calendardate.com###ga_tlb
+||mypornhere.com/player/html.php?aid=*_html&video_id=*&*&referer
+mypornhere.com##.item[style="text-align:center !important;"]
+thatviralfeed.com##div[id^="cs_ad"]
+||azlyrics.biz/bannergrammarquiz.png
+thatviralfeed.com##section[style="margin-top: 5px; margin-bottom: 5px;"]
+amazon.*##div[cel_widget_id="sims-consolidated-5_csm_instrumentation_wrapper"]
+amazon.*##div[data-cel-widget^="MAIN-SHOPPING_ADVISER-"]
+amazon.*##.s-search-results > div[data-asin] div[data-component-props*="Sponsored"]
+thedailybeast.com##div[data-pos2]
+timesofindia.indiatimes.com##div[data-plugin="sticky11"] > .emptyAtfAdSlot + div[style="min-height: 250px;"]
+games.word.tips##div[class*="__displayAd"]
+games.word.tips##div[class^="GameTemplate__adSidebar___"]
+wcofun.net##.reklam_kapat
+pridesource.com###custom_html-21
+dailymusicroll.com###custom_html-32
+||thedevs.cyou/hh/script-manager.js
+/js/ppndr.$domain=analdin.com|xozilla.*|xhand.com
+||xhand.com/player/html.php?aid=*_html&video_id=*&*&referer
+||assets.msn.com/bundles/*/weather/latest/river-feed.
+fc2covid.com##.widget > center
+vg247.com##.advert_container
+vg247.com##.insert_ad_column
+youpornru.com###pbs_block
+illink.net##iframe[style="width: 1px; height: 1px; opacity: 0;"]
+kissasians.org##.btn-success[href*="?key="]
+jardima.com##.g1-slideup-wrap
+||lp.mydirtyhobby.com^$removeparam
+/aircraftmighty.com/*.js$domain=9anime.*
+123animes.*##div[id][style^="position: fixed; inset: 0px; z-index: 2147483647;"]
+bfn.today##.sh_ad_top
+||sbfast.com/js/jquery/*/jquery-*.min.js?v=
+||stickyflix.com/custom/vast.php
+operanews.com###home_right_top
+techspot.com##div[class^="adContainerSide"]
+leakedmodels.com,nudostar.com##.azz_div
+10hd.xyz##a[href^="https://sohot.cyou/"] > img
+tympanus.net##.ct-sidebar > .ct-sticky
+apkmirror.com##.advertisement-text
+farmgamesfree.com,mahjonginn.com,solitairevale.com,gamesparkles.com,wordgamesfun.com,gemsblitz.com,flowersyard.com,freegames.guru,mysteryvale.com,mysteryarcade.com,oceaniaplay.com,criminalcase.co,hiddensaga.com,stumbleplay.com,mmosquare.com,gamestough.com,sportsgameslive.com,onlineanimegames.com,appstoplay.com,playmmorts.com,playmmofps.com,wwgdb.com,watchtoplay.com,slotsbingofun.com,bingospell.com,slotsevens.com,pokerworldz.com,social-casino-games.com,virtualworldsland.com,horseplains.com,virtualworldgames3d.com,glamoursquare.com,girlgamestown.com,petsvale.com,babyclaps.com,virtualrealitygamesfree.com,sandboxworlds.com,gameseducatekids.com##div[class^="bnr_"]
+farmgamesfree.com,mahjonginn.com,solitairevale.com,gamesparkles.com,wordgamesfun.com,mysteryvale.com,gamestough.com,slotsbingofun.com,bingospell.com,virtualworldsland.com,horseplains.com##.matched_content_wrapper
+poki.*##div[class*="_AdvertisementContainer"]
+repuls.io###partnerAd_letter
+mp3cutterpro.com##.sp-section
+collive.com##a[href*="&ad_url="]
+collive.com##.premium-post-ad
+m.xcum.com##.mob_under_player
+roadtovr.com##footer > div.td-post-content
+nubng.com,techhelpbd.com###stream-item-widget-5
+compstudio.in##div[class^="stream-item"]
+uploadydl.com##center > a[target="_Blank"] > img
+||xcum.com/_a_xb/
+yts.mx##.madikf
+grandprix247.com###snack_dmpu
+/ajax/banner/list?$domain=primewire.today|newprimewire.site|solarmovies.video
+tradefairdates.com,transfermarkt.*##.werbung
+||iceppsn.com/templates/base_master/js/jquery.shows.min.js
+||nvdst.com/templates/base_master/js/jquery.shows.min.js
+||plibcdn.com/templates/base_master/js/jquery.shows.min.js
+||tubeon.*/templates/base_master/js/jquery.shows.min.js
+||vivatube.*/templates/base_master/js/jquery.shows.min.js
+movizland.biz###PapaGooGorHDVid
+pimpandhost.com##a[href="/site/cams"]
+porn-images-xxx.com,hentai-cosplays.com###display_image_detail > span
+productreview.com.au##div[class*=" top-advertisement-sticky-container__"]
+productreview.com.au##div[class*="-ad__"]
+productreview.com.au##div[class*=" leaderboard_"]
+files.im##div[style="height: 500px;width: 100%;margin: auto;"]
+||uploadboy.com/banner/
+101soundboards.com##.adsense_matched_content
+101soundboards.com##.ads_top_container_adsense
+||ts.icrypto.media/_offer_promt/
+icrypto.media##.aside_land_offer
+icrypto.media##div[data-rtadcontent]
+americanexpress.com##div[data-component-name="login-container"] > div > div.dls-accent-white-01-bg.text-align-center
+defistation.io##.defiListTableBanner
+||defistation.io/static/media/banner_
+footybite.cc###kis
+||adshort.co/toolfp.js
+chillx.top###theotherads
+||www.techpowerup.com/reviyuu/
+moneylife.in##div[class^="mid_ad_"]
+moneylife.in##.top_most_banner
+polygonscan.com,bscscan.com##.justify-content-center > span[style^="line-height:"]
+editpad.org##.adsec
+sbenny.com##div[style*="margin-top:"][style*="margin-bottom:"][style*="20px"]
+darkreader.org##.recommendations-container
+/assets/banners/*$domain=fmovies.to|vizcloud.*|mcloud.to|vizcloud2.*|vidstreamz.online|vedbex.com
+fmovies.to,vizcloud.*,mcloud.to,vizcloud2.*,vidstreamz.online###player-wrapper > #player ~ div[style^="position: absolute;"]
+fmovies.to,vizcloud.*,mcloud.to,vizcloud2.*,vidstreamz.online##.xad-wrapper
+hentaimama.io##.in-between-ad-one-wrapper
+mrsportsgeek.com##div[class="container"] > .row > .col > .jcarousel-chriswrapper
+movies24.club##.sticky_ads
+pornwhite.com,sleazyneasy.com,fetishshrine.com,wankoz.com##div[data-banner]
+lyricskpop.net##.single-lyric-ads
+kdramahood.com##div[style=" height:230px"]
+kdramahood.com##div[style=" height:300px; margin-top:10px;"]
+kdramahood.com##.player_nav > div[style^="text-align:center; padding-top:"]
+||kdramahood.com/source/*car-insurance.php
+||sbplay.org/js/jquery/*/jquery-*.min.js?v=
+order-order.com###stickyfooterwrap
+mediafire.com,torrents-proxy.com,bdnewszh.com##div[class$="-banner"]
+||hazmo.stream/hazmo.js
+crackdj.com##button[class^="buttonPress-"]
+haxpc.net,fullcrackedpc.com,wareskey.com##.getox
+miltonkeynes.co.uk,whatsonstage.com##div[class*="AdContainer"]
+topeuropix.site###MyAdsId300x250
+pixlr.com##body > #right-space
+windowsnoticias.com,movilforum.com,mrlabtest.com##.publi
+||tut.az/iframe/index$third-party
+||popin.cc/ads/
+vaughn.live##div[id^="div-insticator-ad-"]
+wccftech.com##body .ads-container
+hentai-sharing.net##.e3lan-post
+hentai-sharing.net###ads300_250-widget-2
+poedb.tw###topbanner970
+poedb.tw###bottombanner970
+crazyblog.in,studyuo.com##div[id*="_"][style^="min-width"]
+myfilmyzilla.com,paidappstore.xyz###sticky-ads
+thenationalpulse.com##.widget-area > div#block-15
+hobbylark.com,thestreet.com,psmag.com##.l-content-recommendation
+sexub.com###cframe
+||payskip.org/banner
+payskip.org##img[onclick^="window.open("]
+xpornium.net##body > div[style^="position:"][onclick*="inject"]
+apkgk.com##div[class^="adv-block"]
+apkgk.com##.adv-body
+adlice.com###preview-div
+timeshighereducation.com###block-the-dfp-the-dfp-oop
+fonearena.com###text-523314007
+fonearena.com###text-523313999
+||sunporno.com/*.php$script,~third-party
+||cloudflare.com/ajax/libs/postscribe/$script,domain=vumoo.vip
+fileproinfo.com##.col-lg-12 > div[style="min-height: 250px; text-align: center;"]
+720pstream.nu##.position-absolute[class*="bg-opacity-"]
+investing.com##.dfpAdUnitContainer
+elitepvpers.com##.page > div > a.ads
+elitepvpers.com##div[style="text-align:left;padding:0px 10px 1px 10px"] > div:empty + div[class="thead smallfont"]
+elitepvpers.com##.cw1h
+eurogirlsescort.com##.banners-inpage
+eurogirlsescort.com##a[data-type="banner"]
+softexia.com##.a1g2022w
+radiotimes.com##.stack > div.stack__item.mb-lg
+downloadr.in##.epcl-banner
+pubhtml5.com##.ph5---banner---container
+||viewsb.com/js/jquery/*/jquery-*.min.js?v=
+manga-raw.club##div[style="height: 200px;"]
+manga-raw.club##center > div[style*="margin-bottom:"][style*="height:"]
+javbangers.com##.topnav > li > a[onclick][href]
+newcastleherald.com.au##div[id^="mrec-"]
+zerohedge.com##div[class^="Banner_banner__"]
+dl.freetutsdownload.net##.a-11 > center
+dl.freetutsdownload.net##.a-10 > center
+||ponselharian.com/img/download_
+||mikakoku.tophosting101.com^$domain=pimpandhost.com
+||pimpandhost.com/mikakoku/
+pimpandhost.com##div[class*="aaablock"] > div.iframe-container
+videobin.co###pausebanner
+||eroticity.net/clientscript/popcode_
+||eroticity.net/clientscript/poptrigger_
+serebii.net##div[style="height:102px"]
+||thizissam.in/beardeddragon/iguana.js
+piracy.moe##div[class*=" Card_sponsored__"]
+cartooncrazy.uno##.tidymag-sidebar-content > div[id^="custom_html-"]
+serebii.net##div[style^="margin-top:16px"][style*="height:100px"]
+pcmag.com##a[href^="https://www.vouchercodes.co.uk/"]
+||osdn.net/js/ad_dfp_
+||cloudemb.com/js/jquery/*/jquery-*.min.js?v=
+euronews.com###sharethrough-ad
+euronews.com##.qa-marketBlock
+||familyminded.com/assets/di_ads.*.js
+pherotruth.com##.headerad
+pherotruth.com##.footerad
+pastebin.pl##a[href^="https://www.binance.com/"] > img
+ladbible.com,unilad.com,unilad.co.uk,gamingbible.com,tyla.com,sportbible.com##div[data-cypress="sticky-header"] div[class$="-Advert"]
+ladbible.com,unilad.com,unilad.co.uk,gamingbible.com,tyla.com,sportbible.com##div[class$="-margin-Advert"]
+sharemods.com##iframe[data-id$="_DFP"]
+||imgdawgknuttz.com/*.php
+||tubebuddy.com^$domain=filmyzilla-in.xyz
+yifysubtitles.me##a.btn-success[target="_blank"]
+beeimg.com##.offer2
+||proinfinity.fun/wp-banners.js
+proinfinity.fun##div[style$="width: 300px; height: 255px; z-index: 99999999;"]
+multiclaim.net,proinfinity.fun##div[class$="BannerMain"]
+||moviesland.xyz/js/jquery/*/jquery-*.min.js?v=
+||i.ibb.co^$image,domain=nairametrics.com|owllink.net|adlinkweb.com|amongusavatarmaker.com|hdporn92.com|uploadflix.cc
+helpinterview.com###banner_img
+helpinterview.com###bottom-columns
+gadgets.ndtv.com##div[style="text-align:center;margin:10px auto 30px;"]
+cricbuzz.com##.cb-ad-unit
+ascii-code.com##div[style="min-height: 240px;"]
+apkmos.com##div[class^="apkmo-"][style]
+||rezonence.com/Pub/*/doubleserve.js
+minecraftforum.net##.xt-main-med-rect
+minecraftforum.net##.server-forum-after-comment-ad
+||api.plnkr.co/v2/sponsors
+cadlinecommunity.co.uk###sidebar_advert
+tiger-algebra.com##.ga-top-banner
+hackingwithswift.com##.hws-sponsor
+hackingwithswift.com##.hws-sponsor + p.text-center > a[href="/sponsor"]
+dmarge.com##.dx-ad-wrapper
+audiencepool.com###interstetial-container
+tureng.com###tureng-cambly-ad-placeholder
+1001tracklists.com##div[id*="left" i] a[href][target="_blank"]:not([href*="1001tracklists.com"]) > img
+1001tracklists.com##div[id*="left" i] + div[style] a[href][target="_blank"]:not([href*="1001tracklists.com"]) > img
+crichd.*##div[id^="floatingLayer"]
+nocensor.*##.alert-dismissible[onclick^="window.open("][onclick*="/vpn/"]
+thecinemaholic.com##.cinemaholic-ad-below-header
+coinhall.org##.items-center > a[class^="relative"][title*="Ad"]
+bgames.com##.slot-container
+lowendtalk.com##iframe[height="70px"][width="258px"]
+wjunction.com##a[href^="https://xpornium.net/"]
+tech.hindustantimes.com##.headerAds250
+tech.hindustantimes.com##.footerAds250
+hellomagazine.com##body div[data-js-ad-manager-slot]:not(#style_important)
+plnkr.co##.ag-grid-banner
+aptoide.com##div[class*="__AdsContainer-"]
+lbprate.com###Ad1
+lbprate.com###Ad2
+lbprate.com###Ad3
+lbprate.com###Ad4
+akiba-online.com##.p-body-inner > div[align="center"] > a:not([href*="akiba-online.com"]) > img
+camwhores.film##body > div[style*="position: fixed"][style*="border-top-left-radius"]
+cnbc.com##div[class*="BoxRail-styles-makeit-ad--"][data-test^="adFlexBox-"]
+||videocdn.click/zzht.php
+kolagames.com##.slot
+kolagames.com##.gameinfo_top_ad
+kolagames.com##.gameinfo_middle_ad
+kolagames.com##.gameinfo_rightad
+||youspacko.com/com/traffic_in.php
+igg-games.co,igg-games.com##a[href^="http://s.igg-games.com/index.php?qc="]
+howto-outlook.com##div[class*="widget-ad-"]
+filepuma.com##.adTip
+mp4upload.com###lay
+||mp4upload.com/2bb.html
+freepik.com##.main-spr
+tutsnode.net##.tutsn-widget
+techvidvan.com##.code-block > div[style]
+freeporno.xxx,24porn.com,redporn.xxx##.c-random
+||javfindx.com/sw.js
+javbrazez.com,pornbraze.com,javlab.net,javdoe.sh,javbraze.com,vjav.me,javfuq.com,javhat.tv,javfindx.com###previewBox
+hideproxy.me##.hidemeproxy__slideout
+playerx.stream###youcantseeme
+russian-porn.ru###xxx
+||belhak.ru/porno/foto.gif
+||im*-tub-ru.yandex.net^$domain=russian-porn.ru
+shortix.co,learnmany.in###blur-background
+shortix.co,learnmany.in,forex.soft3arbi.com,uptoearn.xyz,fxmag.com###popup
+thisismoney.co.uk##.mpu_puff_wrapper
+||spox.com/daznpic/$domain=goal.com
+goal.com##div[class^="article_daznMatchesBanner_"]
+razorpay.com##p > a[target="blank"] > img
+healthline.com##.css-1cg0byz
+freedomplatform.tv##a[href^="https://londonreal.tv/"]
+analdin.xxx##div[style="position: absolute; inset: 0px; overflow: hidden; background: transparent; display: block;"]
+cracked.io##a[target="_blank"] > img[loading="lazy"]
+desitales2.com##.inside-right-sidebar > aside[class$="widget_block"]
+||wp.com/www.sadeemrdp.net/img/RDP-Ad.gif$domain=sadeempc.com
+guru99.com##.sidebar-inner-wrap
+igay69.com,xmoviesforyou.com,pureleaks.net,theautopian.com,miraikyun.com,greekreporter.com,nintendoeverything.com,data-flair.training##div[class^="code-block code-block-"][style^="margin: 8px auto; text-align: center;"]
+icodrops.com##.pinned_ad
+phonearena.com##.widgetHeader__headingDeals
+reneweconomy.com.au,tenforums.com##div[data-fuse]
+||formula1.com/etc/designs/fom-website/libs.advertisement.min.js
+skipser.com##.skipserad
+pinetools.com###carbon-ads-container-bg
+simkl.com##.blockplace
+truck1.eu##.splitter-banner
+uploadev.org##img[data-original-height="90"][data-original-width="728"]
+coolmathgames.com##.asideright > div[class*="block-adsright"]
+colnect.com##.cad_placeholder
+httpstatus.io###carbon-container
+essentiallysports.com##div[style="text-align:center"] > p[class*="jsx-"][style^="margin:0"]
+livemint.com##.fixadheight
+beebom.com###block-44
+thesun.co.uk##.widget-height
+thesun.co.uk##.article__footer
+stepmoms.xxx##iframe[src^="https://creative.dmzjmp.com/"]
+stepmoms.xxx##iframe[data-lazy-src^="https://creative.dmzjmp.com/"]
+vbaexpress.com##img[width="728"]
+slideserve.com##div[style="height:250px;width:100%"]
+slideserve.com##div[style="width:100%;height:300px; margin-top: 5px;"]
+latinohentai.com##aside.widget_media_image > a:not([href*="latinohentai.com"], [href*="twitter.com"], [href*="discord.gg"]) > img
+quizdeveloper.com##.ads_qa_header
+||embedsb.com/js/jquery/*/jquery-*.min.js?v=
+coursef.com##div[style="min-height: 250px !important"]
+coursef.com##div[style="display:block; min-height: 250px"]
+mobifap.com###container > li[class="box"][style*="background:"]
+geschwindigkeit.*,meter.net,netmeter.co.uk,predkosc.pl,rychlost.sk,speedmeter.hu,testdebit.fr,testvelocidad.es,testvelocita.it,xn--zcka2bjc9dzp.jp##div[id*="-"][style="text-align:center;min-height:90px;"]
+geschwindigkeit.*,meter.net,netmeter.co.uk,predkosc.pl,rychlost.sk,speedmeter.hu,testdebit.fr,testvelocidad.es,testvelocita.it,xn--zcka2bjc9dzp.jp##div[style="min-height:100px;margin:0 auto 10px auto;display:flex;align-items:center;align-content:center;justify-content:center;"]
+txxx.*,upornia.*##.video-videos-slider
+dextools.io##app-mini-banner
+gg.deals###content-banner-image
+toolbox.com##.centerthe1
+omnicoreagency.com###text-59
+abc.com##.noPlaylistAd
+flightconnections.com##div[class^="waldo-"]
+flightconnections.com##.parallax-container
+timesofindia.indiatimes.com##.clsplaceholder
+alphr.com##.js-article_desktop_end
+apnnews.com##.bottomAd2
+videojav.com##.js-mob-popup
+pdfprof.com##div[style="padding:4px;height:500px !important;"]
+pch.com##.ad_slot_header
+gifgit.com##div[class^="ad_unit_"]
+teachthought.com##div[class^="astra-advanced-hook"]
+abplive.com##.a-ecom-wrap
+abplive.com##a[href*="abplive.com/for-you"]
+paraphraser.io##.adsenbox
+paraphraser.io##div[style="min-height:122px"]
+||virtwishmodels.com^$domain=camwhores.*
+linkvertise.com###advertise-block
+downloadtube.net##.itfloater
+||downloadtube.net/*itube
+sporcle.com##div[style^="text-align: center;"] > div[style*="height: 110px; min-width: 300px;"]
+buondua.com##.pagination + br + div[class]
+tvline.com##.pluto-tv-wrapper
+||pluto.tv/live-tv?type=embed&mute=true$domain=tvline.com
+affpaying.com,boosteroid.com##.bottom-banner
+washingtonpost.com##.right-rail > div[style="min-height: 620px;"]
+nunatsiaq.com##div[class*="-ads "]
+rahim-soft.com,uploadrar.com###commonId > a[target="_blank"]
+stardoll.com###leaderboardContainer
+stardoll.com##.sdadinfo
+stardoll.com##.stardollads
+bookmyshow.com###AD_HOME_CAROUSEL
+forecaweather.com,foreca.com##.ad-wide-wrap
+smartasset.com##[class^="riklam"]
+shubz.in##.rh_listoffers
+formula1news.co.uk,saddind.co.uk,fandomwire.com,windowsactivator.info,shubz.in##div[class^="code-block code-block-"][style*="margin: 8px auto; text-align: center;"]
+friv5online.com##body .bnr
+emulatorgames.net##.site-label
+farminguk.com##.advert-word
+farminguk.com###newsadvert
+farminguk.com##.news-advert-button-click
+manualslib.com##.manualban
+teachthought.com##.wp-block-image > figure.size-full
+sporcle.com##.sporcle-promo
+sporcle.com###go-orange
+httrack.com##.effect8
+fully-fundedscholarships.com##.theiaStickySidebar > div.widget_block[id^="block"]
+cognitiveclass.ai##.announcement
+leicarumors.com###text-467498341
+headerbidding.co,nikonrumors.com,leicarumors.com##img[width="300"][height="600"]
+findpersonfree.com,gizchina.com###block-21
+gizchina.com###block-18
+18adultgames.com,gizchina.com###block-20
+ryuugames.com,gizchina.com###block-32
+sploop.io###bottom-content
+sploop.io###game-left-main
+sploop.io###game-right-main
+collegelearners.com##.code-block[style^="margin: 8px auto; text-align: center;"]
+it-doc.info,laweekly.com,windows101tricks.com,wdwnt.com,cgpress.org,tv.puresoul.live,livesportstream.club,dataversity.net,fullform.website,collegelearners.com###block-3
+teachthought.com,napeza.com,collegelearners.com###block-4
+||avple.video/asset/jquery/slim-3.2.min.js
+jooble.org##a[href^="/BannusHandler?"]
+weatherandradar.com##wo-ad
+dallasnews.com##div[class^="dmnc_features-ads"]
+123lnk.xyz###submitBtn + p
+123lnk.xyz##center + p
+padelgo.tv##div[class^="eventCardAd_"]
+padelgo.tv##div[class*="mediaCardAd_"]
+dnsleak.com##.outer__benefits
+dnsleak.com##.why__block
+dnsleak.com##.try__pia
+techgeekbuzz.com###custom_html-21
+techgeekbuzz.com###block-7
+hentaihorizon.com,contactform7.com,techgeekbuzz.com###block-5
+||player.globalsun.io/player/videojs-contrib-ads/dist/videojs.ads.min.js
+photopea.com##div[style^="padding-top: 10px; overflow: hidden; padding-left:"] > img
+photopea.com##div[style^="padding-top: 10px; overflow: hidden; padding-left:"] > a[target="_blank"] > img
+hentaiasmr.moe###inPlayerGGzone
+/^https:\/\/x?1337x\.(?:eu|g3g\.sbs|gd|to|se|unblockit\.name|st)\/(?:css\/)?(?:images\/)?[0-9a-z]+\.(?:gif|jpe?g|png)/$image,~third-party,domain=1337x.to|x1337x.eu|x1337x.se|1337x.unblockit.*|1337x.st
+||skylinewebcams.com/as.php
+skylinewebcams.com###cams_near > div > a ~ div[class="col-xs-12 col-sm-6 col-md-4"]
+naughtymachinima.com##iframe[src^="https://chaturbate.com/"]
+||sbflix.xyz/js/jquery/*/jquery-*.min.js?v=
+||gn-web-assets.api.bbc.com/ngas/*/dotcom-ads.js
+thetimestribune.com###floorboard_block
+||flipp.com^$domain=thetimestribune.com
+||stackify.dev/images/banner/
+gsmchoice.com###left-con > div[style="min-height: 250px;"]
+hancinema.net##p[class="updates_emoji play"] > a[href$="-vpn.php"]
+||fff.dailymail.co.uk/accessorise_ad
+outlookindia.com,inoreader.com##.ad_title
+supertipz.com##iframe[style*="position: static !important; inset: 0px; overflow: hidden; z-index:"]:not([src])
+csoonline.com##.idgLeaderBoard
+teachthought.com###media_image-6
+speakerdeck.com##.carbon-container
+imgpile.com##.upload-files
+imgpile.com##.nt-lg
+timesofisrael.com##.crm-post-module
+tribuneindia.com##.add-sec
+robots.net###sticky-footer-ads
+changenow.io##.banner-wrap
+cararegistrasi.com##a[href="https://bahasteknologi.com/"]
+hindime.net##.stky-ads
+xmilf.com##.videoplayer + section > #und_ban
+xmilf.com##.videoplayer + section > #und_ban + h4
+in-porn.com,sextu.com,mrgay.tube,xmilf.com,blackporn.tube,bdsmx.tube,inporn.com##[style="display:flex !important"] > div > div:not(:last-child)
+in-porn.com,sextu.com,mrgay.tube,xmilf.com,blackporn.tube,inporn.com##.video-page__content > div.right
+in-porn.com,sextu.com,mrgay.tube,blackporn.tube,inporn.com##.video-info > section
+in-porn.com,sextu.com,mrgay.tube,xmilf.com,blackporn.tube,bdsmx.tube,inporn.com##.video__wrapper > div.wrapper.headline
+in-porn.com,sextu.com,mrgay.tube,xmilf.com,blackporn.tube,bdsmx.tube,inporn.com##.wrapper > article
+in-porn.com,sextu.com,mrgay.tube,xmilf.com,blackporn.tube,bdsmx.tube,inporn.com##section[is-footer-banners]
+designcorral.com##.vi_widgets_ads
+webdevtrick.com##.td-footer-ad
+wololo.net##.entry-inner > blockquote > center
+blockonomi.com##.sponban
+blockonomi.com##.sidebar li[id^="custom_html"] > div.textwidget > center
+blockonomi.com##.the-post-foot
+blockonomi.com##li[id^="menu-item"] > a[href*="/out/"]
+pdftoxps.com,ebook2pdf.com,imagetopdf.com,odt2pdf.com,rtftopdf.com,pdf2mobi.com,pdfextractor.com,pdfjoiner.com,html2pdf.com,imagecompressor.com,mobi2epub.com,epub2kindle.com,pdf2kindle.com,epubtopdf.com,pubtopdf.com,svgoptimizer.com,epstopng.com,epstosvg.com,svgtopdf.com,pdftosvg.com,jpg2svg.com,svgtojpg.com,svgtopng.com,png2svg.com,pngtogif.com,giftopng.com,gifcompressor.com,giftomp4.com,pdf2tiff.com,tiff2pdf.com,jpg2tiff.com,tiff2jpg.com,png2tiff.com,tiff2png.com,pdf2doc.com,doctopdf.com,pdftoimage.com,jpg2pdf.com,pdf2docx.com,pdf2png.com,png2pdf.com,pdfcompressor.com,combinepdf.com,rotatepdf.com,unlockpdf.com,croppdf.com,toepub.com,xpstopdf.com,djvu2pdf.com,pdftotext.com,shrinkpdf.com,compressgif.com,compresspng.com,compressjpeg.com##.ha
+||links.extralinks.casa/ads.js
+iqcode.com##div[class^="ansbanner"]
+southbmore.com###sidebar a[href^="https://bit.ly/"] > img
+crackshash.com##.wp-ad
+crackshash.com##.ad-boxxx
+||crackshash.com/dc.php?$popup
+picsearch.com###adTopContainer
+sparknotes.com##.pw-ph-med-rect
+sparknotes.com##.incontent-ads-container
+sparknotes.com##.distroscale_container_right_rail
+sparknotes.com##.pw--right-rail[data-pw-desk="med_rect_btf"]
+goal.com##.molecule-ad
+film01stream.ws##.f-inner
+bestreviews.net,blokt.com##.su-box
+myanimelist.net##.mal-koukoku-unit
+||xcafe.com/js/initsite.js
+||watchsb.com/js/jquery/*/jquery-*.min.js?v=
+zoomtventertainment.com##div[class^="adCaller-"]
+twitchtracker.com##.gbslot
+||twitchtracker.com/gb/*.gif
+||mad4wheels.com/plugins/theme/js/info_modal.js
+newtraderu.com,videocardz.net,videocardz.com,hollywoodmask.com##body .ezoic-ad:not(#style_important)
+kissanime.com.ru###leftside > div[class="full"]
+w3resource.com##article ~ hr.w3r_hr
+||static.fastdlx.net/tabu/display.js
+gaystream.click,gaystream.pw,pornsos.com##.a-box
+young18.net###uksqrya
+||young18.net/ver.js
+young18.net##.stall > div[class][id]
+thequint.com##._3VDj4
+rajwap.biz##.player-bhor-box
+rajwap.biz##.bhor-box
+||rajwap.biz/js/exo.go.js
+mentalflare.com##.c-header-ad
+mentalflare.com##.qa-placement--monetization
+privacysavvy.com##.ps-block
+gobankingrates.com##.snippet-in-content
+cyberwaters.com##aside[id^="custom_html-6"]
+cyberwaters.com##.thevpnbox
+pixeldrain.com##.skyscraper
+||pixeldrain.com/res/script/adaround.js
+||pixeldrain.com/res/script/flyingsquare.js
+gettubetv.com##span[style*="font-size: 12px;"][style*="text-decoration: none;"]
+digminecraft.com###pre_header > div[class]:not(#header)
+digminecraft.com###content > div.page + div[class]
+||api.ghosteryhighlights.com/v*/placements/
+seemysex.com##.rain
+seemysex.com##.inline-video-adv__inner
+html.com##div[style^="width:728px;"][style*="height:120px;"]
+bestjavporn.com,javxxx.me,javhdporn.net###player_3x2_container_inner
+viki.com##.ad-cue-point
+||amazon-adsystem.com/widgets/$important,domain=soccerstreams-100.tv
+issuu.com##div[height="600"][width="160"]
+issuu.com##div[height="90"][width="728"]
+issuu.com###app > div[itemtype] > div[width="332"]
+newindianexpress.com##a[href^="https://www.edexlive.com/"] > img
+nft-tracker.daic.capital##.banner > a
+news.itsfoss.com##amp-fx-flying-carpet
+||hqq.to/js/script-*js
+meteologix.com##div[class^="dkpw"]
+||analyticsinsight.net/wp-content/uploads/*/wdc-ad
+||analyticsinsight.net/wp-content/uploads/*/Banner-
+analyticsinsight.net##.article-content > p:not([class]) ~ div.awac-wrapper ~ div.awac-wrapper
+cnx-software.com##div[class*="-single"] > a[target="_blank"] > img
+cnx-software.com##div[class*="-single"] > div[id*="fixed"][id*="bar"]
+cnx-software.com##.widget-area > section.widget_search + section.widget
+cnx-software.com##.widget-area > section.popular-posts + section.widget
+cnx-software.com##.widget-area > section.widget[style="display: none !important;"] + section.widget
+couponxoo.com##div[style="min-height: 250px;"]
+herzindagi.com##.d-ads
+herzindagi.com##.d-mgid
+herzindagi.com###target-1
+herzindagi.com##.ads_native
+herzindagi.com##.ads-slide
+zoyaporn.com,crabporn.com##.player-right
+zoyaporn.com,crabporn.com##.bottom-bns-block
+hot-milf.co,teenfucking.org##.vid-skvares
+teenfucking.org##.und-bns-wrap
+||sbplay2.*/js/jquery/*/jquery-*.min.js?v=
+operanews.com##.home-advertisement
+||antiscan.me/images/rat.gif
+||antiscan.me/images/excel.gif
+||dl.4kdownload.com/app/advertisement/
+trivago.com##.item-list-ads-container
+javynow.com##.videos-view__side__ad__banner
+||web.vstat.info/src/ads.js
+boobychristmas.com###encart-banner
+boobychristmas.com##.ad-window
+boobychristmas.com##.bt-meet-and-fuck
+torrentdownloads.pro##img[src="/templates/new/images/titl_tag2.jpg"]
+||gifhq.com/a1.php?
+||gifhq.com/d2.js
+careerindia.com##.oiad
+careerindia.com##.os-header-ad > *
+addictivetips.com##.toc-vpn
+file-intelligence.comodo.com##.left-wrapper
+file-intelligence.comodo.com##.rght-wrapper
+techwalla.com##.component-ar-horizontal-bar-ad
+sciencedirect.com##.journal-advert-container
+osxdaily.com##a[href^="https://www.amazon.com/ref"]
+ecoursefree.com##.td-header-rec-wrap
+androidhow.eu##.tdi_54
+androidhow.eu##.tdi_87
+androidhow.eu##.tdi_64
+||cdn.cohesionapps.com^$domain=thepointsguy.com
+webopedia.com,visualcapitalist.com,rugdoc.io##div[data-advadstrackid]
+||server.rugdoc.io/wp-admin/admin-ajax.php?action=aa-server-select&p=injection-text
+||server.rugdoc.io/wp-admin/admin-ajax.php?action=aa-server-select&p=main-leaderboard
+w3resource.com###sidebar_right
+w3resource.com##.mdl-grid[style="margin-bottom: 50px"]
+crictracker.com###newsnowlogo
+||static.theprint.in/wp-content/uploads/*/ThePrint*banner$image
+srware.net##a[target="_blank"][onclick*="Forum_Adv"]
+||zirof.com/submit.html
+indiamart.com##.pd-ad2
+ipwithease.com##.ipwit-adlabel
+/\.tv\/[0-9a-z]{12}\.js$/$script,~third-party,domain=camlovers.tv
+thenextweb.com##.tnw-ad
+dextools.io##app-banner
+shyteentube.com##.hor_bs
+shyteentube.com##.video_av_bl
+analyticsindiamag.com##a[href^="https://admissions.praxis.ac.in/"]
+analyticsindiamag.com##a[href="https://mlds.analyticsindiasummit.com/"] > img
+analyticsindiamag.com##a[href="https://dataandanalyticsconclave.com/register-now/"] > img
+dbader.org##div[style="display:block;position:relative;"]
+techsupportwhale.com##.techs-widget
+defkey.com###sticky-left-ad
+/^https?:\/\/s3\.us-east-1\.amazonaws\.com\/[0-9a-f]{50,}\/[0-9a-f]{10}$/$xmlhttprequest,third-party
+/^https?:\/\/[0-9a-f]{50,}\.s3\.amazonaws\.com\/[0-9a-f]{10}$/$xmlhttprequest,third-party
+||sakurajav.com/img/bns/
+sakurajav.com##[id^="widget_advertising-"]
+sakurajav.com##a[href^="https://www.sakurajav.com/goto/?pID="] > img
+sakurajav.com,sex-jav.com##.videos-list-isHome > #isLatest
+sakurajav.com,sex-jav.com##iframe[data-ce-src^="https://promo-bc.com/"]
+sex-jav.com##a[href^="https://www.sex-jav.com/goto/?pID="] > img
+||sex-jav.com/img/bns/
+them.us##.cne-interlude
+strawpoll.com##.wrapsense
+||api.tin.network/banners/
+grabon.in##.go-cstm-bnr
+yt.upshrink.com##a[href^="https://astrazichostfilez2.xyz/"]
+soccerstreams-100.tv###__next > div[style="text-align:center;padding:1.2rem;z-index:1"]
+kunal-chowdhury.com##div[class^="adsZone"]
+pimpmymoney.net##.widget_sow-simple-masonry
+pimpmymoney.net##.widget_siteorigin-panels-builder
+||cdn.fedsy.xyz/app.js
+||browsec-promo.s3.eu-central-1.amazonaws.com/*.html$all
+||byebyeads.org/adblock-pr$all
+macosicons.com##div[style^="min-height: 205px;"][style*="max-height: 240px;"]
+||streamsb.net/js/jquery/*/jquery-*.min.js?v=
+icons8.com##.ads-ss
+bbc.com##.nw-c-leaderboard-ad
+l2db.info##a[href="adv"]
+real.discount##div[class*="card"][style*="height: 200px"]
+real.discount##a[href="/out-ud/"]
+coinsearns.com,luckydice.net##.text-center > [class][style*="display:"]
+mcrypto.club,ptc4btc.com,eldibux.com,coinsearns.com##div[id^="promo"]
+||xxxbule.com/xb/xb.js
+||bigmp3db.com/media/images/teaser/$third-party
+omatomeloanhikaku.com###search-2
+lenstip.com##.shortcode-content > center > p + center
+lenstip.com##.shortcode-content > center > p + center ~ font[color="#808080"]
+s0ft4pc.com,tutcourse.com###text-html-widget-2
+techymedies.com##span[style^="font-size: x-small;"]
+askubuntu.com##.js-freemium-cta
+rugbypass.com##.main-header-ad
+rugbypass.com##.rcjs
+geektonight.com##a[href^="https://click.linksynergy.com/"]
+omio.*##div[id^="LpsContent-AdUnit"]
+programmingoneonone.com##.close-fixedSd
+themodellingnews.com,programmingoneonone.com###Image1
+programmingoneonone.com###Image2
+motorsport.com##.ms-hapb-top
+opentuition.com###custom_html-72
+shazoo.ru##div[class="mtl mbl"]
+shazoo.ru##.homeFeature
+cnn.com##.cn-list-hierarchical-xs .cd--tool__webtag[data-vr-contentbox="https://www.cnn.com/health"]
+||apps.healthgrades.com/cnn/home/assets/embed.js$domain=cnn.com
+sunporno.com##.atv
+sunporno.com##.atvtabling
+monsterspost.com##.ch_banner
+gamertweak.com##div[class^="Adsinnov_"]
+nytimes.com###app > div.e1xxpj0j0
+sdefx.cloud,strdef.world###stream-banner
+strdef.world##div[style^="z-index: 999999; background-image: url(\"data:image/gif;base64,"][style$="position: absolute;"]
+bibme.org,easybib.com,citationmachine.net##.adds-wrapper
+jucktion.com##div[id^="ad_below_menu_"]
+||washingtoninformer.com/wp-content/uploads/*/WEB-AD-728-X-90-1.png
+marketcapof.com##.svg-ad-div
+independent.co.uk##.amp-live-list-item[id^="ad-"]
+forums.androidcentral.com##.mn_postbit:not([id])
+flightglobal.com##.adwrap_MPU
+softwaretestinghelp.com##.alert-box.alert-yellow
+firesticktricks.com##.widget_search + section.widget
+||playersb.com/js/jquery/*/jquery-*.min.js?v=
+datingsitespot.com,gfxdrug.com,tips-and-tricks.co###text-10
+||binbucks.com/js/shrinker.js
+||blog.media.io/images/images2021/pixcut-entry.png
+||ytmp3.cc/js/ad$script,~third-party
+flightstats.com##.fs-header-ad-container
+greekreporter.com,ilikecomix.com##body div.ai-viewports[data-insertion-position]
+keralatelecom.info##div.ai-viewports[data-insertion]
+downloadhub.cfd##a[href="https://bestbuyrdp.com/"]
+analyticssteps.com##.largeads
+||tmohentai.com/nb/
+onlineporno.cc##.w-spots
+movies2watch.tv##div[id^="gift-"]
+windowscentral.com##div[class*="taboola"]
+windowscentral.com##.article-shop-bar
+thegeeklygrind.com##.widget_mnet_widget_above
+techadvisor.com###articleBody > div[data-deals-id]
+||techadvisor.com/cmsdata/deal
+||d2klx87bgzngce.cloudfront.net^$script,redirect=noopjs
+rapidleaks.com,dkoding.in##.sidebar_inner > #custom_html-2
+dkoding.in##.sidebar_inner > #custom_html-14
+dkoding.in##.wpb_widgetised_column #custom_html-5
+ibomma.*###content > #abEnabled + div[style^="text-align:center;margin:"]
+||bitball.b-cdn.net/video/*.mp4$media,redirect=noopmp3-0.1s,domain=111.90.159.132
+wjla.com,wpde.com##div[class^="index-module_taboola_"]
+wjla.com,wpde.com##div[class^="index-module_adBeforeContent_"]
+animenewsnetwork.com##.herald-boxes > div[class="box"]:first-child
+porndoe.com##.below-video
+porndoe.com##.vpb-holder
+codexworld.com##.SidebarBox ~ div.adsense_widget:not(.adsSt_widget)
+digitalthinkerhelp.com##.ezoic-ad + div[id^="media_image-"]
+||xtits.xxx/static/js/ppndr*.js
+all-free-download.com##img[src^="https://all-free-download.com/images/shutterstockbanner/"]
+pornicom.com##.thumb_aside
+m.spookchat.com##.interstitial-banners
+m.spookchat.com##a[class="no-click-count"][target="_blank"]
+m.spookchat.com##.banner-rotator
+||m.spookchat.com/js/bb.js
+||m.spookchat.com/Data.svc/getBanner?ctrl=
+westkentuckystar.com##.adsCategory
+westkentuckystar.com##.firstAdsFont
+narcity.com##.fireworkblock
+apeboard.finance##.MuiBox-root .slick-slider
+||apeboard.finance/static/images/banner/
+||fuqer.com/core/js/script.php
+fuqer.com##.view-content + div.right
+||xozilla.xxx/player/html.php?aid=*_html&video_id=*&*&referer
+libertycity.net,libertycity.ru##.file_info_ad
+tinytranslation.xyz##.ads-hr
+||photon.scrolller.com/scrolller/$media
+||photon.scrolller.com/categories/$image,media
+||multporn.net/balolo.php
+||multporn.net/fern*_pen.js
+||fetishshrine.com/jsb/js_script.js
+issuu.com##div[height="600"][width="300"]
+issuu.com##div[height="300"][width="400"]
+issuu.com##div[height="250"][width="300"]
+issuu.com##div[height="250"][width="300"] + p
+issuu.com##section[aria-label="Advert"]
+issuu.com###ad-primis-wide
+emporis.com###partner
+raabta.net###text-html-widget-3
+omg.blog,uxwing.com,fontesk.com,iplocation.net,pureinfotech.com,insurance-space.xyz##div[id^="bsa-zone_"]
+calculator.net##div[style^="padding-top:10px"][style*="min-height:280px"]
+aroged.com##div[itemprop="articleBody"] > div.quads-location ~ center
+aviability.com##.a180
+info.flightmapper.net##.as_flat
+info.flightmapper.net##.fancy-frame-as
+titanwolf.org##.card-body[style^="min-height:"]
+swarajyamag.com##header > div.container-fluid > div:not([class])
+freegreatmovies.com##.banner-left + div[class]
+freegreatmovies.com##.content-right2
+mashable.com##div[data-pogo]
+whoreshub.com##.spot-col
+mirom.ezbox.idv.tw##.row > div[style="height:280px;"]
+freexcafe.com###rightcolumn
+freexcafe.com##.hotdeal
+||btcadtop.com^$third-party
+mediafire.com##.Avast
+||static.mediafire.com/images/backgrounds/download/affiliate_fullpage/
+gotxx.com##div[class][style^="position: absolute; cursor: pointer; z-index: 2147483646"]
+beautyass.com##.g-link
+insidermonkey.com##.top-left-ad
+nung2uhd.com##.adcen
+||bigwank.com/sw.js
+||bigwank.com/extension/aine/
+bigwank.com###mobile_pop
+||ww2.ibomma.bar/cdn-cgi/apps/head/VTJKqbC8YI9GM58-GfGk85q6-xU.js
+coin360.com##.StickyCorner
+hindinut.com##iframe[data-src^="//ws-in.amazon-adsystem.com/"]
+thethaiger.com##.mvp-container-lp > .sandbox-count
+thethaiger.com##.mvp-widget-tab-wrap .sandbox-count > .boxin > .boxer
+||yifysubtitles.vip/frontend/js/pop-under.php
+radio.net##.topASp
+pokeflix.tv###pokepoppinSquare
+phillymag.com##.three-column-module
+phillymag.com##.ntvClickOut
+theserverside.com###sponsored-news
+watchdocumentaries.com##.sidebar-content-inner > .ai_widget
+karaoke-lyrics.net##.ad_large_square
+getmyuni.com##.appendAdDiv
+adoclib.com##.blog_right_sidebar
+bollywoodshaadis.com##.artcl_ad_dsk
+bollywoodshaadis.com##.adv_text2
+getthot.com##.redirect-iframe
+leaklinks.com##a[href="http://missingtoofff.com/"]
+$subdocument,third-party,domain=getthot.com
+superuser.com##.site-header--sponsored
+stackabuse.com##div[style^="min-height:"][style*="250px"][class*="my-4"]
+stackabuse.com##div[style^="min-height:"][style*="90px"][class*="my-4"]
+familyhandyman.com##.ad-container-wrapper
+familyhandyman.com###ads-container-single
+familyhandyman.com##.widget_taboola_widget
+popsci.com##div[class*="-prefill-container"]
+scienceabc.com##div[class*="incontentad"]
+scienceabc.com###fusenative
+scienceabc.com##div[class^="code-block"][style*="height"]
+afkgaming.com##div[id*="-story-ad"]
+afkgaming.com##div[id$="_sticky_footer"]
+afkgaming.com##div[class^="story-card-gap"] > div:not(.lazyload-wrapper)
+apk.cafe##.adx_center
+newzit.com##a[class^="indexPagePreview_"] ~ div[class^="billboardWrapper_"]
+movies07.live##a[href^="https://movies07prime.com"]
+safecities.economist.com##.wrapper__nec-new-logo
+myswitzerland.com###victorinoxunten
+starterstory.com##.wide-sponsor
+1.fm##.closeads
+voyeurhit.com##.afs_ads + [class] > div[style=""]
+||porntube.com/external/
+||porntube.com/nativeexternal/
+vxxx.com##.popular-models + div[class]
+hh3dhay.xyz,animesanka.*,witanime.com,pouvideo.cc,manga18fx.com,milfnut.com##body ~ iframe[style*="width:"][style*="z-index:"][style*="position:"]:not([src])
+||milfnut.net/js/jquery/*/jquery-*.min.js?v=
+synonyms.com###sela-container
+advertiserandtimes.co.uk##.DMPU
+123free3dmodels.com,bdsm.one##div[class^="ads"]
+bdsm.one##iframe[src*="/frms/footer-big-banner.html"]
+||cdn.bdsm.one/*/frms/footer-big-banner.html
+||xxxdl.net/nothing.aspx?
+wcoanimesub.tv##div[style="float:right; width:420px; height:250px"]
+ravenmanga.xyz##a[href^="https://a-ads.com"]
+how2shout.com,homeworklib.com##.vi-sticky-ad
+||eepower.com/js/ad-homepage.js
+controleng.com##.product-home--container
+electronics-tutorials.ws##.home-top-ads
+ubergizmo.com##.postcontainer_home > div[role="ad"]
+ahaan.co.uk##.sticky-side-ad
+positronx.io##div[class*="ad-cls-block"]
+||tubesb.com/js/jquery/*/jquery-*.min.js?v=
+collegiateparent.com##.banner_ad_wrap
+collegiateparent.com##.sidebar_ad_wrap
+news18.com##a[href^="https://www.moneycontrol.com/"] > img
+news18.com##.obBody
+businessnamegenerator.com##div[class^="leader-"]
+businessnamegenerator.com##a[data-action="Adverts"]
+businessnamegenerator.com##.exit-popup
+businessnamegenerator.com##.snp-overlay
+businessnamegenerator.com##div[class*="domainify"]
+businessnamegenerator.com##.ad-result
+businessnamegenerator.com##.domain-advertise
+gadgets360.com,gadgets.ndtv.com###__kpw_prodt_rhs
+gadgets.ndtv.com##._agifs
+gadgets.ndtv.com##.__agifstk
+gadgets360.com,gadgets.ndtv.com##.lhs_top_banner
+gadgets.ndtv.com##.pagepusheradATF
+docsity.com##.dsy-advertising
+bravotube.net##.under-video2
+headphonesty.com###media_image-2
+streameast.*###GelismisReklams
+javshujin.com,pussycatxx.com,taradinhos.com##.under-player-ad
+babestare.com##.horizontal-zone
+babestare.com##.right-column
+txxx.com,txxx.tube##.video-content a[href="#"]
+txxx.com,txxx.tube##.video-content a[href="#"] + div.text
+/tag.min.js$script,redirect=noopjs,domain=vipleague.tv,important
+&aab=$domain=vipleague.tv,important,redirect=nooptext
+daily-stop.com##.category-banners
+freevpn4you.net##body > div[style^="width: 100%; background: #ddeaf3;"]
+parenting.firstcry.com##.paren-adlabel
+eroticmv.com##.ads-above-single-player
+fapopedia.net##.bnrz
+fapopedia.net##iframe[src^="https://go.xxxjmp.com/"]
+bikroy.com##.leader-board-fixed--1ob2_
+bikroy.com##div[class^="leader-board-banner--"]
+ipeenk.com##.idblog-topbanner-aftermenu
+rehabilitationrobotics.net,colors-newyork.com,realpornclip.com,wdwnt.com,kill-the-hero.com,omnicoreagency.com,ipeenk.com###block-2
+abplive.com##.score-container
+abplive.com##._tHome > div[class^="W_HOM"]
+||tabootube.xxx/player/html.php?
+tabootube.xxx##.spot-primary
+watchdoctorwhoonline.com##.mCSB_container .close
+nes-emulator.com##.ad366
+nes-emulator.com##.adindex
+kansascity.com,orlandosentinel.com##.s2nPlayer
+theblaze.com##.ad-top-padding
+||xxxpicz.com/2b.jpg
+xxxpicz.com##.container-fluid[style^="z-index:9999;font-size:"]
+||imageweb.ws/nudebig.jpg
+hentairider.com###mainc div[class^="box"][style^="height:"]
+||sweethentai.com/adsgame/
+sweethentai.com##.long-ads
+hentaicomics.pro##.single-portfolio.mix
+gumtree.com.au##.search-results-page__user-ad-wrapper > div[class^="liberty-container-"]
+cartoonpornvideos.com##.detail-side-bnr
+uberhumor.com##body div[id^="div-gpt-ad"]:not(#style_important)
+6abc.com##div[class="placeholderWrapper"][style="min-height:550px"]
+rollercoin.com##.banners-container
+mgnet.xyz##.container-bns
+mgnet.xyz##h6.article-center[style="font-size:10px"] > strong
+eurosport.*##.AdPlacementContainer
+eurosport.*##.HomeListBlack__AdBlock
+watchcharmedonline.com###mCSB_2
+clickthis.blog,speechnotes.co##div.ad
+||tubepornanal.com/js/oagge.js
+indiatoday.in##.liveblog-header-ad
+smartprix.com##.tanner-smpx
+windows10forums.com##.block-body > div.message--post:not([data-author])
+forum.xda-developers.com##.xda-alertbar-huawei
+glodls.to##img[style^="width:728px;height:90px;"]
+stream2watch.sx##a[href="/vpn"]
+stream2watch.sx##.stream-single-player > center[style="background: black; color: white; padding: 0px;"]
+game3rb.com###overly-noti
+||vplayer.enthusiastgaming.com^$domain=systemrequirementslab.com
+systemrequirementslab.com##div[style="width: 400px; position: fixed; inset: auto 5px 5px auto; z-index: 1000;"]
+/lib.js$third-party,domain=pinoymovies.es|pinoymovieseries.com
+gamepur.com##.primis-player
+gamepur.com##body .proper-ad-unit:not(#style_important)
+apkboxdl.com##center > a[rel="nofollow noopener"]
+fastconv.com,easymp3converter.com##body > div[style^="position: fixed; display: block;"][style*="z-index:"]
+nocensor.*###lbxVPN666
+daftporn.com##div[class^="belowplayer"]
+daftporn.com##.classban
+daftporn.com##.rightcolumn
+instrumentationtools.com##.inside-right-sidebar > aside[id^="custom_html-"]
+mydramalist.com##.content-side > div[class*="_right"][style="min-height: 250px;"]
+croclix.me##ins[style$="width:728px;height:90px;"]
+croclix.me##ins[style$="width:300px;height:250px;"]
+daftporn.com###lay1
+daftporn.com##.abovePlayer
+allcryptoz.net,crewbase.net,crewus.net,shinbhu.net,shinchu.net,thumb8.net,thumb9.net,uniqueten.net##.a
+allcryptoz.net,crewbase.net,crewus.net,shinbhu.net,shinchu.net,thumb8.net,thumb9.net,uniqueten.net##.b
+allcryptoz.net,crewbase.net,crewus.net,shinbhu.net,shinchu.net,thumb8.net,thumb9.net,uniqueten.net##.c
+allcryptoz.net,crewbase.net,crewus.net,shinbhu.net,shinchu.net,thumb8.net,thumb9.net,uniqueten.net##.d
+allcryptoz.net,crewbase.net,crewus.net,shinbhu.net,shinchu.net,thumb8.net,thumb9.net,uniqueten.net##.e
+allcryptoz.net,crewbase.net,crewus.net,shinbhu.net,shinchu.net,thumb8.net,thumb9.net,uniqueten.net##.f
+allcryptoz.net,crewbase.net,crewus.net,shinbhu.net,shinchu.net,thumb8.net,thumb9.net,uniqueten.net##.g
+blackenterprise.com##.theiaStickySidebar > .widget_text
+javenglish.cc,latesthdmovies.*##div[class^="code-block code-block-"][style="margin: 8px 0; clear: both;"]
+indiamart.com###Below_Related_Section:empty
+videezy.com##.ez-download-ad__ad-wrap
+vecteezy.com,videezy.com##.partner-sponsored-results
+||static.videezy.com/assets/underpop-*.js
+||static.videezy.com/assets/shutterstock-api-*.js
+freepik.com##.spr-bottom
+edufever.com##.inside-right-sidebar > aside[id="block-5"]
+||bfstrms.xyz/watch/nflbite.png
+bfstrms.xyz##a[href^="https://home.buffstreamz.com/"]
+xxxmovie.link##.sidban
+xxxmovie.link##div[style="padding:0;margin-bottom:20px;display:block;font-size:0;"]
+xxxmovie.link##div[style="margin-bottom:52px; font-size:0; text-align:center; padding:0;"]
+financialexpress.com##.adsbox990x90
+kmplayer.com##.infeed-bottom
+techtelegraph.co.uk,kmplayer.com##div[class$="_banner"]
+||rumble.com/embed/*&autoplay=2$domain=thepostmillennial.com
+thepostmillennial.com##.revcontent-slot
+freesvg.org##div[style^="color: rgb(153, 153, 153);"]
+freesvg.org##.sponsored-main-detail
+dafontfree.io##div[data-ai-tracking] a[target]
+||nudeclap.com/nc/nc.js
+nudeclap.com##.style75
+nudeclap.com##a[target="_blank"][rel="nofollow noopener"]
+albumoftheyear.org##.fullWidth div.albumBlock ~ div[style^="padding:"]
+albumoftheyear.org##div[class^="adTag"]
+sythe.org###topadplaceholder
+sythe.org##a[href^="https://www.partypeteshop.com?"] > img
+sythe.org##a[href="https://yanliligold.com/"] > img
+diariodecuyo.com.ar,independent.co.uk##.taboola-below-article
+timeout.com##div[data-component="outbrain"]
+rocket-league.com##.rlg-ven-preloader
+gematsu.com##div[id^="ad-container-"]
+themarysue.com,scarymommy.com##div[class^="htlad-"]
+zomato.com##.ad-banner-text
+islamicfinder.org###sky-scraper-ad
+olympusscanlation.com##.sticky_ad_beta
+stealthoptional.com##div[data-advadstrackbid]
+backpack.tf##.col-md-4 > div.panel-main
+game3rb.com##.entry-content > center > a[target="_blank"] > button
+||coinvote.cc/user_data/premium_banners/
+users.telenet.be###add
+planetminecraft.com###ultra_wide
+planetminecraft.com##.responsive728-wrap
+planetminecraft.com##li.resource[data-type="advert"]
+motherjones.com##.mj-incontent-ad-widget
+watch.plex.tv##.shaka-ad-markers
+||vod.provider.plex.tv/ad?metadataId=
+uspassporthelpguide.com##.ad-text-sm
+autocarindia.com##div[class^="ad-mod-section"]
+||clients.ragezone.com/serve.php/display/
+forum.ragezone.com###RZX_BELOW_NAV
+forum.ragezone.com##li[id^="navbar_notice_"]
+wikijob.co.uk##.mv-video-target
+entrepreneur.com##.art-natv
+abpeducation.com##.add_section
+wendyperrin.com##.destination-ad
+psycom.net##.vha
+send-anywhere.com###gpt-container
+kisscos.net##span[id$="related"] > div[id^="container-"]
+ndtv.com##.exam
+onlinecoursereport.com##.degree-finder-sidebar
+adgully.com##body > div[class^="asd"]
+cutty.app,forex-gold.net##.demand-supply
+houzz.*##div[data-component="Brand Ad"]
+houzz.*##div[data-container="Ad Placement"]
+bankvacency.com,girls-like.me###orquidea-slideup
+girls-like.me##div[style$="height:250px;"]
+girls-like.me##div[style$="width:728px;height:90px;"]
+onmanorama.com##.mm-banner970-ad
+||freecourseweb.com/wp-content/uploads/*/binance.jpg
+thehindu.com,goodreturns.in##.vuukle-ads
+cyberleaks.to##.samUnitWrapper > div.samBannerUnit
+investing.com##div[class^="outbrain_outbrain-wrapper_"]
+business2community.com##.sticky_in_parent > div#community + div.separator
+business2community.com##.sticky_in_parent > div#community + div.separator + div.row
+ichacha.net###breadcrumb + div[style^="width:"]
+freshwap.us##.sidebar-right > li.cream:first-child
+windowsbulletin.com##.entry-content > div[class][style="text-align:center;margin-left:auto;margin-right:auto;margin-top:8px;margin-bottom:8px;"]
+||aiscore.com/_nuxt/img/banner_bet365.*.png
+filmibeat.com##.inhouse-content
+filmibeat.com###lightbox-popup-ad
+||filmibeat.com/scripts/*/photo-ad-web-new.php
+classicreload.com##.content-top-wrapper
+bblink.com##.banner-img-promotion
+videovard.*##.is-player-page #player-div > div:not([class]):not([id]) > div[class]:empty
+videovard.*##.is-player-page #nux > div:not([class]):not([id]) > div:not([class]):not([id]) > div[id]:empty
+cnn.com##.cnnix--ad
+tureng.com##div[data-nokta-zone]
+canarianweekly.com##.banner-in-content
+canarianweekly.com##div[id^="footer_bottom_"]
+||canaryfone.b-cdn.net/banners/banner-loader/$domain=canarianweekly.com
+mcmfaucets.xyz##a[href^="https://bicugesi.xyz/"]
+monoschinos2.com,highporn.net,kissanimex.com##._ciw-widget
+||assets.thalia.media/ocsassets/heimdall/consent-banner-bootstrap/main-nomodule.*.js$domain=osiander.de
+fifaultimateteam.it##.theiaStickySidebar > div[id^="ai_widget-"]
+familyminded.com##.inline-video-wrapper-featured
+daagreat.com##.fabox
+pxhere.com##.hub-photo-main > .mb10[style="height: 90px;"]
+speedrun.com##div.malediction[data-type="elo-placement"]
+||cloud-strife.speedrun.com/cargo.js
+fdocuments.in##a[href="https://cupdf.com/"] > img
+||webtoon69.com/wp-content/*/brt-*.js
+trip101.com##.airbnb-r
+digitallydownloaded.net,canadiancouchpotato.com##div[class^="code-block code-block-"][style*="margin: 8px"]
+digital-photography-school.com##.pb-ads
+digital-photography-school.com##.sidebar-tower-ad
+roadmap.sh###carbonads
+||sbplay.one/js/*/*.min.js?*=*
+comick.fun##a[href^="https://comick.app/product/"] > img[alt="affilate"]
+comick.fun##a[href^="https://comick.app/product/"] + a[href="/donate"]
+comick.fun##.float-right > .mx-auto > a[href^="https://comick.app/product/"]
+comick.fun##.images-reader-container .mx-auto > a[href^="https://comick.app/product/"]
+bloomberg.com###plug-overlay
+techzim.co.zw##.special-container
+||vidcrunch.com^$domain=hostednovel.com
+blackenterprise.com##.hdrbanart
+za.gl,za.uy##.test > div[class*="-badge"][class*="-banner"]
+napkforpc.com##.adv-ga
+livingmediainternational.com##.entry-content > center
+livingmediainternational.com##.pjy
+livingmediainternational.com##.widget_pjy
+you.regettingold.com##.adstripe
+opportunitydesk.info##a[href^="https://www.iu.org/"]
+techradar.com##.hawk-magazinesubscriptions-container
+coinvote.cc##div[style="text-align: center;display: block;height: 60px;"]
+games-guides.com##.post > .entry-content > div[style="min-height:280px;"]
+games-guides.com##.sidebar > .inner > div[id^="custom_html-"] > .textwidget > div[style="min-height:250px"]
+gbmb.org##.minh250
+gbmb.org##main > div.center
+familyminded.com,workandmoney.com##.ad-inStory
+||workandmoney.com/assets/di_ads.*.js
+1movies.is,1movies.life###zxc_pops
+1movies.life##div[id] > .close.ico
+1movies.life##div[id] > .close.ico + a[href^="/user/premiummembership"]
+1movies.life##a[href^="/user/premiummembership"] > img
+1movies.life##.superButton > a[href^="/user/premiummembership"][target="_blank"]
+novinhastop.com##.single-right
+openculture.com##.oc-center-da
+fortressofsolitude.co.za##.jeg_midbar
+ahentai.top##div[id^="read_online_ads"]
+||ahentai.top/catalog/view/core/adchecker/
+||ahentai.top/catalog/view/core/comic/fc.js
+||ahentai.top/catalog/view/core/comic/fc0.js
+outlookindia.com##[class^="ad_unit"]
+outlookindia.com##[class^="ad_wrapper"]
+remote.tools##a[onclick="sa_event('sponsored_listing');"]
+pornhits.com###s-suggesters
+||pornhits.com/magic/
+keepvid.com##div[style="width:728px;text-align:left;padding:0px;margin:0px auto;"]
+keepvid.com##a[href="http://www.download-video.com/"] > img
+||s.fapcat.com/static/js/cupcakes.js
+freetutorialsdownload.online##.herald-sidebar > div[id^="ai_widget-"]
+win7gadgets.com##.gads_big
+7torrents.cc##main #hdTutoForm + div.card
+||cdn.jwplayer.com/*/playlists/*?page_domain=www.techwalla.com
+downloadfreecourse.com##.error-404 > section
+appnee.com##img[alt="Ads Place"]
+||jeshoots.com/wp-content/uploads/*/*/banner1.jpg
+jeshoots.com##a[target="_blank"] > img[src^="https://jeshoots.com/wp-content/uploads/"][src$="/banner1.jpg"]
+||timeout.*/static/js/ads-
+freetutorials-us.com###text-13
+freetutorials-us.com##.ultra-archive-grid
+allinonedownloadzz.site##.tdi_114
+allinonedownloadzz.site##a[href^="https://vgw35hwr4w6x.com/"]
+3dsportal.net###rightside > .block > .btl
+skidrowcodexgame.com##.footer-sticky
+tektutorialshub.com###text-139
+technofaq.org###black-studio-tinymce-7
+afterschoolafrica.com,technofaq.org###ai_widget-8
+technofaq.org###ai_widget-6
+pen4pals.com###block-block-84
+pen4pals.com###block-block-245
+javsex.vip,pornsexxxer.com##.prefix-player-promo-col
+freechequewriter.com##div[style^="border-top: 0px solid #DDDDDD; border-bottom: 0px solid #DDDDDD; padding-bottom: 10px;"]
+appleinsider.com##.deals-widget
+youpornru.com##[data-tracking="track-close-btn-ad"]
+||wp.com/ask4pc.net/wp-content/uploads/2109/SomeAdsHere
+classcentral.com##body .cmpt-ad
+mercomindia.com###header-widget-area
+||static.javatpoint.com/images/upstox2.png
+answersq.com##aside#block-2
+getyarn.io##.my2p
+getyarn.io##.pb1p
+getyarn.io##.pb1p + .da
+techonthenet.com##div[class*=" "] > div[id$="_slot"]
+?tid=$popup,domain=go-mp3.com
+calculator-online.net##.adds
+howto-outlook.com,msoutlook.info###header-banner
+windowsreport.com##.aip_block
+elitepvpers.com##div[style="font-size:11px;padding-bottom: 5px;"] + a[rel]
+elitepvpers.com##div[align="center"][style="background-color:#ededed;padding:0"]
+gotohole.com##.player > a
+teenyounganal.com,gotohole.com###im
+gotohole.com##a[href^="/o.php?"][onclick="noclose();"]
+games4king.com##.game_left_ads
+games4king.com##.ads_play_container
+games4king.com##div[id^="leaderboard_area"]
+wallpapers.ispazio.net##.box-apples_single_reclame
+freeshoppingdeal.com##.td-ss-main-sidebar > aside:not(.widget_search)
+coolztricks.com##.entry-content > div.code-block[style^="margin:"][style*="height:"]:not(:first-child)
+||catchvideo.net/static/android-banner-full-
+cococut.net###oneDownVideo + p
+studytonight.com##.container-fluid > div.center[style^="min-height:"]
+studytonight.com###body-content > div.layout_size
+||hot4share.com/images/banner_150_450.gif
+popular-babynames.com##div[id^="md_modal"]
+infoq.com##.related__sponsor
+1001tracklists.com##.adnginTop
+1001tracklists.com##div[id*="left" i] > #lAd
+1001tracklists.com##a[target="_blank"][onclick*="Banner"] > img
+nullpk.com##.ai_widget-7
+nullpk.com##.ai_widget-3
+hulkshare.com##a[class$="nhsIndexPromoteBlock"][target="_blank"][style]
+medicaldialogues.in##.modal_wrapper_frame
+upshrink.com##div[id^="heread"]
+movies.meetdownload.com##.col-md-9.justify-content-center
+techadvisor.com###topLeaderBoardHolder
+boldsky.com,oneindia.com##.inhouse-content
+oneindia.com###toptextpromo
+oneindia.com##.oi-site-popup-ad
+oneindia.com###fwnNewWdg
+oneindia.com##div[class^="discounts-"]
+tasteofhome.com##.CMRightRail-AD
+mybrowseraddon.com##div[style^="color:#555;text-align:left;margin:0;height:16px;line-height:16px;margin-bottom:5px"]
+hotpelis.com###gift-middle
+animationxpress.com##.navbar-ad-section
+madeintext.com##div[style^="font-size:11px; text-align:center;"]
+madeintext.com##div[style^="font-size:11px; text-align:center;"] + div[style]
+ivfree.asia##.vidoser-in span[style="font-size: 32px"]
+||compare-static.mapcarta.com/asset/__adslot-bundle/*.js
+tools.seobook.com###blog
+crunchify.com##.ad_advert_holder_sidebar
+computergaga.com##a[href^="https://www.amazon.co.uk/"]
+xgore.net,mehndihairachnewaali.com##.e3lan
+mehndihairachnewaali.com##.theiaStickySidebar > div.widget:not(.search-block-large)
+||assets.webinfcdn.net/img/sponsored.gif
+||readingrockets.org/sites/default/files/swab-promo-300-
+pcgamestorrents.com,igg-games.com##article > .uk-margin-medium-top[property="text"] > a[aria-label] > img
+pcgamestorrents.com,igg-games.com##article > .uk-margin-medium-top[property="text"] > div[style] > a[aria-label] > img
+pcgamestorrents.com,igg-games.com##.uk-margin-medium-top ~ div[class][style*="justify-content:"] > a[rel] > img
+pcgamestorrents.com,igg-games.com##.uk-margin-medium-top [style] > a[rel] > img
+pcgamestorrents.com,igg-games.com###tm-sidebar div > a[rel] > img
+pcgamestorrents.com,igg-games.com###tm-sidebar div > a[target="_blank"] > img
+pcgamestorrents.com,igg-games.com###tm-sidebar div > a[aria-label] > img
+tukif.com##.vjs-producer
+||cryptofans.news/frame/OfferPack?
+thedailystar.net##.pane-ad-pane
+thedailystar.net##.block-region-footer-sticky
+bandwidthplace.com##.da-wrapper
+spicyip.com##iframe[src="//www.lens.org/lens/embed/search"]
+batimes.com.ar##.bg-ads-space
+coolgenerator.com##.for-ad
+wordcounter.io##.sidebar__display
+wordcounter.io##.page-aside__display
+woorkup.com##.perfmatters
+woorkup.com##.kinsta
+||bemovies.to/js/safe.ob.min.js
+cybrhome.com##div[id^="vpanScriptTop"]
+play.anghami.com##anghami-ads
+iaspaper.net##.iaspa-right-skyscraper
+standard.co.uk##div[id*="mpu"][id*="parent"]
+standard.co.uk##div[id*="thirdparty"][id*="parent"]
+standard.co.uk##.gsdIuB
+sharpporn.com###transparentWrapper
+sharpporn.com###videoPlayerWindow
+hide.me##.Slideout
+theweek.co.uk##.polaris__subscription.-standalone.-content.-article
+kiplinger.com,autoexpress.co.uk,carbuyer.co.uk,theweek.co.uk##.polaris-ad--wrapper-desktop
+beachgrit.com,glamourmagazine.co.uk##.ad__block
+||sbvideo.net/js/*/jquery-*.min.js?*=*
+educationworld.in##.widget_sp_image > a:not([href*="educationworld.in"])
+||sbembed4.com/js/*/jquery-*.min.js?*=*
+||katestube.com/jsb/js_script.js
+anitaku.to,alions.pro,flaswish.com,vidhidepro.com,fc2stream.tv,mycloud123.top,doodporn.xyz,guccihide.com,fbjav.com,imfb.xyz,xsub.cc,mm9844.*,anigogo.net,faptiti.com,sblanh.com,javuncen.xyz,streamas.cloud,sbplay1.com,japopav.tv,sbembed2.com,tubesb.com##div[style^="position:fixed;inset:0px;z-index:2147483647;background:black;opacity:0.01"]
+newsroompost.com##.adsbox728x90
+researchers.pw###wmg-ad-container
+yodesiserial.su###getad
+yodesiserial.su##.stream-item-above-post-content > div[style^="background-image:url("]
+||viralblastt.com^$domain=isharatv.co
+||researchers.pw^$domain=yodesiserial.su
+coinmooner.com##div[class^="HeaderMooners_"]
+coinmooner.com##div[class^="Mooners_mooners_"]
+||vkspeed6.com/*/vast.js
+nulled.to##img[style^="width:315px;margin-bottom:15px;"]
+freshscat.com###geobanner
+||pt.ptlwm.com/natlf/lf/ch/?$domain=freshscat.com
+||howtofree.org/wp-content/uploads/*/fastcomet-hosting.png
+studyguideindia.com##.fleft > div[style^="width: 300px; margin-right:"]
+||studyguideindia.com/support/images/placead.png
+cnxplayer.com##.footer-ad-728x90
+free-fonts.com##div[id^="freefonts_billboard"]
+textreverse.com###txt-start-desktop
+textreverse.com##div[id^="txt-after-button"]
+softonic.com###slide-in-wrapper
+softonic.com##ins[id^="gpt_unit"]
+streamingsites.com,torrentsites.com##.block-vpn
+valueresearchonline.com##.googleadservices
+androidcommunity.com##aside[class="td_block_template_14 widget widget_text"]
+gsmchoice.com##div[class="row"][style="height: 336px"]
+gsmchoice.com##.header__promo-wide
+gsmchoice.com##div[style="min-height: 280px; display: flex; align-items: center; justify-content: center;"]
+deepbrid.com##.content > div.rounded-md.text-theme-10
+alanspicer.com##div[class^="col-md"] > div.widget:not([class*="widget_recent_entries"])
+bleepingcomputer.com###after_dl
+comicbook.com,familyhandyman.com,tasteofhome.com,rd.com##.taboola-wrapper
+awesomeopensource.com##div[class^="carbon-projects-page-native-ad"]
+skillsyouneed.com##.ad_normal
+rediff.com###world_right2
+rediff.com##div[id^="div_ad_"]
+falkirkherald.co.uk##div[id^="sidebarMPU"]
+falkirkherald.co.uk##.piano-article-banner
+thetimes.co.uk##.channel-header-ad
+sodapdf.com##.container > div.row > div[style="margin:15px 0 45px !important;"]
+rockmods.net##div[class^="post-ad"]
+gcemetery.co##.header-da-wrap
+grammica.com###AT-GR
+aeroinsta.com##.site-heading > font[color="#fff"] > font[color="black"]
+||rozup.ir/view/*/728.90.gif
+udemydownload33.rozblog.com###rozfixed
+staradvertiser.com##.right-rail .csGWrap > .csMon> div[style="margin: 0px; height: 250px; width: 300px; overflow: hidden;"]
+texture-packs.com##div[id][data-cfptl="1"][data-cfpa]
+onlinecoursebay.com###matched-ads
+ancient-origins.net##div[id^="ad-unit"]
+ancient-origins.net###ao-article-outbrain
+nimtools.com##.sideXd
+indiatvnews.com##a[href="https://www.indiatv.in/clickmania"] > img
+meaningfulhq.com##a[href^="https://payhip.com"]
+getstoryshots.com###post_ad_container
+onlinemathlearning.com###btmAd-div
+telegramguide.com###stky-ads
+booksummaryclub.com##.attentionblackfriday
+iam-media.com,worldtrademarkreview.com##div[class^="advert-strip"]
+io.help.yahoo.com##.ad-style
+moneycontrol.com##.sponser_in_gallery
+ettvcentral.com##.download_liinks_a
+darkleia.com##iframe[src^="//poweredby.jads.co/"]
+darkleia.com##footer .one-column-footer
+throwawaymail.com###promotion_modal
+notebookcheck.com###contenta
+||pingpongmap.net/images/ppm-
+pingpongmap.net###werbung
+gaming-age.com,freecoursesite.uk###ai_widget-7
+olympics.com##.htmlCountdownBg > a[href="javascript:void(window.open(window.clicktag));"]
+sparknotes.com##.homepage-cta--rect
+sparknotes.com##.partner__pw__header
+smallbiztrends.com##.home-cat-in-content-ads
+smallbiztrends.com###bottom-sidebar-ad-300x250-v2-wrap
+raw-manga.org##.col-12 > a:not([href^="/"]) > img
+pdfslide.net##div[class*="gg_ads_"]
+techninjapro.com##section[data-id="65bbfca"]
+acronymfinder.com###anchorad
+utorrent.com##a[id$="-ad"]
+gtagarage.com##.loonybin td > div[style="height: 90px; text-align: center; margin: 10px 0px;"]
+speedguide.net##body > div[style="position:relative; margin:auto; padding: 0px; width:728px; height:100px; text-align:center;"]
+huffpost.com###zone-commerce
+photofunny.net###adsFichaTop
+photofunny.net##.efectos-populares
+reuters.com##div[style="flex-basis: 1200px; margin-bottom: 120px;"]
+insidesport.co##div[id^="divFLRA"]
+||csgo.exchange/images/gamdomp*.gif
+csgo.exchange##.content > div.Weblink[style]
+thinkmobiles.com##.article-placat
+aastik.in##.td-g-rec-id-sidebar
+macworld.co.uk##.stickyAdWrapper
+metrosaga.com##aside[class*="advads_ad_widget-"]
+apkmodvn.com,softfully.com,gamertweak.com,aastik.in,metrosaga.com##body .adsbygoogle:not(#style_important)
+tutorialsplanet.net##div[id^="cdbkzvlyfq-"]
+blockgeeks.com###banner-zone-right
+internationalnewsandviews.com###adAboveHeader
+internationalnewsandviews.com##.header-right-adv
+mssqltips.com###slideboxtop
+mssqltips.com###ad-slot-leader
+newsgram.com##img[onclick^="window.location.href"][onclick*="&utm_medium=banner"]
+advocatekhoj.com##div[align="center"] > div[style="height: 95px;"]
+codegena.com##.ad_after_header
+businessinsider.in##.inart_clmb_ad_sld
+businessinsider.in##div[class^="clmb_eoa_sl_"]
+indiaforums.com##.adBanner
+pride.com##.sticky.footer
+indiatyping.com##.jb-feature-intro
+indiatyping.com##.t3-sidebar-right
+technig.com##.sidebar > div[id^="text-"]
+topg.org##.ga
+topg.org##.ga_header
+topg.org##.ga_header_f
+||notebookcheck*.*/fileadmin/Sonstiges/am_abv3_us_smartphone.html
+content.techgig.com##.gutter-banner
+eurasiantimes.com##.vc_row_inner
+skysports.com##div[data-format="leaderboard"]
+leo.org###adv-text
+||theproxy.to/x.js
+||torrentdownloads.theproxy.to/templates/new/images/titl_tag2.jpg
+xiaomitoday.it##a[href^="https://shareasale.com/r.cfm"] > img
+news24online.com##.add-section_728x90
+news24online.com##.add-section_300x250
+news24online.com##.mini-list-story[style*="background: red;"]
+news24online.com##.clearfix.add
+news24online.com##.content_post > div[style="background:#f1f1f1;"]
+news24online.com##.container section.db_shw_mb_blk
+abplive.com##.article-data > p[style="text-align: justify;"] + div.section.uk-padding-small
+||raw-manga.org/images/mainthumb.gif
+hanguoman.com##div[style*="width:920px;height:250px;"]
+mashable.com##[class^="mt-"] > div[data-pogo]::before
+mashable.com##aside[data-ga-module="content_rail"] > .sticky
+makezine.com##.widget_makezine_ad_widget
+planetware.com##.mediavine-sidebar-atf-target
+soyacincau.com##div[id^="sc-"][id*="mrec"][style]
+soyacincau.com##div[class^="scadslot-in-article-between-"]
+webcazine.com##p[style*="color: #aaa!important; font-size: 12px!important; text-align:center;"][style*="line-height:3em;"]
+bestxiaomiproducts.com##.theiaStickySidebar > #text-4
+shaalaa.com##.zxc_wrap
+||tsyndicate.com/api/*?domain=*&adb=$all
+||adultdeepfakes.com/static/js/p.js
+hindustantimes.com##.epaper-ad
+pocketgamer.com###mid-main > div#skin-video-tab
+amazon.*##span[class*="top-slot_hsa-id"]
+amazon.*##div[class*="btf_ad-placements-"]
+crictracker.com##.ad-block-container
+dodropshipping.com##a[href="https://dodropshipping.com/shopify-sidebar"]
+||sanoybonito.club/adsterra$popup
+gab.com##article[data-id^="gab-ad-status-timeline-injection-"]
+||playerls.com/js/jquery/*/jquery-*.min.js?v=
+/assets/jquery/p1adult.js$domain=kamehamehaa.xyz
+/assets/jquery/*main*.js?v=$domain=vidhidepre.com
+/assets/jquery/p1anime.js$domain=fdewsdc.sbs|vidhidepro.com
+/assets/jquery/ap*.js$domain=anime7u.com|anime4low.sbs|cdnwish.com|moviekhhd.online|jodwish.com|recordplay.biz|swdyu.com|kamehaus.net|strwish.com|dwish.pro|wishonly.site|kissmovies.net
+/assets/jquery/main*.js?v=$domain=streamhide.to|guccihide.com|filelions.to|mwish.pro|javplaya.com|sub123.xyz|awish.pro|wishfast.top|cabecabean.lol|sfastwish.com|fviplions.com|fsdcmo.sbs|obeywish.com
+/assets/jquery/adult*.js$domain=javb1.com|streamwish.to|louishide.com|ahvsh.com|filelions.to|trafficdepot.re|streamxxx.online|streamvid.top|javhahaha.us|javsw.me|javlion.xyz|embedwish.com|leakslove.net|gaystream.cloud|jwplayerhls.com
+/assets/*.min.js?*=*&$domain=sbspeed.com|streamsss.net|sblanh.com|faptiti.com|anigogo.net|mm9844.*|sbanh.com|sbthe.com|sblongvu.com|javbigo.xyz|sbrulz.xyz|sbchill.com|sbbrisk.com|sbhight.com|rbtstream.info|sbface.com|lvturbo.com|streaamss.com|sbrapid.com|sblona.com|streamsb.click|sbrity.com
+/asset/*.min.js?*=*&$domain=vcdn.io|suzihaza.com|ns21.online|diasfem.com|izleorg3.org|dfmagazine.co.uk|javcl.me|bazavox.com|avhost.xyz|asianclub.tv|javlove.club|videogreen.xyz|ujav.me|mavplayer.xyz|xxxjaa.xyz|vidcloud.*|javmvp.com|mm9842.com|fplayer.info|fakyutube.com|streamabc.xyz|hentai4.me|animepl.xyz|gdstream.net|rubicstreaming.com|layarkacaxxi.icu|playerjavhd.com|cutl.xyz|myvideoplayer.monster|luxubu.review|obaplayer.xyz|yuamikami.xyz|cloudrls.com|javpornhd.online|watch-jav-english.live|zojav.com|javenglish.me|vcdn-stream.xyz|av4asia.com|javsubbed.xyz|xsub.cc|mavavid.com|baldrfilms.xyz|streamm4u.club
+wellandgood.com##.container__ad
+uniindia.com##.header_bottom > div[style^="float:"]:last-child
+businessinsider.in##.fc_clmb_ad
+softcobra.com##.message
+hqxxtube.com,xxvidsx.com,tubsxxx.com##.aBlock
+xxvidsx.com,tubsxxx.com##.videoAd
+||imgbox.com/ae/$domain=matureworld.ws
+globalcognition.org##.quote-charcoal
+||sonic-ui.highereducation.com^$domain=mydegreeguide.com
+overdrive.in##.add2
+kbb.com###kbbAdsOwnTheSegment
+usnews.com##div[data-ad-props]
+gamepressure.com##div[id^="purch_"]
+usnews.com##div[class^="AdAutos"]
+usnews.com##div[class*="MobileAdContainer"]
+usnews.com##div[class*="TopAdContainer"]
+parade.com##.connatix_wrapper
+studionotesonline.com##.sidebar-main > #text-2
+musicnotes.com##.posts-ad
+careers360.com##[id^="advertisement"]
+tolonews.com##header > .group-top
+skillsyouneed.com##.new_ad_left
+giznext.com,91wheels.com##.adscard
+team-bhp.com###leftPage .billboardSpacer
+team-bhp.com##.front #sidebar-second .billboardSpacer
+hostings.info##a[href^="https://hostings.info/go/banner."]
+greentechmedia.com##.side-reports
+electronicdesign.com##a[href="http://sourceesb.com"]
+||ezjav.com/p.js
+||tag.atom.gamedistribution.com/v*/rainbow?
+||pornhat.*/static/js/300x250.
+brightside.me##main > div:not([data-sharing-target]):not([data-test-id]):not([class*=" "])
+brightside.me##div[data-test-id="article-bottom-recommended"] > div[class] > div[class] > div:not([data-sharing-target]):not([data-test-id])
+shape.com###header-banner-container
+adaa.org##div[class^="c-ad_"]
+medscape.com##.hp-anon
+medscape.com##.reg-ad
+deccanherald.com##.article-adver
+aajtak.in##.detail-bottom-ad
+sikktech.com##.entry-content .code-block[style]
+thedubrovniktimes.com##.adSidebar
+phoneworld.com.pk##.theiaStickySidebar > #custom_html-6
+||smartshare.tv/asset/*.min.js?*=*&
+||javideo.pw/asset/*.min.js?*=*&
+earlygame.com##.ad-slot-widget
+cnet.com##.c-adDisplay_container
+filmcompanion.in###top_banner_desktop
+travelermaster.com##.__trm__adv-block
+travelermaster.com##.__trm__adspot-title-container
+travelermaster.com##div[class^="__trm__ad-med-rec-"]
+||imgur.com/*.gif$domain=himovies.to
+divicast.com,moviesjoy.plus,goku.to,f2movies.to,dokicloud.one,mzzcloud.life,fmovies.app,moviesjoy.to,sflix.to,himovies.to,vidcloud.pro,vidcloud.msk.ru###overlay-container
+kiz10.com##.ads-medium
+kiz10.com##.txt-ads-center
+kiz10.com##.frame-ads-top
+kiz10.com##div[class^="video-"][class$="-ads"]
+bdnewszh.com##div[class^="w"][class*="-ads"]
+ip-tracker.org##.reklo-in-main
+webstatsdomain.org##.ads_module
+enotes.com##div[style="display:flex; flex-direction:row; width:610px;height:250px; justify-content:center;"]
+||javjav.top/asset/*.min.js?*=*&
+||xszav.club/nb/
+||embed.casa/asset/*.min.js?*=*&
+javsister.com###footer-widgets
+||playdoe.xyz/asset/*.min.js?*=*&
+fjav.top##.ad-parent
+||pixlr.com/slot/|
+pixlr.com###slot
+ted.com###banner-container
+darkcapture.app##div[style^="width:300px;"][style*="height:250px;"]
+darkcapture.app##div[style^="width:300px;"][style*="height:100px;"]
+examtiger.com##.mobfullw
+examtiger.com##.article > div[style*="width:337px;"][style*="height: 285px;"]
+examtiger.com##center > div[style^="font:14px Arial;"][style*="color:#ddd;"]
+learnpython.org###google-ad-right > iframe
+oberlo.in##section[aria-label="SELL YOUR VIDEOS ONLINE"]
+oberlo.in##section[aria-label="TRY SHOPIFY FREE"]
+oberlo.in##aside[aria-label="LAUNCH YOUR DROPSHIPPING BUSINESS"]
+oberlo.in##img[alt="shopify free trial"]
+||mavplay.xyz/asset/*.min.js?*=*&
+southeastasiabackpacker.com##a[href^="https://safetywing.com/"]
+designwizard.com##.blog-footer
+||pornofaps.com/frosty-bread-04ce/
+||xxxshake.com/player/html.php?aid=pause_html&video_id=*&referer=
+jaxenter.com##.widgets_on_page
+jaxenter.com##.sidebarSpecificTagContent
+lyricsmode.com##.header-band-cont
+cardekho.com##.adHolderTop
+pixelprivacy.com##div[data-ga="NordVPN Popup"]
+themeisle.com##.ti_ad
+interviewbit.com##div[data-el="ibpp-ribbon"]
+softwaretestinghelp.com##.inside-right-sidebar > #custom_html-14
+softwaretestinghelp.com##.inside-right-sidebar > #custom_html-22
+softwaretestinghelp.com##.inside-right-sidebar > #custom_html-23
+manoranjannama.com,sportsnama.in,naukrinama.com##.colombiatracked
+manoranjannama.com,sportsnama.in,naukrinama.com##.colombiaSuccess
+manoranjannama.com,sportsnama.in,naukrinama.com##div[class*="colombiaone"] a[href*="/can/evnt/click.htm?"][target="_blank"]
+/can//cde/data/v*.htm?id=$subdocument,script,domain=manoranjannama.com|sportsnama.in|naukrinama.com
+||111.90.159.132/wp-content/uploads/*/*/260_260_eng.gif
+computer.org##.adBlockBanner
+unsplash.com##div[data-test="SearchInFeedAd-Container"]
+unsplash.com##div[data-test$="FeedAffiliates-Container"]
+robots.net##.responsive-ad-match-wrapper
+theweek.in##.pay-ad-box-wrapper
+||y2mate.com/themes/js/pn.js
+||dood.so/sw.js
+||xtits.*/static/js/custom.js
+||xtits.*/player/html.php?aid=*_html&video_id=*&*&referer
+||rustream.tv^$popup,domain=stremiomovies.com
+businessworld.in##iframe[src*=".zedo.com/"]
+5dariyanews.com##a[href="https://www.5dariyanews.com/sponsored-ads.aspx"]
+||5dariyanews.com/images/local-classifieds-online-ad.gif
+thenamesdictionary.com##a[href="https://fonolive.com/signup"] > img
+thenamesdictionary.com##a[href="https://fonolive.com"][rel="nofollow"]
+mahacot.com##.google-adsense-ads
+||fonolive.com/promoted-ads
+leakedmodels.com##.advertising1
+manofmany.com##.incontent-ad-banner
+||bcprm.com/promo.php?$xmlhttprequest
+analyticsinsight.net##a[href^="https://etunwired.et-edge.com/"]
+pornvideotop.com###user18div
+||pornvideotop.com/ads300x250.php
+||pornvideotop.com/e/fp.js
+||pornvideotop.com/js/popec.js
+babesxworld.com##div[data-type="teaser"]
+babesxworld.com##a[href^="/goto/"]
+katmoviehd.ma###sidebar > #custom_html-6
+zdnet.com##.sharethrough-top.placeholder
+msn.com##iframe[src^="https://products.gobankingrates.com/pub/"]
+tbd.community##.l-sidebar > .block a[href="https://www.arbeitsagentur.de/vor-ort/zav/bfio"] > img
+||tbd.community/sites/default/files/pictures/tbd_website_banner_img_300x300.jpg
+ucas.com##.brick--article-mpu-first
+ucas.com##.brick--article-mpu-second
+livecareer.com##.anun-re-sample
+btechsmartclass.com##.bsc-h-ad
+btechsmartclass.com##.bsc-ads-bar
+prodesigntools.com##.inside-right-sidebar a[href="http://www.GetCreativeCloud.com/"] > picture
+izoomyou.com##.rect-270
+pvstreams.com##body > br
+sm.ms##.advert_foot
+paid4.link##.box > div[align="center"] > div.card
+||player.twitch.tv/js/embed/$domain=wiki.fextralife.com
+techilife.com###sidebar > #text-4
+techilife.com###sidebar > #text-5
+onlineservicess.in,techiedelight.com##.sidebar > #custom_html-4
+techiedelight.com##.sidebar > #custom_html-9
+techiedelight.com##.sidebar > #custom_html-16
+vtbe.to,jpmtl.com##iframe[src^="//acceptable.a-ads.com/"]
+torlock.icu##[class^="wrn_"]
+torlock.icu##[class^="warn"]
+filmyone.com###mvp-post-main a[target="_blank"] > img
+bangalorenewstoday.com##.sidebar-widget-area > div[id^="text-"]
+hdbest.net###sidebar > #custom_html-17
+brainly.com,brainly.com.br,brainly.co.id,brainly.in,brainly.ph,brainly.pl,brainly.lat,brainly.in,brainly.ro,eodev.com,znanija.com##.brn-ads-box
+brainly.com,brainly.com.br,brainly.co.id,brainly.in,brainly.ph,brainly.pl,brainly.lat,brainly.in,brainly.ro,eodev.com,znanija.com##.js-new-ad-placeholder
+brainly.com,brainly.com.br,brainly.co.id,brainly.in,brainly.ph,brainly.pl,brainly.lat,brainly.in,brainly.ro,eodev.com,znanija.com##div[data-testid="brainly_ads_placeholder"]
+||fembed.com/asset/*.min.js?*=*&
+scratch247.info,azsoft.*,downfile.site##div.display ~ h2.text-center
+scratch247.info,azsoft.*,downfile.site##div.display ~ p
+scratch247.info,azsoft.*,downfile.site###adb_detected ~ div.text-content
+dallasnews.com##div[class*="app_arc-ad_ad"]
+porngo.com,bigwank.tv,asianpornfilms.com,veryfreeporn.com,xxxfiles.com,titshub.com,bigwank.com,fapguru.com,pornpapa.com##.underplayer_banner
+porngo.com##.spot_footer
+theclassroom.com##.adsense-main-ad
+xgroovy.com,xxxshake.com,jizzberry.com##.in.is_desktop
+||jizzberry.com/static/js/initsite.min.js
+||jizzberry.com/assets/f_load.js
+||katestube.com^$domain=wankoz.com
+geeksforgeeks.org##._ap_apex_ad
+||upcomics.org/k4.gif
+rapidtyping.com##.center-col > div.sec.s-body
+||webtorrent.io/img/supporters/express-vpn-banner.png
+webtorrent.io##a[href="/expressvpn"] + p
+||biguz.net/vast*.php
+express.co.uk###div-ad-fio
+saratogian.com##.dfm-featured-bottom-flex-container
+nationalheraldindia.com##div[class^="styles-m__dfp_"]
+nationalheraldindia.com##div[class^="header-m__ad-top_"]
+||down-paradise.com/asset/*.min.js?*=*&
+udemydownload.com,gotravelblogger.com##.theiaStickySidebar > div[id^="stream-item-widget"]
+/fakethebitch\.com\/\d?\.php/$domain=fakethebitch.com
+spicy-flix.com##.desktop-video-rec
+spicy-flix.com##.visions-right-video > p
+spicy-flix.com##.desktop-under-video-rec
+spicy-flix.com##.desktop-rec-bottom
+/nb/*$script,domain=bigtitslust.com|pornhex.com|159i.com|babesjoy.com|pornyfap.com|imgtorrnt.in|imgtornado.com|shameless.com|imgdone.com|webcamshows.org|ipicture.su|youav.com|porndr.com|noodlemagazine.com|picmoza.com|cumlouder.com|maturetubehere.com|amateur8.com|freeporn8.com
+ebony8.com,sortporn.com,freeporn8.com,maturetubehere.com##.is-av
+ebony8.com,sortporn.com,freeporn8.com,amateur8.com,maturetubehere.com##.item.pignr
+shemalesin.com,ebony8.com,sortporn.com,freeporn8.com,amateur8.com,maturetubehere.com##.invideo.pignr
+shemalesin.com,ebony8.com,sortporn.com,freeporn8.com,amateur8.com,maturetubehere.com##.top2.pignr
+freeporn8.com##.toble
+amateur8.com,ebony8.com,freeporn8.com##li.pignr
+shemalesin.com,bigtitslust.com,freeporn8.com###player_add
+amateur8.com,bigtitslust.com,freeporn8.com###lotal
+||freeporn8.com/frd5/local_p.js
+||filmdaily.co/wp-content/uploads/*/bovegas-banner-5500.jpg
+||filmdaily.co/wp-content/uploads/*/Casino_Model_Theme_300x250px-gif.gif
+/player/html.php?aid=$domain=xhand.com|homemade.xxx|filtercams.com
+koimoi.com###taboolaid
+koimoi.com##.ad-wrapper-border
+lokmat.com###beforehead
+sexxx.cc,lokmat.com###headerBanner
+videohelp.com###headerbanner
+macupdate.com##.mu_banner_layout_header
+babycenter.com##.connatixContainer
+babycenter.com###nativeAdContainer
+babycenter.com##.programmaticMultiAdContainer
+bloomberg.com##div[data-ad-placeholder="Advertisement"]
+coursef.com,ecityworks.com##.box-afs
+vjav.*##.hv-block
+||xxxadd.com/js/hrqst.js
+||freecampsites.net/inhouse/*.html
+freecampsites.net##.adLeaderBoard
+freecampsites.net###googleSquareAd
+tubeon.com##i[class="abtext"][style="display:block;margin-left: 10px;"]
+best-vpn-deals.com##.modal
+best-vpn-deals.com##.footer
+thedronegirl.com##a[href^="http://www.skyfish.ai/"] > img
+thedronegirl.com##a[href^="http://dronepilotgroundschool.com/"] > img
+thedronegirl.com##a[href^="https://buytrackimo.myshopify.com/"] > img
+thedronegirl.com##a[href^="https://www.bhphotovideo.com/"] > img
+thedronegirl.com###text-17
+watchcartoononline.bz,analogictips.com,1000projects.org,freecoursesites.net,javhoho.com,thedronegirl.com###text-7
+||embedsito.com/asset/*.min.js?*=*&
+listoffreeware.com##.bannerimg
+webmd.com##.ad-no-css
+informer.com##.top_b
+informer.com##.spnsrd
+informer.com##.block_ad3
+sentinelassam.com##body #ad_before_header
+||dutrag.com/asset/*.min.js?*=*&
+thetechbasket.com##.thete-manual-placement
+filmyplex123.blogspot.com##.sidebar > div[id^="HTML"]
+metoffice.gov.uk###lead-ad-spacer
+nytimes.com##.MAG_web_regi_us_sale_apple-pay-dock-ecd-test
+||peepdaily.net/wp-content/uploads/*/*/peepdaily.gif
+sports.ndtv.com##.nd-ad-title
+hecoinfo.com###divBannerAd
+scriptinghelpers.org##.shvertise-banner
+||serverf4.org/asset/*.min.js?*=*&
+bostonglobe.com###right > div#sticky_container
+bostonglobe.com###arcad_recirc
+||javstream.top/asset/*.min.js?*=*&
+||gaobook.review/asset/*.min.js?*=*&
+wsvn.com##.wp-block-ad-slot
+bostonglobe.com###top > div[class="text_align_center"]
+deftpdf.com##section[style*="width: 800px;"][style*="height: 90px;"]
+techrfour.com##img[width="1027"][height="298"]
+techrfour.com##img[width="1036"][height="296"]
+alistapart.com##.ala-author-book
+weraveyou.com##div[align="center"] > a[href="https://pulsar.audio/products/"][target="_blank"] > img
+||weraveyou.com/wp-content/uploads/*/*/pulsar-middle-site-banner.jpg
+msn.com##views-native-ad
+electrical-engineering-portal.com##.page-ad-topline
+electrical-engineering-portal.com##.reklama-text
+nizarstream.xyz,teamkong.tk,rulesofcheaters.net,codinghumans.xyz,rachidscience.com,technopratik.com,electricaleasy.com###HTML4
+wehavekids.com##.m-detail--feature-video
+||alphaporno.com/bravoplayer/custom/alphapornocom/scripts/inplaybn-
+gradientdescent.de##.adds-component
+||gradientdescent.de/*/*/components/Adds_*.js
+pastehouse.com##.col-md-9 > .text-center > a[target="_blank"][rel="nofollow"] > img
+subs4series.com##.bottom_margin tbody > tr > td[align="center"][style="width:336px; height:280px"]
+whattoexpect.com##.adhesion-ad-container
+timesofindia.indiatimes.com##.adswebtopstories
+timesofindia.indiatimes.com##body .banner_local:not(.flexrest)
+unblockyoutube.video,unblock-websites.com##.myproxy-form-inline > a.btn-yellow
+unblockyoutube.video,unblock-websites.com###mih-bottom
+mashable.com##body .zmgad-full-width:not(#style_important)
+||dood.la/sw.js
+offerup.com##a[href^="https://www.bing.com/aclick?"]
+bluesnews.com##.col-fixed-sky
+bluesnews.com##.col-fixed-mpu
+||yimg.com/nn/lib/metro/g/sda/$domain=yahoo.com
+||imgsen.com/87d979131e4e.js
+123tv.live##.demo-avd
+ladbible.com##div[data-cypress="sticky-header"]
+whatleaks.site,troypoint.com##.mysticky-welcomebar-fixed
+magnetdl.uproxy.to##a[href="/b/?/site/vpn/"]
+piraproxy.page,theproxy.ws,unblockedsites.net,theproxya.net,dirproxy.biz,dirp.info,unblockedwarez.com,superproxy.me,theproxya.com,piracyproxy.biz,xproxy.org,piraproxy.app,directoryproxy.org,dirproxy.com,dirp.me,123proxy.info,theproxy.to,unblocked.id##.container > .justify-brow
+piraproxy.page,theproxy.ws,unblockedsites.net,theproxya.net,dirproxy.biz,dirp.info,unblockedwarez.com,superproxy.me,theproxya.com,piracyproxy.biz,xproxy.org,piraproxy.app,directoryproxy.org,dirproxy.com,dirp.me,123proxy.info,theproxy.to,unblocked.id,uproxy2.biz,uproxy.to##div[id][onclick^="window.open("][onclick*="vpn"]
+genshin.honeyhunterworld.com##.ad_sidebar_video
+genshin.honeyhunterworld.com##div[id^="ad-genshin"]
+sextubefun.com##.promo-sec
+gamingintelligence.com##div[class$="adsanity-"]
+myhoustonmajic.com##.footer-share-bar
+||4gay.fans/fans.js
+gmanetwork.com##div.leaderboard
+gmanetwork.com##.mrec_ad_home
+gmanetwork.com##.mrec_336
+bloomberg.com##.canopy-container
+jamaicaobserver.com##div[id^="advetisement_"]
+jamaicaobserver.com###Table_05 a[href^="https://bit.ly/"][target="_blank"] > img
+jamaicaobserver.com##.latest_news > #articles_container[style="min-height: 200px !important;"]
+||syndication.exosrv.com/splash.php?$removeparam
+||watchgayporn.online/asset/*.min.js?*=*&
+hardcoreluv.com,imageweb.ws,pezporn.com,wildpictures.net##.box1[style^="height"]
+gaystream.pw##.a-block
+businessinsider.*##.ad_spacenone
+businessinsider.*##.article-ad-container
+filmyone.com##div[id$="-top-scroll-shadow"][style^="position: absolute"]
+manchestereveningnews.co.uk##div[data-link-partner]
+manchestereveningnews.co.uk##.container > div:empty
+||w.send.cm/www/d/a.php
+send.cm##.df-example
+montrealgazette.com##.vf-ad-comments
+montrealgazette.com##.ad__section-border
+wionews.com##body .posrelativebox
+southwalesargus.co.uk###piano-message
+southwalesargus.co.uk##.lm-sell-your-car-banner
+telegraphindia.com##.ttdadbox122
+telegraphindia.com##.marketing-banner-article
+telegraphindia.com##.uk-bg-dwnld
+dictionary.com##section[data-testid="grammar-coach-ad"]
+||cdn.sunporno.com/sunstatic/v*/common/sunporno/compiled/script.v*.min.js
+everythingrf.com##div[data-adtag]
+everythingrf.com##.baseboard-ad
+everythingrf.com##.mid-ads
+indiansexstories2.net,issstories.xyz##iframe[src^="https://a.videobaba.xyz/"]
+afreesms.com###title > span > a[target="_blank"]
+fortune.com###piano-wrapper[style*="z-index: 100003;"] iframe[id^="offer-"]
+piratebay-proxy-list.com,pirate-bays.net##.message-wrap
+tryboobs.com###sr
+documentaryheaven.com##aside[style^="padding: 17px 0 12px 0!important;"][style*="overflow:hidden;"]
+medpagetoday.com###right-rail-frame
+fenews.co.uk###Mod459
+mtstandard.com,lacrossetribune.com##.lee-featured-subscription
+streamingdue.com##aside[class="widget_text td_block_template_8 widget widget_custom_html"]
+ipleaders.in##a[href^="https://lawsikho.com/"] > img
+olympics.com##.tk-ad-top
+olympics.com##.tk-ad-top-placeholder
+businessinsider.in##.amzn-offers-wdgt
+crazyshit.com,sleazyneasy.com,katestube.com,pervclips.com,vikiporn.com,fetishshrine.com,wankoz.com,sheshaft.com,pornicom.com,morazzia.com,pornwhite.com,yeswegays.com##a[href^="https://claring-loccelkin.com/"]
+scoopwhoop.com###da-top
+fbcnews.com.fj##.homepage-advert
+fbcnews.com.fj##.banner-leaderboard
+fbcnews.com.fj##.story-content #fbc-sl
+||nothingtoxic.com/aff/chaturbate/
+||painaltube.com/min/747b35c9/painaltube/p/
+||painaltube.com/widget/chaturbate_cam.php?
+painaltube.com##.widget > div.widget
+||crazyshit.com/aff/$subdocument
+pexels.com##.js-sponsored-photos
+xrares.com##a[href*="/plugout.php"]
+yts.rs##.vpn-container
+||cdn.tapioni.com/asg_embed.js
+gizchina.com###protag-header_2
+gizchina.com##.vwspc-section-sidebar > #text-26
+gizchina.com##.vwspc-section-sidebar > #text-50
+||free-proxy.cz/i/HMA/1.gif
+atozmodapk.com##.sidebar-ads-active
+yuzu-emu.org##.column > div.px-md
+hentaifreak.org##.text-center.col-md-6 > a[target="_blank"] > img
+easyengineering.net##.td-ss-main-sidebar > div.td_block_template_17
+indianexpress.com##.ie-int-campign-ad
+vegasslotsonline.com##.game-frame--fullscreen > .game-frame__board
+vegasslotsonline.com##.carousel-horizontal__bonuses .casino-pros-row
+truetrophies.com,trueachievements.com,pockettactics.com,pcgamesn.com###nn_bfa_wrapper
+theloadout.com,pockettactics.com,pcgamesn.com##.legion_primiswrapper
+cartoonpornvideos.com##div[class="outer-item _767p"]
+zegtrends.com##.tpm-ads-unit
+radioreference.com##td[width="190px"] > div[align="center"][class="box"]
+filecrypt.co##form > .protection.online ul > li:not(.buttons) > div:not(.circle_captcha)
+filecrypt.co##.content .window .filltheadblockqueue3
+hentaihd.net##.active-item
+letmejerk.com,letmejerk3.com,letmejerk4.com,letmejerk5.com,letmejerk6.com,letmejerk7.com##div[class^="lmj"]
+letmejerk.com,letmejerk3.com,letmejerk4.com,letmejerk5.com,letmejerk6.com,letmejerk7.com##.cams-widget
+hentaidude.com###vid > div.main-vip
+hentaidude.com###idunder
+||hentaiworld.tv/wp-content/uploads/*-300x300px-
+tnaflix.com##.zzMeBploz
+onlinemovieshindi.com##a[href^="https://oppa88888888.com/"] > img
+crossword-solver.io###crossword-solver-io_right_rail
+crossword-solver.io###crossword-solver-io_leaderboard_atf
+crossword-solver.io##div[id^="crossword-solver-io_incontent_"]
+crosswordsolver.org##.mpu-ad-container
+9gag.com##.featured-video
+goodreturns.in###headerTopAd
+goodreturns.in##.refreshInarticleAd
+goodreturns.in##.oiad
+hinkhoj.com##.rgt_side_adword
+hinkhoj.com##.rgt_side_adword + .rgt_div_ta
+spellchecker.net###bio_ep
+spellchecker.net##.grammarly-left-image
+spellchecker.net##a[href^="https://www.grammarly.com/?"][href*="&utm_source=placement"] > img
+||spellchecker.net/public/*/js/bioep.js
+||spellchecker.net/public/*/images/grammarly
+hentaicore.org##a[href^="https://myhentai.org"]
+||see.xxx/nr.js
+androidapksfree.com##.header-ad-heading
+morningstarthailand.com,morningstar.*###ad_top_page
+community.hackintoshshop.com##div[style="width: 100%; display: table;"]
+community.hackintoshshop.com##div[align="center"] > div[style="height:25px"]
+thec64community.online##iframe[id^="ad-"]
+||youtnbe.xyz/asset/*.min.js?*=*&
+wikidiff.com##div[style^="width: 100%; min-height: 200px"]
+techradar.com###article-body > .product:not([class*="guide"])
+haaretz.com##div[data-test="bottomStrip"]
+haaretz.com##div[data-test="topStrip"]
+livelaw.in##body .ad_unit_wrapper_main
+issuu.com,cars.ksl.com##div[class^="Ads__"]
+boston.com##.o-site-header__advert
+boston.com##.m-content-advert
+shesfreaky.com###im-slider-outer
+||bestcontentweb.top/video$xmlhttprequest,other,redirect=nooptext
+||anime4up.com/wp-content/uploads/*.png$popup
+gbhackers.com##.td-ss-main-sidebar > div.td_block_text_with_title.td_block_widget
+cellularnews.com##.responsive-thin-ad-wrapper
+robots.net,cellularnews.com##.responsive-vertial-ad-wrapper
+cellularnews.com##.responsive-ad-outbrain-wrapper
+ingles.com,spanishdict.com##.video-ad
+marketcapof.com##.ledger-container
+||new.gdtot.*/assets/img/yourlogo.png$popup
+mobilemarketingreads.com##a[href^="https://hubs.ly/"]
+xfreehd.com##.col-md-12 > .alertx2
+questionpapers.net.in##.my-extra-widget
+mcqlearn.com##.affiliate-disclaimer-detail
+javdock.net###player_3x2_container
+cyberciti.biz##div[class^="tips_"][class*="_slot_"]
+javhub.net##div[class^="smac"]
+utilitymagazine.com.au,linoxide.com###text-36
+linoxide.com###text-40
+||tei.ai/sw.js
+usingenglish.com###header-leaderboard-ad
+autotrader.ca##vdp-ad-banner
+autotrader.ca##.gallery-leaderboard
+themehits.com##.wpadvads-sticky-footer-ad
+freakyjolly.com##.sidebar > div.widget_custom_html
+healthgrades.com##.leaderboard1AdWrapper
+couponbirds.com##.js-normal > div[style="margin-bottom: 10px;min-height: 280px"]
+yts.unblockit.uno,yts.unblocked.name,yts.mx##.cbas-brdrd
+yts.unblockit.uno,yts.unblocked.name,yts.mx##.mgz-bered
+watchmalcolminthemiddle.com##.h_content
+||analyticsinsight.b-cdn.net/wp-content/uploads/*-300x250px
+||analyticsinsight.b-cdn.net/wp-content/uploads/*-300W-x-250H
+bigleaguepolitics.com##div[id*="-box-ad-"]
+||meowkuplayer.xyz/asset/*.min.js?*=*&
+||dailypicked.com/wp-content/uploads/2020/06/buy-11-courses-
+||blog.ipleaders.in/wp-content/uploads/2021/07/side-banner-24th-july-bootcamp.png
+||blog.ipleaders.in/wp-content/uploads/2018/11/IPLEADERS-BLOG-calling-for-ads-1.png
+||blog.ipleaders.in/wp-content/uploads/2018/11/lawsikho-ad-22112018.gif
+||blog.ipleaders.in/wp-content/uploads/2021/01/Internship-Banner.jpg
+blog.ipleaders.in##.shwPops
+blog.ipleaders.in##figure[style="width: 300px"]
+greaterkashmir.com##div[class^="ad-wrapper-module"]
+indiabix.com##.div-ad-site-bottom
+indiabix.com##.div-ad-site-bottom + hr
+indiabix.com##div[class*="div-ad-wrapper-"]
+alternativetoapp.com##div[style$="text-align:center;"] > p[style="font-size:12px"]
+clevelandclinic.org##.ad-policy__wrapper
+||vidoza.net/sw.js$important
+tureng.com##.termresults-ad-tr
+||slutsounds.com/wp-content/uploads/*/nawtycam$image
+framework7.io##.carbon
+cheat.gg##body > div[style="background-color:white;color:white;padding:200px"]
+||xnxx.com/cams^
+/\.com\/[_0-9a-zA-Z]+\.jpg$/$image,~third-party,domain=hottystop.com
+||fjetvid.com/asset/*.min.js?*=*&
+elamigosedition.com##center > a[onclick*="window.open("][class^="button"]
+thefashionspot.com##.siqps-wrapper
+||a.cdn.searchiq.co/app/search/content/presearch/js/presearch.js
+||cdn.searchiq.co/app/search/presearch/meta/advertiser_click_template.json
+wsls.com,gmg-wjxt-prod.cdn.arcpublishing.com,ksat.com##.topWrapper
+abc13.com##.adRectangle-pos-large
+fox4news.com##.fox-bet-promo
+khou.com##div[data-module-sizer="datasphere-ad-front"]
+bloomberg.com##.newsletter-sponsored-ad
+snazzymaps.com##.container-gas
+coursesghar.com##.NR-Ads
+||cheatcc.com/ad-backgrounds/
+||zetporn.com/*/custom_vast/$xmlhttprequest
+||zetporn.com/LQMDQSMLDAZAEHERE/
+/\.com\/[A-Za-z]{9,}\/[A-Za-z]{9,}\.js$/$script,~third-party,domain=zetporn.com
+spycock.com,zetporn.com##.aside-itempage-col
+mylink.vc###pub11 > center
+mylink.vc###pub10 > center
+mylink.vc###pub9 > center
+mylink.vc###npub-1 > center > center
+||wmpics.pics^$domain=sexcams-24.com|webcamvau.com
+conservativebrief.com###respond
+geology.com###cside
+geology.com###ldr21
+zombsroyale.io##.preroll-video-overlay
+shineads.in##a[href^="https://namecheap.pxf.io/"] > img
+dubzstreams.com##.admania-headersgstkyad
+gdpr.eu###compliance_a
+||films5k.com/asset/*.min.js?*=*&
+rawstory.com##.mgid_1x8
+rawstory.com##.paypal
+||mrdhan.com/asset/*.min.js?*=*&
+manhuascan.com##.itemupdate2
+receive-sms-online.info##iframe[src="/smsplaza/smsplaza.html"]
+||ad4point.*.digitaloceanspaces.com/afp_p.js
+bforbloggers.com##.sidebar-product
+businessinsider.de##.billboard-and-banner
+businessinsider.de##.bi-min-height--inpage
+buildsometech.com,fulllengthaudiobook.com,audiobooklabs.com,thumb8.net,bestjoblive.com,profitableventure.com,wpghub.com###ai_widget-2
+sanfoundry.com##.desktop-incontent-ads
+sanfoundry.com##.bottomStickyContainer
+content.techgig.com##.main-content-polls
+downloadtimecalculator.com##.desktophead
+songmeanings.com###SMN_MIDR_300c
+songmeanings.com##.ad-music
+||proxyporn.info/o.php
+||proxyporn.info/proxyporn-info-p0p.js
+businessinsider.com,insider.com##.l-ad
+viralfeed.xyz##.admania-widgettit
+insider.com,businessinsider.com##.sticky-rail-ad-container
+||pornbraze.com/popup.js
+genius.com##div[class^="InreadAd_"]
+ip.sb##.rivencloud_ads
+||ip.sb/assets/images/rivencloud_ads.gif
+topeuropix.site,123europix.pro###closex
+go.gets4link.com##.mx-auto > center
+engdic.org##.gb-container
+indiatoday.in###block-itg-front-end-common-recommend-news-block
+egamersworld.com##.match_wrap > span > a.primary-btn
+egamersworld.com##.forecast-btn
+||egamersworld.com/uploads/banners/
+||egamersworld.com/uploads/bookmakers/
+egamersworld.com##.ga_data
+egamersworld.com##.bookmakers_list
+ucanews.com##a[href^="https://memories.net/"] > img
+ucanews.com##a[href^="https://international.la-croix.com/"] > img
+foreignpolicy.com##.channel-sidebar-big-box-ad
+foreignpolicy.com##.post-content--sub-prompt-in-article
+techbeacon.com##a[href="https://events.vertica.com/unify"]
+banglanews24.com###welcome-ad
+banglanews24.com##.ads-gallery
+||banglanews24.com/public/uploads/ad/
+banglanews24.com##body > div[style^="position: fixed;padding:5px; width: 100%;"]
+||bluemedia*/sw.js
+bitdegree.org##.countdown-container
+bitdegree.org###ouibounce-modal
+picturequotes.com##.respage
+picturequotes.com##.ad3thumb
+yourquote.in##.anchor-ad
+freetutsdownload.net##.bialty-container > div.g-6 > div.g-single > br + center
+freetutsdownload.net##body .theiaStickySidebar > div.widget_text
+usnews.com##div[class*="FeaturedTravelDeals__TravelzooContainer-"]
+isitdownrightnow.com###commentstop
+||xxxymovies.com/player/html.php?aid=pause_html&video_id=*&referer=
+||sextop.net/ads/
+pdfroom.com##div[class^="my-"][style^="min-width:"][style*="min-height"]
+pdfroom.com##div[style="min-width: 308px; min-height: 250px;"]
+instapage.com##.message-bar-wrapper
+ppcexpo.com##div[class*="adv-container"]
+snacknation.com###sidebar > .widget a[target="_blank"] > img
+wabetainfo.com##.adsTextHeader
+rectube.webcam,camhub.tv##.popunder-opener
+mapsus.net##.avm
+mrexcel.com##.message-body > div[id^="ga-"]
+||notix.io/ent/current/enot.min.js
+||zehnporn.com/img/12221.gifimg/12221.gif
+cryptobriefing.com##.ad-sticky-banner
+archpaper.com##.an-ads
+||porntop.com/magic/
+liderform.com.tr##div[style*="width: 801px;"][style*="height: 419px;"]
+blockadblock.com###thisisext
+||gaytail.com/fancy-mode-7abe/
+||letmejerk.com/*.php|
+link.technics-goods.info,mysafe.stisda.ac.id##.text-center > h3
+blogspot.com,web.app##img[onclick="kemana()"]
+rawstory.com##div[id^="rawstory_front_"]
+mcqslearn.com##.hdrtopall
+sensorstechforum.com##.main_post_table a[href^="https://sensorstechforum.com/spyhunter-for-mac-download-install/"]
+sensorstechforum.com##div[id^="top_banner"]
+tubeninja.net###result ~ div.text-center > div > a[target="_blank"] > img
+indiatimes.com##.tsh-ads
+latestlaws.com###jindal_ad
+latestlaws.com##a[href="http://www.torrentpharma.com/"] > img
+book-drive.com###media_image-9
+||hentaipins.com/pop.js
+motherless.com##.above-footer-banners
+blackhatworld.com##.bhw-banners
+blackhatworld.com##.message-signature a[target="_blank"] > img
+||thenantwichnews.co.uk/wp-content/uploads/*-web-banner.
+||thenantwichnews.co.uk/wp-content/uploads/*-banner-advert.
+thenantwichnews.co.uk###toggle-masthead
+thenantwichnews.co.uk###primary-masthead-advert
+||thenantwichnews.co.uk/wp-content/uploads/Webp.net-gifmaker-
+thenantwichnews.co.uk##img[alt="banner-advert"]
+thenantwichnews.co.uk##.adverts-sidebar
+freetutorials-us.com##.gad1
+tutorialbar.com##div[id^="rehub_sticky_on_scroll-"]
+blavity.com##.ad-base__wrapper
+telegraphindia.com##.ttdadbox626
+telegraphindia.com##.ttdadbox310
+||hifivision.com/data/siropu/aml/$image
+thephoblographer.com##.vuukle-ad-banner-right + div[style]
+win-raid.com###xoborAdSeiteEl
+iasparliament.com##div[class*="prstrm"]
+yesmovies.mn,dopebox.to,fmoviesto.cc,movies2watch.tv,myflixer.to###gift-top
+elitepvpers.com##div[style="background: #1c1e20;color: #fff;font-size:11px"]
+||public.bnbstatic.com/static/js/ocbs/binance-fiat-widget.js$domain=litecoin-faucet.com
+||public.bnbstatic.com/static/js/broker-sdk/$domain=litecoin-faucet.com
+||pussy-hub.com/*/stat1_$script,~third-party
+||pervclips.com/tube/jsb/$script
+pornwhite.com,pervclips.com###under-video
+moviemakeronline.com##.bbbOwner
+socceron.cc##iframe[style*="width: 1016px;"][style*="height: 237px"]
+||dcn.espncdn.shop/espnload.html
+||manhwa18.cc/*_*.php
+jagranjosh.com##.Adplace
+jagranjosh.com###target-11
+jagranjosh.com##.atf_top
+||controlc.com/redact.png
+hightimes.com##a[href^="http://medicalcard.leafwell.co/"] > img
+studylib.net##.above-content
+studylib.net##.below-content
+jacobinmag.com##.bn-at
+runnersworld.com##.sponsor-bar
+examtray.com##section[id^="block-amazoncbooks"]
+||desirefx.com/Cont*.html$third-party
+darkreading.com##a[data-flip-widget="shareflip"]
+cartoq.com##.sticky_ad
+punchng.com##a[href^="https://www.nestle-cwa.com/"]
+punchng.com##.site-header-ad
+||instapornvideos.com/back.js
+weather.com##div[id^="Taboola-sidebar"]
+||javhd.icu/ads/
+.gif$domain=kartaplovdiv.com
+ytmp3.net,thepiratebay2.to,hexupload.net,animeindo.to,short2fly.xyz,techboyz.xyz,b-ass.org,kartaplovdiv.com##a[target="_blank"] > img
+kartaplovdiv.com##.play-video
+sidereel.com###netaktion_ad
+salon.com##.advertise_text
+salon.com##.outer_ad_container
+studytonight.com##.asc-ads
+studytonight.com###body-content > div[style="min-height: 300px;overflow: auto;"]
+desitellybox.me##.theiaStickySidebar > div.first.widget
+canonrumors.com###execphp-2
+codecs.forumotion.net##div[style="clear:both;"] > div[align="center"] > div[style^="text-align:center; display:inline-block;"]
+irishtimes.com##.sub-prompt
+irishtimes.com##.slideFromLeft > a[data-evt-category="/digital-subscriptions"]
+irishtimes.com##.article-footer-slot > a[href="/digital-subscriptions"]
+irishtimes.com##.more-in-section.business
+irishtimes.com##a[href^="https://recruitireland.com/"] > img
+css-tricks.com##.fem-ad
+dogemate.com##center > div[style^="width:300px;"][style*="height:250px;"]
+celebwale.com##.inside-right-sidebar > #text-3
+celebwale.com##.inside-right-sidebar > #text-4
+prepp.in,collegedunia.com##.headerslot
+indianexpress.com##.ie-adtext
+||vkspeed5.com/*/vast.js
+||dailymotion.com/embed/video/$domain=mavanimes.co
+||mavplay.xyz/asset/jquery/slim.min.js
+||vkspeed.xyz/*/vast.js
+silicophilic.com##.sidebar > #custom_html-10
+freebitz.xyz##div[id*="Banner_"]
+deccanchronicle.com###storyBody > div[class="col-sm-12 col-xs-12"][style="margin-top:10px; margin-bottom:10px;"]
+deccanchronicle.com###storyBody > div[class="col-sm-12 col-xs-12"][style="margin-top:10px; margin-bottom:10px;"] + p[style="border:0px;margin-top:0px;margin-bottom:0px;padding:0px;"]
+angrybirdsnest.com##.post-container > div.post:not([id])
+openloading.com,123moviesgo.*,jetanimes.co###clickfakeplayer
+hentai2read.com##div[data-type^="leaderboard"]
+||embed.sendtonews.com^$domain=andhrafriends.com|titantv.com
+rmweb.co.uk,andhrafriends.com##li[data-blockid^="app_cms_"]
+andhrafriends.com##div[class="ipsResponsive_showDesktop ipsResponsive_block"] > center
+chartoo.in,chartoo.de,chartoo.com##aside#ej
+chartoo.in,chartoo.de,chartoo.com##aside#eq
+||ibb.co/*/f1.webp
+operanewsapp.com##.main figure > iframe[data-src*="embed"]
+desixflix.com##iframe[data-src^="//ad.a-ads.com/"]
+word-grabber.com,thebridgechronicle.com,maharashtratimes.com##div[class^="ad-wrapper-"]
+maharashtratimes.com##.pwa-deals
+wired.com##.with-link-banner
+data.typeracer.com##.northWidget
+data.typeracer.com##.westWidget
+data.typeracer.com##.sidewall-ad-slot
+data.typeracer.com##.leaderboard-ad-slot
+acronymfinder.com##.sc
+||javbobo.com/little-hall-f39d/
+calmclinic.com##.sharp-block
+||calmclinic.com/srv/sharp/
+vxxx.com###player-1 > div[style="display:flex !important"] > div
+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
+sexpuss.org##.bn1
+sexpuss.org##.tu-sexc3
+simply-hentai.com##.cam-container
+simply-hentai.com##.reader > div.mb-3 > div.mt-3
+||zlut.com/_ad$subdocument
+||zlut.com/jss/external_pop.js
+zlut.com##.add-bottom
+pluginsaddonsextensions.com##.advertise
+fantrax.com##side-ad > .placeholder--fluid
+linuxize.com##a[rel="noreferrer noopener"][target="_blank"]
+djmag.com,healthyplace.com##.block-ad-block
+fxstreet.*##.fxs_leaderboard
+idahostatesman.com,vidsvidsvids.com##.zone
+||vidsvidsvids.com/go/
+||player.twitch.tv/js/embed/v1.js$domain=wago.io|uesp.net
+wago.io##.embed-player
+/\/(Zen-Technologies|solar-group)\.gif/$domain=bharatshakti.in
+naturalnews.com##.post-section-box
+naturalnews.com##hr[id^="Marker"] + div[class]
+21stcenturywire.com##.textwidget > div[id^="ld-"][style^="padding:"]
+activistpost.com##a[href^="https://secure.altimetry.com/"]
+accuweather.com###connatix
+nbagaffer.net,app-how-to-use-it.com,faqforge.com,xscholarship.com,psdly.com,droidwin.com,taradinhos.com,dvdgayporn.com,thetaiwantimes.com##.widget_custom_html
+xtorx.com##center > form ~ a[target="blank"] > img
+slidesgo.com##div[id^="list_ads"]
+slidesgo.com##div[id^="article_ads"]
+videosmaller.com##.aside-col > .links-panel + h6
+musicc.xyz##.box-main > a[target="_blank"]
+musicc.xyz##.box-main > a[target="_blank"] ~ div[style*="padding-right:"]
+freecoursesites.net,freecourseudemy.com##div[class^="gad"]
+roll20.net##.bna
+||howtolearn.blog/assets/pgz/$image
+stackabuse.com##div[id^="ad-content"]
+stackabuse.com###ad-book
+indiaglitz.com###main_slide_row > div.sidewrap
+readwn.com###fsad-novel-bottom
+||readwn.com/*/ad/
+film1k.com##.Main > .VideoCols > aside[role="complementary"]
+espncricinfo.com##.adSlotCnt
+nero.com##.flxAd
+embedrise.com,playpornfree.xyz,mangoporn.net,mangoporn.co,xxxmoviestream.xyz,watchpornfree.info,streamporn.pw###overlays
+wowgame.tv##td[width="300"][align="center"]
+migranturus.com##.migra-adlabel
+aceofhacking.com,wikiwiki.in###media_image-3
+||weraveyou.com/wp-content/*/Vokaal-GIF.gif
+jobsncareers.org,weraveyou.com,vermangasporno.com##a[href^="https://bit.ly"]
+vermangasporno.com##a[href*="http://www.ciberhentai.net"]
+vermangasporno.com##a[href*="www.gaming-adult.com/"]
+extramovies.shop##a[href^="/dlbutton.php?"][target="_blank"] > img
+flexyhit.com,getintocourse.com,electricaltechnology.org##.theiaStickySidebar > #stream-item-widget-2
+courseboat.com,freecourseweb.com,devcourseweb.com##.header-container
+freecourseweb.com,devcourseweb.com##a[href="https://freecourseweb.com/FreeCryptoGains"]
+freecourseweb.com##.widget_tag_cloud + aside.widget
+devcourseweb.com##.widget_email-subscribers-form + aside.widget
+freebusinessapps.net##div[data-ad-slot]
+collegedekho.com##.mobileAds
+forum.devicebar.com##.house-creative
+singletrackworld.com###ad-spacer
+freealts.pw##a[class^="banner"]
+istheservicedown.in,istheservicedown.com##.promoted-infeed
+istheservicedown.in,istheservicedown.com##.section-promoted-head
+istheservicedown.in,istheservicedown.com##.promoted
+istheservicedown.in,istheservicedown.com##.section-promoted
+2ddl.ms##.Fast.Direct.download
+2ddl.ms##.Secure.Download
+indiatimes.com##.ad-cls
+||shop.gadgetsnow.com/gsearch/gadgetsnow.php^$domain=m.gadgetsnow.com|timesofindia.indiatimes.com
+gadgetsnow.com##.article_cont ~ section.slideshowwdt
+timesofindia.indiatimes.com##.shopping_times_wdgt
+ndtv.com##.cnAdzerkDiv
+ndtv.com##.cnoverlay-regularAd
+ndtv.com##.cnadvertisement-leaderboard
+fresherslive.com##.ad_desk_w970_h250
+thetechrim.com##.sb-widget-ad
+||educationalappstore.com/images/sirlinkalot-side.png
+||educationalappstore.com/images/lil-requester.jpg
+sundryshare.com##.download-timer-text + div[style^="text-align:"]
+business-standard.com##.story-content > div[style^="background: #fee8dd;"][style*="border: dashed 1px black;"]
+downloadfreecourse.com##.page-breadcrumb + .bn-lg
+downloadfreecourse.com##a[href="https://play.google.com/store/apps/details?id=kara.profileborderframe"]
+||downloadfreecourse.com/banner/tintinbanner
+geeksforgeeks.org###secondary div[style="min-height:600px"]
+whatsmydnsserver.com##.maindivleft > div[id] ~ p > a[target="_blank"] > img
+goodreturns.in##div[style^="min-height: 250px"]
+goodreturns.in###couponPromoWdg
+ndtv.com##.__footer_ads > div[style*="height:auto"][style*="text-align:center"]
+livemint.com##div[class^="adHeight"]
+hindustantimes.com,livemint.com##div[class^="adMinHeight"]
+livemint.com##div[class^="outbrainAd"]
+beautyvsfashion.com##div[class^="adunit-"]
+||techrrival.com/wp-content/uploads/2020/11/Microsoft-365-Banner.jpg
+techrrival.com##a[href^="http://stvkr.com/"]
+qz.com###marquee-ad
+encyclopedia.com,qz.com##.article-content-ad
+qz.com##.spotlight-slot
+qz.com##.engage-slot
+mxtoolbox.com##.mx-inline-ad-link
+||mxtoolbox.com/Public/Lookup.aspx/GetNextInlineAd
+icon-icons.com##div[id^="bsa-placeholder-search"]
+icon-icons.com##.bsa-placeholder
+||bitclickz.com/assets/img/728-
+||bitclickz.com/assets/img/160-
+||downloadprivacy.com/wp-content/uploads/2020/06/ipvanish-featured-sidebar.gif
+downloadprivacy.com##div[data-styleslug="top-vpn-offers"]
+8muses.xxx##.gallery > a[href=""][title=""]
+northantstelegraph.co.uk##div[class*="piano"][class*="-banner"]
+falkirkherald.co.uk,northantstelegraph.co.uk##.piano-article-paywall
+free.foto.ne.jp##.ad_full
+food-foto.jp,model-foto.jp,pro-foto.jp##.ad_block-full
+redditnbastreams.live###nordd
+||www-moviesflix.com^$domain=zipurls.com
+sexuhot.com###overlay > a
+mapquest.ca##.programmatic-ad
+mapquest.ca##.directions-ad
+abc11.com##.taboolaArticle
+abc11.com##div[class^="adRectangle-pos-"]
+bagi.co.in##iframe[src^="https://cryptocoinsad.com/ads/"]
+bagi.co.in##.form-group ins[class][style="display:inline-block;width:300px;height:250px;"]
+searchencrypt.com##.home__banner
+||searchencrypt.com/public/amzBanner.png
+||pussy.org^$subdocument,~third-party
+hindustantimes.com##div[class*="adsHeight"]
+hindustantimes.com##div[class*="adsheight"]
+hindustantimes.com##div[class*="centerAd"]
+hindustantimes.com##div[class^="adHeight"]
+hindustantimes.com##.ht_outbrain
+sexuhot.com###abox
+||sefsdvc.com^$subdocument,domain=sexuhot.com
+||sexufly.com^$subdocument,domain=sexuhot.com
+||softwarekeep.com/theme/imgs/helpcenter/banners/
+techbone.net##div[style="min-height:280px;display:block;"]
+psychologytoday.com##.pt-ad
+psychologytoday.com##div[id^="block-pt-ads-"]
+pornissimo.org##.fp-ui-inline + div[style]
+sexybabegirls.com##.bann
+mobilecellphonerepairing.com###text-15
+||lh3.googleusercontent.com/pw/$domain=173.249.49.204|rolexforums.com
+audiophileon.com###sidebar-one-blocks .amazon-block
+audiophileon.com###sidebar-one-blocks .amazon-block + .sqs-block.button-block
+radarbox.com##.remove-pub
+teencumpot.com##div[id^="right-bn-"]
+freemoviescinema.com##.container > div[style="margin-top:40px; margin-bottom:40px;"]
+freemoviescinema.com##.container > div[style="min-width: 300px; min-height: 250px; margin-bottom:15px; margin-top:15px;"]
+||catch.tube/images/pro/converter/converter.png
+financialexpress.com###append_cubebox_box
+||data.indianexpress.com/iframes/cfo-awards/cfoawards.html
+helpdeskgeek.com##div[id^="adngin"]
+starwank.com,fapnado.xxx,analdin.com##iframe[src*="/api/spots/"]
+raise.com##aside[class^="nudge_main"]
+||playtube.ws/js/halal.js
+windowscentral.com###bordeaux-static-slot-0
+cocomanga.com##html > iframe
+vjav.*,privatehomeclips.com##.partners-wrap + div[class]
+hdzog.tube,hdzog.com,hotmovs.com,privatehomeclips.com##.partners-wrap
+||hardwarezone.com.sg/js/hwz/hwz_gam_f.js
+||hardwarezone.com.sg/ads/ad_site_notice.js
+dogeflix.net##.preloader
+||overclockers.co.uk/KitGuru/similarArticle?sku=$domain=kitguru.net
+perfectgirls.xxx,pornhat.*##.before-player
+userupload.in##a[href^="https://apkland.net/"]
+jawcloud.co##.jwbanner
+/\.com\/[a-zA-Z]{10}\.js$/$script,~third-party,domain=povaddict.com
+||sexywomeninlingerie.com/qpjsdm0_$script
+||wafflegirl.com/galleries/banner/$third-party
+||protect-link.biz/js/jquery-custom.js
+coursedown.com##.sidebar > #custom_html-2
+||coursedown.com/wp-content/uploads/*/banner-728.png
+hentaihand.com##main > div.row.mx-auto
+katfile.com,jav.guru,analyticsinsight.net,rlsbb.ru,slutsounds.com,theboobsblog.com##p > a[target="_blank"] > img
+coursewikia.com##.custom-infeed-wrap-article
+coursewikia.com##.gt-section-ad
+freesexyindians.com##.grid-sidebar-extra
+nba24hnews.com##div[style="font-size: 12px; text-align: center"]
+eporner.com###infopopup
+porn.sex##.footer-a
+you-porn.com##a[data-tracking="track-close-btn-ad"]
+pinloker.com,sekilastekno.com,sektekomik.com,pornve.com###teaser2
+||cdn.statically.io/img/sektekomik.com*.gif$important
+shinbhu.net,likegeeks.com###secondary section[id^="ai_widget-"]
+likegeeks.com##.code-block > div[style="min-height: 250px;"]
+thedailybeast.com##.WrapGrid__desktop-sidebar-ad
+thedailybeast.com##.DEPRECATEDAdSlot
+thedailybeast.com##aside > div[style*="min-height:600px"][style*="min-width:300px"]
+hindustantimes.com##.headBanner
+gcertificationcourse.com###PAds_header
+hotdeals.com##.afsstyle
+moviesfoundonline.com##a[href^="https://www.purevpn.com/"]
+searchenginewatch.com##.ad__flex
+||shemalestube.com/templates/dark/ads/
+||shemalestube.com/templates/dark/js/pop/
+sourceforge.net##.can-truncate
+sourceforge.net##.sterling
+megainteresting.com##.mega1
+megainteresting.com##.mega2
+megainteresting.com##body div[id^="mega2_"]
+daijiworld.com##a[onclick^="recordOutboundLink("][target="_blank"] > img
+dotabuff.com##div.mana-void[data-type="elo-placement"]
+||nyx-nyx-nyx.dotabuff.com/a.js
+porntop.com,pornhits.com##.text > a[rel="nofollow"]
+celebjihad.com##iframe[src^="https://go.bshrdr.com/"]
+celebjihad.com##a[href^="https://go.admjmp.com/"]
+pixabay.com##.carbon-ad
+pixabay.com##.getty-banner
+pixabay.com##.affil_images[data-ad-impression-id]
+pixabay.com##.show-gtty-item > div[style="font-size:14px;color:#a5a8ab;margin:5px 9px"]
+asiaone.com##.trending-ad-wrapper
+cryptoslate.com##.buy-crypto
+cryptoslate.com##.header-strip
+web-capture.net,mirror.co.uk,cryptoslate.com##.partner
+faucethero.com##div[style*="max-width: 800px;"] > a[target="_blank"] > img
+pornwatchers.com,pornrabbit.com##.stage-promo
+windowsteca.net##.sidebar > #custom_html-7
+windowsteca.net##.sidebar > #custom_html-18
+online-tech-tips.com,alternativeto.net,mrexcel.com,raymond.cc##div[id^="adngin-"]
+w3schools.com##div[id*="contentadcontainer"]
+||lesbian8.com/*/frot_lod.js
+lesbian8.com##.list-videos > div[class] > span#lotal
+lesbian8.com##.list-videos > div[class] > div.item.pignr
+goal.com##div[class^="layout_banner__"]
+goal.com##aside[class^="layouts_asideContentCommercial__"]
+dramacool.*##.sidebar.mCS-autoHide
+who.is##.home-video-blurb
+healthline.com##.article-body > div[class] > div > p.disclaimer
+movieparadise.org##.fixed-sidebar-blank > #text-8
+||movieparadise.org/wp-content/uploads/*/VPN-banner-2.gif
+notateslaapp.com##div[class^="book"] > .release-book
+lawlex.org###media_image-21
+lawlex.org###media_image-22
+privatehomeclips.com##.content > div > div.footer-banners
+vjav.tube,privatehomeclips.com##.jwplayer > div.afs_ads + span[class]
+privatehomeclips.com##.underplayer > div[data-nosnippet]
+privatehomeclips.com##.video-page__related > div.listing ~ div[class$="videos"]
+||i2.wp.com/lawlex.org/wp-content/uploads/*/*/NISM.jpg
+calculator-online.net##div[class="center"][style^="min-height: 90px"]
+boards.4chan.org,b2bhint.com##.adl
+b2bhint.com##.ad-long
+express.co.uk##.taboola-above-article
+||images.ottplay.com/images/promotions/
+alison.com##.search-top-ad
+stopstreamtv.net##div[align="center"] > a > img
+||beforeitsnews.com/img/banner
+||beforeitsnews.com/core/ajax/contributor/*_banners/
+mrunblock.*##.alert[onclick^="window.open"]
+/\/\d{5}$/$xmlhttprequest,script,third-party,domain=best-series.me
+onmsft.com###zd-leaderboard
+freecourseslab.com##div[style*="justify-content: center; font-size: 12px; line-height: 24px;"]
+peoplematters.in##.alertBar
+||opentrackers.org/i/*_banner
+||opentrackers.org/i/dediseedbox_sb.png
+||guidedhacking.com/gh/img/aids/
+||lowendbox.com/media/banner/
+||getbootstrap.com/docs/*/assets/js/vendor/popper.min.js
+lowendtalk.com##div[style="text-align: center"] > a[href="http://bsa.ly/moo"]
+||api.discovery.com/v*/streaming/video/*&adNetworkId$removeparam=/^ad/,domain=hgtv.com
+lifestyle.livemint.com##.headerDeskAdv
+republicworld.com##.ads-decorator
+gadgetsnow.com###app div.container > div.clearfix + div.mb40
+xiaopan.co##p[style="text-align: center;"] > a[href*="?ref="] > img
+xxxvideos.ink###hidme
+xxxvideos.ink##.curiosity
+slutsounds.com##img[width="125"][height="125"]
+witcherhour.com###main > .code-block[style*="height: 90px; width: 970px;"]
+thewritelife.com##.sidebar > div.widget_search + div.widget
+||developer-tech.com/wp-content/uploads/sites/*/FREE-VIRTUAL-EVENTS$image
+artstation.com##support-artstation[assetsize]
+gunafrica.co.za##.banners-box
+gunafrica.co.za##.header-banner-cont
+kitty-kats.net##.siropuShoutboxFooter
+mathway.com###static-ad-right-alt
+harrowonline.org,18adultgames.com,anoopcnair.com,yourarticlelibrary.com,cocowest.ca,torrents-proxy.com,gadgetguideonline.com##div[class^="code-block code-block-"][style^="margin: 8px"]
+||cdn.insidesport.co/banners/
+insidesport.co##div[style="width: 690px;height: 78px"]
+||api.concretedecor.net/wp_app/banners?banner_
+concretedecor.net###fixed-banner
+steemit.com##.ad-carousel
+factmonster.com###block-fmmiddlepagetower
+factmonster.com###block-fmleaderboardads
+factmonster.com###block-fmabovethefoldads
+factmonster.com###block-homepagefmabovethefoldads
+factmonster.com###tyche_trendi_parent_container
+||intergient.com^$domain=factmonster.com|letterboxd.com|blu-ray.com
+||pinklabel.com/tools/banners/data?aff_id=
+colonist.io##.ab_block
+||colonist.io/dist/images/ab_
+zuketcreation.net##center > button[onclick]
+necacom.net##.main-top-wrapper
+necacom.net##.top-a-wrapper
+leo.org###adv-banner
+leo.org###adv-native
+leo.org##div[data-dz-ui="adv-halfpage"]
+leo.org##div[data-dz-ui="adv-skyscraper"]
+||newsiqra.com^$subdocument,domain=indianwebseries.me
+techgig.com,fetishshrine.com,edwardsrailcar.com##img[alt="banner"]
+ndtv.com##.addHome
+ndtv.com##.addvertise
+metro.co.uk##.ad-slot-large
+romhustler.org##.tower_ad_desktop
+cyberscoop.com##.side-block__ads
+cyberscoop.com##iframe[src^="/advertising/?page-id="]
+cyberscoop.com##.ad-slot--billboard--article--wrapper
+||gayck.com/player/html.php?aid=*_html&video_id=*&*&referer
+slashgear.com##.adsense_responsive_box
+msn.com##.partnerlogo-img
+||tny.so/sw-$script
+compensationcoincide.net,embedstreams.me,closedjelly.net,sportsonline.*,linenstandard.net,candlesouth.net,abolishstand.net,earthquakecensus.com,unbiasedsenseevent.com,nstream.to,wigistream.to##body > div[style^="position:absolute;"][onclick="$(this).remove();"]
+bscscan.com##ul.ui-autocomplete > li > a[target="_blank"][title="Links to an External Advertiser site"]
+playtube.ws##.kwasnacki
+||bp.blogspot.com^*/s300/poonam-pandey-hot.jpg
+/n0cvd19n0fun\/(?:336x768-|dsw\d|s[a-z]_w3_).*/$image,~third-party,domain=69games.xxx
+mapsofworld.com##.bottom-billboard-ad
+mapsofworld.com##.ad970
+samayam.com,navbharattimes.indiatimes.com##.wdt_amz
+samayam.com,navbharattimes.indiatimes.com##.rhs-mrec-wrapper
+samayam.com,navbharattimes.indiatimes.com##.hp-rhs-ads-container
+||navbharattimes.indiatimes.com/pwafeeds/amazon_wdt_tas_new.cms
+gay4porn.com##.exbanner
+drishtiias.com##.banner-section
+||gay4porn.com/player/html.php?aid=
+inertiaclient.com##.wrapper > a[target] > img
+toptenreviews.com###article-body > div[class="product"]
+electroschematics.com##.billboard-wrapper
+adz7short.space###banner_slider_right
+||pt.ptawe.com/vast/$script,xmlhttprequest,other,redirect=noopvast-2.0
+||adsafeprotected.com/vast/$script,xmlhttprequest,other,redirect=noopvast-2.0
+||x.instreamatic.com/v2/vast/*.xml$script,xmlhttprequest,other,redirect=noopvast-3.0
+||pubads.g.doubleclick.net/gampad/ads?env=vp&gdfp_req=1&output=xml_vast*&url=http%3A%2F%2Famp.usatoday.com$script,xmlhttprequest,other,redirect=noopvast-2.0
+filmelier.com,ncaa.com,short.croclix.me##.banner-container
+adz7short.space,short.cliquebook.net,short.goldenfaucet.io##.rectangles
+||offers4all.net^$subdocument,third-party
+guru99.com##.content6
+||derivative-calculator.net/images/brave-en.png
+derivative-calculator.net##.center > .middle-right-col > div[style^="width: 728px; margin:"]
+slickdeals.net##div[data-role="rightRailBanner"]
+slickdeals.net##.announcementBar
+centurylink.net##div[id^="sc_"][id*="_banner"]
+centurylink.net##div[id^="sc_read"][id*="_sidebar_"]
+centurylink.net##div[id^="sc_vertical_stream"]
+centurylink.net##div[id^="sc_browse_sidebar_t"]
+lazytranslations.com##.lazyt-adlabel
+lazytranslations.com##.ad-after-postend
+lazytranslations.com##a[href^="https://www.interserver.net/r/"] > img
+7labs.io##.sidebar-main > #custom_html-2
+7labs.io##.sidebar-main > #custom_html-6
+dummies.com##.footer-ads-slide
+fzmovies.*##center > a[href="https://fzstudios.app/"]
+||fzmovies.host/promotion.$media
+||websiteseochecker.com/img/banner_
+mixdrop.sx##div[onclick*="MDinjectP"]
+korall.xyz,pahaplayers.click,leaknud.com,daddylive.*,imsdb.pw,ikuhentai.net,vidplaystream.top,niraw.com##div[style="position: fixed; display: block; width: 100%; height: 100%; inset: 0px; background-color: rgba(0, 0, 0, 0); z-index: 300000;"]
+||watchseries.*/wp-content/cache/min/*/scripts/nwm-fcn2.min.js
+||analyticsindiamag.com/wp-content/uploads/*/970x90.
+||analyticsindiamag.com/wp-content/uploads/*300x250.
+analyticsindiamag.com##a[target="_blank"][data-wpel-link="external"] > img
+||loader.to/ajax/a.php$popup
+/\/(banner_|prodamy|negotiaition).*\.(jpg|png|gif)/$domain=caclubindia.com
+adomainscan.com###ad-modal
+rawkuma.com###sidebar > .widget_text > .custom-html-widget:empty
+claimto.xyz##a[href^="https://www.bitsler.com/"] > img
+seopolarity.com,toolss.net,webnots.com##.sidebar_adds
+||careercontessa.com/img/sidebar-promo-power-moves-*.png
+slideshare.net##.scribd-ad
+crypto-fun-faucet.de##a[href^="https://rollercoin.com/"]
+crypto-fun-faucet.de###captcha-adspace > p > a[target="_blank"][rel="noopener"]
+||jav.si/js/mMbVAA7.js
+||jav.si/js/zplay.js
+||altadefinizone.click^$popup,domain=hdpass.click
+naijaray.com.ng##.code-block > a[onclick] > img
+androidhive.info##li[id^="bunyad-widget-ads-"]
+||timesofindia.indiatimes.com/amazonslider_
+timesofindia.indiatimes.com##iframe[src^="https://timesofindia.indiatimes.com/amazonslider_"]
+premierguitar.com##.p_leaderboard
+ripplecoinnews.com##a[href^="https://ripplecoinnews.com/go/"] > img
+versionweekly.com,kkworld.in##.inside-right-sidebar > #custom_html-3
+kkworld.in##.inside-right-sidebar > #custom_html-4
+kkworld.in##.inside-right-sidebar > #custom_html-20
+kkworld.in##.inside-right-sidebar > #custom_html-22
+sportshd.sx###opalayer
+ecchi.iwara.tv##.extra-content-block
+multifaucet.org##ins[style^="display:inline-block;"]
+||doge-faucet.com/assets/img/static1/728-
+||doge-faucet.com/assets/img/static1/160-
+worldhistory.org##.pubexchange_module
+pawastreams.*,123movies.*###fcnbox
+||forum.lewdweb.net/service_worker.js
+neowin.net##.sidebar-col .ad
+||rollercoin.com/static/img/referral/banners
+||twincdn.com/video/preroll_
+openculture.com##.entry > center > small
+aternos.org##.header-ad-columns
+bollywoodlife.com##.add-box
+gadgetsnow.com##.gn-amazon-list
+gadgetsnow.com##.hp-wdt-newsltr
+/realize.js$domain=redwap.me|redwap2.com|redwap3.com
+adsy.pw,rshrt.com###headlineatas
+flatpanelshd.com###sb-site > .container[style^="text-align:Center;min-height:"]
+||assets.tumblr.com/pop/monetization/html/*.html
+tumblr.com##.iab_sf
+vladan.fr##[href^="https://www.vladan.fr/advertise-with-us/"] > img
+||samfw.com/assets/img/vultr.jpg
+samfw.com##div[class="text-center"] > a[rel="nofollow"] > img
+fluttercampus.com,news18.com,apklord.com,shabdkosh.com,entrepreneur.com,ibtimes.co.in,passivevoiceconverter.com##.adbox
+passivevoiceconverter.com##a[href^="https://grammarly.go2cloud.org/aff_c?offer_id="] > img
+||owo.lewd.ninja/j2.js
+new.lewd.ninja##.stargate
+freetutorials-us.com,coursewikia.com,monetizemore.com###text-12
+monetizemore.com##.ad-ops-guru
+goodfon.com##div[class^="wallpapers__banner"]
+||xnxx-cdn.com/*/js/static/header/sda/ppsuma*.js
+||indianexpress.com/wp-content/plugins/express-ad-code-manager/js/page-ad-codes.js
+florenfile.com##a[target="_blank"][rel="nofollow"] > img
+typingme.com##.ad970x250
+streamsport.*##div[style^="position:absolute;right:50px;top:50px;"] > button[id]
+rizonesoft.com##.rizon-before-posts
+corvetteforum.com##.forum_sponsor_info
+corvetteforum.com##.test-anyclip-player-container
+||s3.amazonaws.com/*/index.html?vid=*&dl=$all
+||coinadster.com/fairspin2.jpg$important,domain=coinadster.com
+||coinadster.com/storm.png$important,domain=coinadster.com
+coinadster.com##a[href^="https://fairspin.me/"]
+oovoo.com##center > p[style=" font-size: smalll; "]
+oovoo.com,oovoo.pro##.elementor-spacer-inner
+programiz.com##.pub-ad
+crosswalk.com##.articleContentBody > p[style="text-align: center;"]
+||cdn.http.anno.channel4.com/m/*/*.mp4$media,domain=uktvplay.uktv.co.uk|uktvplay.co.uk
+freebitcoin.io##div[class="d-none d-lg-block"][style^="position:fixed; bottom:0;"]
+indulgexpress.com##div[class*="section_content_check_"]
+||techotopia.com/a/kotlin_android_studio_4.1.png
+||torguard.net/blog/wp-content/uploads/2019/10/PrivateMail-Neon-300x250.gif
+||tnaflix.com/js/mew.js
+||davita.com/-/media/davita/project/kidneycare/blocks/moms_meals.ashx
+||hentaicdn.com/cdn/*/js/AKIRA.h2r.js
+ndtv.com##.mx-spon
+allcryptoz.net##.wpsafe-top + #content-wrap
+allcryptoz.net##script + #content-wrap
+fastcompany.com##.homepage-page__tag-ad-container
+news18.com##.RHS > div[style^="width:100%;min-height:"]
+news18.com##.election_left > div[style^="width:100%;height:100px;display:flex;"]
+||highstream.tv/twos.js
+musixmatch.com##div[id^="div_gpt_ad_"]
+musixmatch.com##.lyrics-bottom-ad-container
+mangaraw.org,rawmanga.top,cointelegraph.com##.banner-blocked
+ownedcore.com##.b-below-so-wrapper
+||litecoin-faucet.com/assets/img/static/
+litecoin-faucet.com##.sticky-top
+||swncdn.com/zcast/oneplace/ads/
+/fpc.js$domain=babez.net|dirtyselfieshots.com|porntubedownload.com|xmonk.net
+/p.js$domain=sexxxplanet.net
+/pop.js$domain=doramasflix.co|booru.eu|booru.xxx|erotic-beauties.com|hardsex.cc|rule34.top|sex-movies.biz|tube18.sexy|xvideos.name
+/quwet.js$domain=teenextrem.com|teenhost.net|teencumpot.com
+/tp/filter.php?pro=
+||topxxxlist.net/eroclick.js
+erotic-beauties.com##.sidebar > .widget_text
+rumporn.com,stilltube.com###floaterRight
+history.com##.m-gallery-overlay--ad-top
+history.com##.m-gallery-overlay--ad-right
+crypto-fun-faucet.de##a[href^="https://r.honeygain.me"]
+||yts.mx/y_is_ad.js
+howtogeek.com###content > aside#secondary ~ div.article-bottom
+nytimes.com##.pz-ad-box
+crypto-faucet.xyz###random_728_top
+doctor-groups.com,crypto-faucet.xyz##div[class][style^="width:728px;height:90px;display: inline-block;"]
+doctor-groups.com,crypto-faucet.xyz##div[class][style^="width:300px;height:250px;display: inline-block;"]
+||claimbits.net/trump-gif-300x100.gif
+claimfreecoins.io##div[id$="-adspace"]
+dutchycorp.ovh##body.interstitial-page iframe#frame
+dutchycorp.ovh##center > iframe[src*="dutchy"][src$=".php"]
+dutchycorp.ovh##.hide-on-small-only > div[class^="sidenav_"]
+faucetcrypto.com##iframe[id$="-ad-iframe"]
+||pornojenny.com/api/widget/$third-party
+hd-easyporn.com###wrapper_content > aside[id]
+sadhguru.org##.isha-above-footer
+/\/[0-9a-z]{5,9}\.js(\?[a-z]{3})?$/$script,domain=dewimg.com|imgviu.com|mazpic.com|outletpic.com
+dewimg.*,imgtown.*,imgviu.*,mazpic.*,outletpic.*,picrok.*##body > div:last-child[style*="z-index:"]
+kingcomix.com,userscloud.com,javtiful.com,dewimg.*,imgtown.*,imgviu.*,mazpic.*,outletpic.*,picrok.*##[href^="//"][rel="nofollow norefferer noopener"]
+||apexsql.com/images/blog-footer-banners/
+sqlshack.com###secondary > aside.widget > div.textwidget a[target="_blank"][rel="noopener"] > img
+mytuner-radio.com###taboola-five-by-one-thumbnails
+zcteam.id##button[onclick^="window.open("]
+zcteam.id##div[class][style="clear:both;float:left;width:100%;margin:0 0 20px 0;"]
+freesoft.id,zcteam.id###btn-keren
+freesoft.id##center > button[onclick^="window.open("][rel]
+cryptodirectories.com##iframe[data-src*="ads.com"]
+cryptodirectories.com##center > a[href^="https://cryptodirectories.com/"]
+raincaptcha.com,cryptodirectories.com##.rc-advert
+cryptodirectories.com##.entry-content br
+geekflare.com##.page-advertisement
+geekflare.com##.post-advertisement-sidebar
+pureinfotech.com###KonaBody > div[style^="margin: 8px auto; text-align: center;"]
+||blurayufr.com/wp-content/uploads/*/ituvip.gif
+||blurayufr.com/wp-content/uploads/*/tetehqq-728.gif
+upload-4ever.com##center > a.btn-success
+stackshare.io##.css-2wkyhw
+outlooktraveller.com,essentiallysports.com,marketrealist.com##div[id^="ads-"]
+shrinke.me,illink.net,owllink.net,birdurls.com###link-view > br
+shrinke.me,illink.net,owllink.net,birdurls.com##.box-main > br
+downloads-anymovies.com###e15
+||claimbits.net/StormGain.png
+||claimbits.net/fairspin2.jpg
+||claimbits.net/trans3.png
+||storage.arc.io/cdn-*/claimbits.net*fairspin2.jpg$domain=claimbits.net
+newsobserver.com##div[id^="zone-el"][isdynamictemps]
+coins-town.com,proviralhost.com,krypto-trend.de,yellowfaucet.ovh,paidtomoney.com,coinadster.com,diamondfaucet.space,cryptodirectories.com,uniqueten.net,getdoge.io,gobits.io,starbits.io,fautsy.com,i-bits.io,claimbits.io##ins[class][style^="display:inline-block;"]
+profitgenerator.io##a[href^="/main/redirect/"] > img
+||redtube.com/_xa/
+||s3.amazonaws.com/*?subaff=*&subid_short=$all
+gizbot.com###lightbox-popup-ad
+gizbot.com###fwn_right_videos
+gizbot.com##iframe[src="/scripts/videos/english-videos/scroll-ad-native.php"]
+gizbot.com##.photos-left-ad
+livingetc.com,gardeningetc.com##.leaderboard__container
+themaclife.com##div[id^="add_sidebar_"]
+themaclife.com###add_below_single_content
+nyafilmer.*##.bigbg
+nyafilmer.*##.headerSpace
+cinemablend.com##.affiliate_streaming_banner
+chrunos.com,toonworld4all.me###media_image-4
+||jorpetz.com/kahitano/banner.gif
+go.gets4link.com,nerdy.vn##.blog-item
+nerdy.vn##div[style^="width:320px"]
+adexchanger.com##.adex-ad-text
+dnschecker.org##.ads_block_container
+faroutmagazine.co.uk,thechelseachronicle.com,hitc.com,dualshockers.com##body .GRVMpuWrapper
+winhelponline.com,thewindowsclub.com##.ezoic-adpicker-ad
+androidcentral.com##.article-footer--taboola
+||bikeradar.com/pricecomparison/widget/
+c4ddownload.com##.adContent1
+c4ddownload.com##.posts > div.grid-sizer:empty
+investing.com##.boxItemAdd
+freepik.com##.spr
+hobokengirl.com##.g-single
+tw-calc.net##.top-banner
+tw-calc.net##.right > .container.vertical
+tw-calc.net##.left-menu > .container.vertical_large
+tw-calc.net##.main-content > .container.horizontal_small
+tw-calc.net##.main-container .content td > .container.rectangle
+redgifs.com##div[class^="_adLiveButton_"]
+redgifs.com##.d_300x250_double
+redgifs.com##.trafficstars_ad
+zdnet.com##.sticky-wrapper
+appledaily.com##.article__header > div.platform-container
+||hardwarezone.com.sg/js/sphmoverlay.js
+||redhdtube.xxx/tmp/
+1link.vip##iframe[src^="https://www.youtube.com/"]
+||pewgame.com/sw.js
+||pewgame.com/js/hre.js
+vkspeed5.com##.overlay_main
+||cdn.700tb.com$script,domain=driveddl.xyz
+gaiaonline.com##div[id^="grid_ad_"]
+thestreet.com,owlcation.com##.l-grid--ad-card
+owlcation.com##.m-header-ad + .m-balloon-filler:empty
+bookriot.com##.inside-content-ad-container
+bookriot.com##.widget_random_content_pro_widget
+123movies.*##.row-btns-special > a[target="_blank"]
+uvnc.com##td[style^="width: 200px;"]
+last.fm##.full-bleed-ad-container
+indy100.com##div[data-mpu]
+mindbodygreen.com##.ad__callout
+mindbodygreen.com##.article-rail-item--ad
+mindbodygreen.com##section[class*="AdUnit"]
+psychologytoday.com##.block-pt-ads
+standard.co.uk###taboola-right-rail
+standard.co.uk##.irVztL
+arktimes.com##.sidebar-tall
+arktimes.com##.sidebar-square
+arktimes.com##.ad-disclaimer-text
+ancient-origins.net##.top-add-block-wrapper
+wstream.video###container > div[id] > div[id][style*="z-index:"]
+wstream.video##div[id^="adtrue_tag"]
+gadgetsnow.com##iframe[src^="https://timesofindia.indiatimes.com//affiliate_new.cms"]
+freep.com,greenvilleonline.com##.gnt_tbb
+livescore.com###header-ads-holder
+livescore.com###banner-top-image-wrapper
+50gameslike.com###block-networknmpu
+||fapfappy.com/*.php$script,~third-party
+foxaholic.com##div[class*="foxaholic-publift-"][class*="_sticky"]
+||pouvideo.cc/player*/vast.js
+3dmodelshare.org##.single-728
+finviz.com##td[valign="top"][style*="gfx/banner"]
+livemint.com###adfreeDeskSpace
+livemint.com###specialAd
+katmoviehd4.com##center > div#new > :not([role="button"])
+||sexe-libre.org/*.php$script,~third-party
+||sexe-libre.org/rotate/*-1024x200px-
+thewindowsclub.com,lesbian8.com,bigtitslust.com,sexe-libre.org##a[rel$="sponsored"]
+goblinsguide.com##a > img[src*="-300x250-"]
+||mp4porn.space/themes/g.js
+eto-razvod.ru##.popup_banners_get
+eto-razvod.ru##.popup_promocode_get
+eto-razvod.ru##.banner_img
+||cartoon.porn/wp-content/*/ads.js?
+||cartoon.porn/wp-content/*/jads.js?
+imx.to##div[style^="text-align:center;width:1000px"]
+||123movies.net/js/tooltips.js
+elitepvpers.com##.cwcontent
+forum.xda-developers.com###sponsor_banner_link
+imgkaka.xyz,imgfrost.net,imgair.net###pbe
+downloadfreecourse.com,daviruzsystems.com###sidebar > .bn-lg-sidebar
+||daviruzsystems.com/uploads/blocks/block_*.gif
+||manhuascan.com^*/popads.js
+freexcafe.com###txtbanner
+freexcafe.com###join
+tineye.com##.no-results > .sidebar.bottom > .promo
+tineye.com##.no-results > .sidebar.bottom > .promo + .stock-label
+tineye.com##.no-results > .sidebar.bottom > .promo + .stock-label + .similar_matches
+tineye.com##.no-results > .sidebar.bottom > a[href*="?sharedid=banner_"] > img
+howsecureismypassword.net##.banner-img-container
+strikeout.nu##script + iframe[class][style^="display: block; max-width:"][style*="overflow:"]:not([src])
+subyshare.com##a[href*="&utm_medium=banner"][target="_blank"]
+||izismile.com/uploads/izismile.com/banners/
+pimylifeup.com###sidebar > section.widget_text > .textwidget > a[href^="https://go.pimylifeup.com/"][target="_blank"] > img
+hindustantimes.com##.storyAd + .slideSection
+tube8.*##div[class] > input[type="hidden"] + div[class]
+tube8.*##.js-remove-ads-premium-link
+tube8.*###flvplayer > div#togglerWrapper ~ div[id][style="display: block;"]
+tube8.*##div[style="background-color: rgb(255, 255, 255); display: block;"]
+unsplash.com##a[data-test="say-thanks-card-sponsor-message"]
+full4movies.website,activationkeys.co##center > button[class^="buttonPress-"]
+theguardian.com##.fc-slice__item--mpu-candidate
+alternativeto.net##div[data-testid="put-food-on-the-table"]
+weather.com##section[title="Top Deals"]
+weather.com##section[title="Featured Deal"]
+seattletimes.com##.outbrain-recommended
+seattletimes.com##.outbrain-aroundtheweb
+||asurascans.com/wp-content/uploads/2021/03/panda_gif_large.gif
+asurascans.com##div[class^="code-block code-block-"][style*="text-align: center;"] > a:not([href^="https://www.asurascans.com/"]) > img
+||bestcripto.xyz/assets/images/banners/
+fapcat.com##a[href^="https://www.fapcat.com/redirect_cs.php"]
+fapcat.com##.spot-list
+dosgamers.com##.adsgoogle
+swarajyamag.com##div[class^="banner-ad-"]
+readhxh.com,readsnk.com,readkingdom.com,readonepiece.com,readvinlandsaga.com,watchoverlord2.com,read7deadlysins.com,readfairytail.com,readnaruto.com,watchsao.tv,watchgoblinslayer.com,readdrstone.com,dbsmanga.com,readopm.com,readkaguyasama.com,readtowerofgod.com,readnoblesse.com,readmha.com##.js-a-container
+readhxh.com,readsnk.com,readkingdom.com,readonepiece.com,readvinlandsaga.com,watchoverlord2.com,demonslayermanga.com,read7deadlysins.com,readfairytail.com,readnaruto.com,watchsao.tv,watchgoblinslayer.com,readdrstone.com,dbsmanga.com,readopm.com,readkaguyasama.com,readjujutsukaisen.com,readtowerofgod.com,readnoblesse.com,readmha.com##.justify-center > div > b:first-child
+readhxh.com,readsnk.com,readkingdom.com,readonepiece.com,readvinlandsaga.com,watchoverlord2.com,demonslayermanga.com,read7deadlysins.com,readfairytail.com,readnaruto.com,watchsao.tv,watchgoblinslayer.com,readdrstone.com,dbsmanga.com,readopm.com,readkaguyasama.com,readjujutsukaisen.com,readtowerofgod.com,readnoblesse.com,readmha.com##.justify-center > div > br:nth-of-type(-n+5)
+readhxh.com,readsnk.com,readkingdom.com,readonepiece.com,readvinlandsaga.com,watchoverlord2.com,demonslayermanga.com,read7deadlysins.com,readfairytail.com,readnaruto.com,watchsao.tv,watchgoblinslayer.com,readdrstone.com,dbsmanga.com,readopm.com,readkaguyasama.com,readjujutsukaisen.com,readtowerofgod.com,readnoblesse.com,readmha.com##.justify-center > div > center
+readopm.com,readkaguyasama.com,readjujutsukaisen.com,readtowerofgod.com,readnoblesse.com##.justify-center > center > a[href] > img
+watchsao.tv,watchgoblinslayer.com,readberserk.com,readopm.com##.widget-area > div.card:first-child
+watchsao.tv,watchgoblinslayer.com,readberserk.com,blackclovermanga2.com,kanojo-okarishimasu.com,onepiecechapters.com,blackclovermanga.com,readshingekinokyojin.com,readonepunchman.net,readheroacademia.com##.pages__ad
+demonslayermanga.com##.text-center > center > a[href] > img[border="0"]
+futurism.com##div[class="pb-2 text-center"] > h4
+||foxhq.com/gabtab.webm$media,redirect=noopmp4-1s
+smihub.com##.footer_pinned_ads
+||avimobilemovies.net/atag.js
+realpython.com##.rpad[data-unit]
+realpython.com##div[style="display:block;position:relative;"] + a[href="/account/join/"][rel="nofollow"]
+updoc.site,pornoplay.online##div[class^="happy-"]
+hentaicloud.com##.horizontal-ads-content
+/\/[0-9a-f]{12}\.js$/$script,~third-party,domain=freeuseporn.com|camwhores.*
+||freeuseporn.com/templates/frontend/fulltheme/js/combined.js
+||kissanime.*/api/pop.php$xmlhttprequest,~third-party
+coolmathgames.com##div[id^="block-ads"]
+coolmathgames.com##div[id^="block-coolmath-ads"]
+||foxhq.com/cyltuy.gif
+foxhq.com##td[alt="FoxHQ BG"] > div[align="center"] > a[rel="nofollow"]
+needpix.com###TopBanner
+||ytmp3.*/ad/$subdocument
+edmtunes.com,fixyourandroid.com,thewincentral.com##.td-g-rec
+||v.fwmrm.net/ad/$domain=cnbc.com
+europixhd.net,gledajonline.net##a[id^="MyAds"]
+||torrentfreak.com/images/nordvpn-disc.jpeg
+seomagnifier.com##.xd_top_box
+aiarticlespinner.co,check-plagiarism.com,prepostseo.com##div[id*="ad"]
+payskip.org###link-view > p
+payskip.org##a[href^="https://ladsipz.com/"]
+glosbe.com##div[id$="Banner"]
+graphicux.com##.gux_smartbanner
+vexfile.com##.title-box > a[href^="https://tracker.vexfile.com/"] > img
+/spots/*$xmlhttprequest,domain=xszav2.com
+/api/spots/*$domain=yomovies.*|speedostream.com|watchomovies.com|gofilms4u.pro|pornleech.io|hentaihand.com|filmlinks4u.pro|uniqueten.net|allcryptoz.net|analdin.com|supjav.com|crazyporn.xxx|hog.tv|porntry.com|love4porn.com|freeadultcomix.com|hog.mobi|sextb.net|pornpapa.com|javplayer.org|porntry.com
+kiemlua.com,link1s.*###baolink1s
+krebsonsecurity.com###sidebar > div[style="margin-left:0px;"]
+krebsonsecurity.com###sidebar > a[href^="https://www.akamai.com/"]
+forums.livescience.com,forums.tomshardware.com###header_leaderboard
+forums.livescience.com,forums.tomshardware.com###footer_leaderboard
+||casting-porno-tube.com/old-frog-d67e/
+xtube.com##.pageBanner
+songmeanings.com##div[class^="Container_ATF"]
+songmeanings.com##div[class^="Container_MIDR"]
+javtiful.com,sbembed.com,incestflix.com,nakedneighbour.com##body > div[style*="z-index:"]
+sudoku-topical.com,sudoku-aktuell.de###billboard
+gitlink.pro,shtms.co,gitizle.vip,ay.live,yindex.xyz,uzunversiyon.xyz,aylink.co##.alternative-ad
+||momvids.com/*/mv.js
+washingtonpost.com##.paywall > div[style^="width: 100%; margin: 32px auto;"]
+hentaiheroes.com###iframe_wrapper
+tubeoffline.com##div[style^="min-height: 2"][align="center"]
+||mrdeepfakes.com/static/js/pu.js
+||manga18fx.com/bmo/*.php
+manga18fx.com##.kadx
+jjgirls.com##a[href^="https://chaturbate.jjgirls.com/"][target="_blank"]
+jjgirls.com##.xcam
+/random.js$script,domain=lookmovie.*|uppit.ml
+||sak.userreport.com/blueseed/launcher.js
+linkebr.com###link-view > center > a[href]
+fsharetv.co##.rice
+||117.254.84.212:3000^
+its.porn##.preroll-blocker
+womennaked.net##.hrcht6
+jav789.com##span[id^="ad-"]
+pornpics2u.com,porngifs2u.com##div[data-elementor-type="footer"] > div.elementor-section-wrap > section:first-child
+claimcrypto.cc##a[href^="https://cryptowin.io"]
+redtube.*###paid_tabs_list
+redtube.com###video_right_col > div[style="display: block; height: 520px;"]
+redtube.com###show_page_streamate
+/popup.js$script,domain=vivads.net|pornki.com|javfull.me|uploadshub.com
+sports24.*##.container > div.row[style="margin-top: 20px;"] > div.col
+sports24.*##.container > div.col[style^="height: 225px; width: 400px"]
+ipeenk.com##.col-md-12 > center > a[href][target="_blank"]:not([href^="https://t.me/"])
+hindustantimes.com##.cubeBox
+lbb.in##.sales-banner
+windowsactivationkey.com,mrpcgamer.co,hornygamer.com##center > a[onclick^="window.open("]
+||sxyprn.*/player/p12.js
+euronews.com###js-leaderboard-top
+euronews.com##aside.o-article__aside > .OUTBRAIN
+epicgfs.com,diamondfaucet.space##.top
+diamondfaucet.space##.bottom
+diamondfaucet.space##.widget-3
+analyticsinsight.net,diamondfaucet.space##.widget-2
+diamondfaucet.space##.form-group > div[id^="adm-container-"]
+diamondfaucet.space##div.ablinksgroup
+twitchquotes.com##.financetldr-article-promo
+twitchquotes.com##.twitchhighlightstv-ad
+rawinfopages.co.uk###vpnad728
+rawinfopages.com##.region-content > #block-block-8
+rawinfopages.com##.region-sidebar-second > #block-block-7
+rawinfopages.com##.region-sidebar-second > #block-block-9
+rawinfopages.com##a[href^="http://www.infolinks.com/join-us?aid="] > img
+rawinfopages.com##a[href^="https://macpaw.audw.net/"][rel="sponsored"] > img
+bloggingguidance.com##.box-mai > center > .a
+bloggingguidance.com##.box-mai > center > center
+bloggingguidance.com##center > p[style="font-size:14px"]
+talk.lowendspirit.com##ul[class$="banners"]
+lowendspirit.com##div[class$="banners-holder"]
+purposegames.com##.lladbar
+xkeezmovies.com##a[href="https://nudetik.com/"] > img
+xkeezmovies.com##.ofa
+dribbble.com##.js-ad-boosted
+||sports24.*/ol.php?t=
+sports24.*##div[style^="width:300px;height:250px;"]
+sports24.*##.adrespl
+ping-test.net##.rek970x90
+ping-test.net##div[style^="width: 336px; height: 280px;"]
+||jamaicaobserver.com/images/FMC_BizWrap.jpg
+||hulkstream.com/jvpop*.js
+redirect-ads.com##a[href][target="_blank"][onclick*="remove()"]
+ufreegames.com##.spo
+cpmlink.net##.__web-inspector-hide-shortcut__
+upload-4ever.com##a[onclick^="window.open("] ~ a[style*="text-align: left;"][style*="font-size: 11px;"]
+||configs.forgecdn.net/adfallback.js
+||banner-api.grouphfm.com/banner/
+||flaanation.com/uploads/banners/
+olx.ro,olx.kz,olx.pl,olx.pt,olx.ua,olx.uz,olx.in,olx.com##div[data-testid="qa-advert-slot"]
+olx.ro,olx.kz,olx.pl,olx.pt,olx.ua,olx.uz,olx.in,olx.com##div[style="min-height: 120px; display: block;"]
+||bit.ly/2FQyhNq$subdocument
+/(?:buzz|com|icu|net|site|xyz)\/(?!shrinker).*/$script,~third-party,domain=imgblaze.net|imgkaka.xyz|pixsera.net|imgfrost.net
+http$third-party,~image,domain=imgblaze.net|imgkaka.xyz|pixsera.net|imgfrost.net
+aerotime.aero,nightdreambabe.com##.banner_place
+||uppit.ml/bootstrap.js
+||hdvid.*/maven.js
+savvytime.com##.converter-ad
+voe.sx##a[href^="https://3r1kwxcd.top/"]
+||hiphopza.com/wp-content/uploads/*/ad.gif
+||wp.com/hiphopza.com/wp-content/uploads/*/ad.gif$domain=hiphopza.com
+||cdjapan.co.jp/aff/tmpl/big_banner_728x90i.js
+abplive.com##amp-img[alt="get app pic"]
+abplive.com##.ads-320x250
+abplive.com###root > div[style="min-height:110px"]
+codesnail.com##.inside-right-sidebar > #custom_html-2
+polygonscan.com##.col-12 .showcase-banner-text
+polygonscan.com##.col-12 .showcase-banner-text + img
+polygonscan.com,bscscan.com,etherscan.*##.showcase-banner-spacing
+etherscan.*##.text-center > a[href][target="_blank"][class*="d-lg-inline-block"]
+etherscan.*##.container > span[id^="ContentPlaceHolder"] + .border-top
+thepalmierireport.com##.z-ad-inline
+puretoons.me##.notificvpn
+||yospace.com/csm/access/*=vast$domain=peacocktv.com
+yuzu-emu.org##.pt-md
+techymozo.com##iframe[id*="_970x90_anchor"]
+techymozo.com,techrfour.com##iframe[data-id*="970x300_billboard_"]
+namemc.com##div.ad-container
+bscscan.com##.bg-dark > div.container > div.row > div.col-12.col-lg-5
+softpedia.com##.adwblue
+nyafilmer.*##.adtrue-holder
+y2meta.com##.ads-social-box
+u18chan.com##div[class^="ad_banner"]
+alternativeto.net##.subtle
+cut-fly.com##.box-main > [href]
+||superfolder.net^$script,redirect=noopjs,domain=getcopy.link
+getcopy.link,123movies.*##body > div[id$="Overlay"][style^="opacity: 0.85; cursor: help;"]
+getcopy.link,123movies.*##body > div[id$="Overlay"][style^="opacity: 0.85; cursor: help;"] + div[class][id][style^="padding-bottom:"][style*="position: fixed; width:"]
+rule34.xxx###halloween
+extramovies.*##a[href*="://adfpoint.com/"]
+extralinks.*##a[class^="ad_b"]
+extramovies.*##a[href="/dlbutton.php"]
+extramovies.*##body > a[href]#theme_back
+uploader.link##a[href^="https://shopcart4me.com"]
+yoshare.net##iframe[id^="yoshare.net_"][id$="_DFP"]
+||edge4k.com/in/adop
+animax.*##[src*="//a.exdynsrv.com/iframe.php"]
+||animax.*/ax.js
+cuts-url.com##.content
+asurascans.com###main-menu + div[id^="asura-"] > a[href^="https://asurascans.onelink.me/"]
+||asurascans.com/wp-content/uploads/*/immortaltaoist.gif
+world4ufree.*##a[href="https://buycheaphost.net/"]
+theregister.com##.ad-falcon
+||cdn.shopify.com^$domain=moviechat.org
+moviechat.org##a[href^="https://breathecup.com/?utm_source="][target="_blank"]
+sofurry.com###sf-ads
+||streamtape.*/sw.js
+mydownloadtube.*##.movie-box > .vert-add
+uploadfile.cc,upindia.*##.soundy
+greenlemon.me##.advertis
+||yifyhdtorrent.org/js/atag.js
+||btdb.*/bal.js
+||pleasevisitmywebsite.com/wp-content/uploads/*/getimage
+simsdom.com##div[class^="_ad"]
+simsdom.com##div[id^="adv"]
+gainbtc.click##[style*="width:300px"][style*="height:250px"]
+gainbtc.click##ins[style*="width:728px"][style*="height:90px"]
+gainbtc.click##ins[style*="width:468px"][style*="height:90px"]
+nono.games###closed-vid
+desktophut.com##.visuma > div.left.column
+msendpointmgr.com##.widget_sponsors_widget
+earnload.co##.box-main > p[style]
+flamecomics.me,luciferdonghua.in,alpha-scans.org,xcalibrscans.com##div[id^="teaser"]
+cryptocompare.com##more-stuff-desktop-sidebar
+ccurl.net##a > img[class^="aligncenter"][height="250"]
+||webcamtests.com/MyShowroom/view.php
+yourdictionary.com##.advertising-container
+sonichits.com##.lyrics > div > center > iframe[src^="/tf.php?"]
+new-gomovies.online##.jwplayer > div.jw-logo-top-right
+new-gomovies.online##.jwplayer > div.jw-logo-top-left
+||megaup.net/sw.js
+||icyporno.com/jss/external_pop.js
+artipedia.id###close-teaser
+||imgair.net^$domain=elil.cc
+shrinkforearn.in##.box-main > .row
+||boobsrealm.com/wp-content/uploads/*-banner$image,~third-party
+||bustyporn.com/*.php?src=$subdocument,third-party
+boobsrealm.com##iframe[style$="height: 250px;"]
+wtop.com##.ds_cpp
+celebritynakeds.com##.show-over-1000.async-reklam-placeholder
+1337x.*##.no-top-radius > .clearfix > ul[class*=" "] > li > a[href^="/rmusic-"]
+1337x.*##.no-top-radius > .clearfix > ul[class*=" "] > li > a[href^="/dirdownl-"]
+fastbikesmag.com##.main-sidebar > aside[id^="custom_html-"]
+raider.io##.rio-zone
+raider.io##div[style="position: fixed; right: 0px; bottom: 60px; z-index: 99999;"]
+raider.io##div[style="width:320px;height:180px;overflow:hidden"]
+games.miamiherald.com,games.metro.us##.ark-ad-message
+games.miamiherald.com,games.metro.us##div[class^="DisplayAd_"]
+uptomega.me,uptomega.com##[align="center"] > a[href] > img
+worldfree4u-lol.online##img[width="468"][height="90"]
+kutchuday.in,worldfree4u-lol.online##img[width="300"][height="300"]
+snowfl.com,domain-status.com##.aunit
+oii.la,tpi.li,tvi.la,oei.la,tii.la,iir.ai###link-view a[target="_blank"] > img
+tei.ai,cutw.in###link-view > a[target="_blank"] > img
+oii.la,tpi.li,tvi.la,oei.la,tii.la,cutw.in##.box-main > a[target="_blank"] > img
+litegpt.com##a[href^="https://litegpt.com/link.aspx?id="][target="_blank"] > img
+globalnews.ca##.c-posts__ad
+topstreams.info##.ui-widget-overlay
+topstreams.info##.ui-widget-content
+||probablerootport-*/*/?utm_campaign=*&sid=$all
+pixelexperience.org###ezmobfooter
+rateyourmusic.com##div[class^="page_ads_creative_"]
+rateyourmusic.com##div[style*="color:var(--mono-6);text-align:center;"]
+||bigtitsgallery.net/wp-content/themes/btg/assets/bannerPopup.css
+thepostmillennial.com##.netizen-slot
+radio.net##.topAdSpacer
+cryptofuns.ru##center > p > a[target="_blank"]
+stileproject.com##.footer_spots
+stileproject.com###webcamTabs
+genshinimpactcalculator.com###BannerBottom
+||pic.teenlolly.com/teenlolly/images/banners/
+fctables.com##body > div[style^="background:#e3e3e3;"][style*="height:110px;"]
+techymozo.com,techrfour.com##p > a > img
+1001fonts.com##body .adzone-sidebar-wrapper
+taxidrivermovie.com###post-block > div > div.post:not([id^="post-"])
+taxidrivermovie.com##.adboard-top
+taxidrivermovie.com###scroll-div
+taxidrivermovie.com##.board-mini
+||assets.freeones.com/istripper/
+||22pixx.xyz/topx.php
+22pixx.xyz##.resp-container1
+msfsaddon.com###after-ad
+thedailystar.net##.region-notification
+avforums.com##.m2n-ads-slot
+sallysbakingaddiction.com##div[class^=adthrive-]
+fark.com##.top_right_container
+hindustantimes.com##.storyAd
+news18.com##.n18nheader > div.n18thder
+news18.com##figure[class^="Article_article_mad_"]
+mid-day.com##div[class$="BannerAd"]
+waybig.com##img[src^="https://www.waybig.com/blog/assets/bnrs/"]
+vaughn.live##.abvsDynamic
+||best18porn.com/best18.js
+best18porn.com##.in-player-spot
+||youx.xxx/videos/player/html.php?aid=pause_html&*video_id=*&referer=
+||sexykittenporn.com/images/sexykittenporn.com/is.js
+gqindia.com##.topadbnr
+usersdrive.com##a[onclick^="window.open("][rel^="noreferrer"]
+aol.com##.m-partner
+||orgyxxxhub.com/js/arjlk.js
+orgyxxxhub.com###invideo_2
+||wixstatic.com/media/*~mv2.gif$domain=taxi-point.co.uk
+taxi-point.co.uk##div[id^="comp-"][class^="_"] > div[class^="_"][style^="padding-left"]
+||t.crsmc.link/*&offer_id=$subdocument
+nfl.com##.d3-c-adblock
+startcrack.com,zuketcreation.net##a[onclick^="window.open("]
+client.googiehost.com##center > p > strong
+||filesearch.link/jsgetir.php
+nflstream.io##.embed-responsive > div[class="position-absolute w-100 h-100"]
+anybunny.com,hotntubes.com##td[width="360"]
+||ibradome.com/ba/chargi.js
+||isohunt.lol/k.js
+123unblock.*###lb-banner
+gamemodels3d.com##.friends-banner
+gamemodels3d.com##a[href^="https://ad.admitad.com/"]
+movierulzfree.com,watchmovierulz.co##.ad_watch_now
+bmoviesfree.ru,ffmovies.ru,putlockertv.to,fmovies.unblocked.vc##.hd-buttons
+||5movierulzfree.me/watchnow.php$popup
+messaging-custom-newsletters.nytimes.com##.advt-padding
+manhwaid.org,manhwafull.com,mangatone.com,lordmanga.com,mangatx.com##.c-top-sidebar
+pickmypostcode.com##.aside-sponsored
+pickmypostcode.com###v-aside-rb
+supjav.com##.video-wrap > div.right
+urban-vpn.com##div[class^="urban-modal"]
+vid.crictime.com###HDVideo
+easybib.com##div[class^="styled__SideView"]
+consumercomplaints.in##.in-ads
+||script.hentaicdn.com/cdn/v*.assets/js/NATORI.
+||hentai2read.com/cdn-cgi/apps/*.js
+indiegamebundles.com##a[href^="https://www.humblebundle.com/subscription"]
+dogemate.com##.fixed-b
+||furrycdn.org/spns/$image,domain=furbooru.org
+cachevalleydaily.com##.main-top-ad
+api.savemedia.website###dlbutton > span[style="color:#fff"] + div[style]
+convert2mp3.club##a[href="/dt/"]
+convert2mp3.club##a[href^="https://charitablemilletplumber.com/"]
+fssquad.com##.samBaasnnerUnit
+fssquad.com##.banner-end
+mgtow.tv###header_plug
+mgtow.tv###sidebar_ad_
+gosunoob.com##div[class^="ad-holder-"]
+segmentnext.com##.ad-after-paragraph
+graphicux.com##.gux-floating-add
+graphicux.com##.item-list.inpost_add_recent
+hentaibaka.one##.paid-mix
+hentaibaka.one##.portfolio-items > div:not([style]):not([itemprop])
+||forum.picbaron.com/Banner
+desishoot.fun##.islemag-content-right > div.widget_custom_html
+bulbagarden.net###cdm-zone-end
+jetpunk.com##.banner-ad-outer
+jetpunk.com##.box-ad-outer
+||cloudflare.com/ajax/libs/*/popper.min.js$domain=voe.sx
+||cdn777.net/site/binance-banner.jpg
+||cdn777.net/site/usagoals/sitelinks/xpopme.js
+offerup.com###db-item-list a[target="_blank"][data-impression-feedback-url*="&ad_network="]
+gab.com##article[data-id^="promotion-"]
+flickr.com##.moola-search-div
+||hdsexmovies.xxx/tmp/
+||bbc.com/ngas/latest/dotcom-ads.js
+readcomiconline.li,dvdtrailertube.com,weekendnotes.com##div[style*="width: 300px; height: 250px;"]
+newsday.com##.fullBanner
+oii.la,tpi.li,subyshare.com,freeupscmaterials.org,eroasmr.com,movies4u.*,footybite.to,krx18.com,flacdl.com,gitlink.pro,blogmado.com,pornstash.in,1shorten.com,aylink.co,privatemoviez.*,gdrivez.xyz,tlin.me,antiscan.me,illink.net,downturk.net,app.stream2watch.sx,uploadflix.org,uploadraja.com,modsfire.com,cryptofuns.ru,kvador.com,tweetycoin.com,speed4up.com,spaste.com##center > a[target="_blank"] > img
+kitguru.net###bg_url_kg
+||yoursports.stream/watch/now.php
+yoursports.stream,yrsprts.stream##iframe[src^="http://yoursports.stream/watch/now.php"]
+yoursports.stream,yrsprts.stream##div[style^="width:300px;height:250px;"]
+yrsprts.stream##div[style^="display:flex;height: 230px; width: 100%; max-width:"]
+l2network.eu##.ubm_banner
+||isaiminiweb.online/ads.js
+||gplinks.in/advertising/banners/$image
+bdupload.asia,indishare.org##center > p > a[href][target="_blank"] > img
+ign.com##.bobble
+freebusinessapps.net,freefinancetools.net##.sp
+pockettactics.com,pcgamesn.com##.aff_widget
+meracalculator.com###ad-top-header
+meracalculator.com###ad-calculator-start-desktop
+meracalculator.com###ad-before-button
+sports24.club##.adrespl
+sports24.club##a[href="/vpn"]
+sports24.club##a[href*=".php?u=aHR0c"][rel="nofollow"]
+sports24.club##div[id][style^="width:300px;height:250px;overflow:"]
+sports24.club##.row > .col[style="min-height: 250px; width: 300px; margin: 0px auto 15px !important;"]
+sports24.club##.container > .col[style="height: 225px; width: 400px; margin: 0px auto 15px !important;"]
+adshrink.it##.dimmer
+businessinsider.in##div[data-urlm^="/amazon_lhs"]
+||wikipedia.org/w/api.php$domain=adshrink.it
+||shrink-service.it/v*/public/api/prototype/news/$domain=adshrink.it
+jav720.net,damvc.pro,z900.net##.under-video-block > center
+jav720.net##.video-player-area > center
+||i.pinimg.com/564x/$domain=cdnx.stream|damvc.pro|jav720.net|z900.net
+gigmature.com##a[href^="https://www.revenuenetworkcpm.com/"]
+gigmature.com##a[href*="shewantyou.com/"]
+||youtubetomp3music.com/static/js/pops-
+calculatored.com##.my-2 > div[style="width: 300px;height: 250px; align-items: center;margin:auto;"]
+dlsharefile.com##a[href^="https://dlmonitize.com/"]
+onlineocr.net##.tbl_style > tbody > tr[style="height:120px; min-height:120px"]
+receivesms.org,receivesms.co###adresp
+cheapdigitaldownload.com##a[class^="bg-link-"][target="_blank"]
+||allkeyshop.com/blog/wp-content/uploads/Kinguin_Fifa_AKS_bg_EN.webp
+freeonlineapps.net##div[data-ad-client]
+pacogames.com##div[id^="gp_"]
+taming.io###main-box > #middle-wrap ~ div[id$="-left"]
+taming.io###main-box > #middle-wrap ~ div[id$="-bottom"]
+tineye.com##.no-results > .col-lg-4.text-center > a[href][target="_top"] > img
+comidoc.net##.MuiContainer-root > div[style^="text-align:center;margin-left:auto;margin-right:auto;min-height"]
+comidoc.net##.MuiContainer-root > div[style^="text-align: center; margin-left: auto; margin-right: auto; min-height:"]
+kansascity.com,idahostatesman.com###ConnatixVideoAd
+||apglinks.net/static/script/jala-aes.js$third-party
+free-codecs.com###copySoftwareLink
+seulink.net##a[href^="https://ads."]
+xpicse.com##li[style^="width: 320px; height: 250px; text-align: center;"]
+coincodex.com###CCx3Sticky
+||coincodex.com/*/prposition.php
+coincodex.com###CCxStickyBottom
+coincodex.com##app-page-title > div.d-none.d-xl-flex
+coincodex.com##app-root > div[class*="d-none d-xl-flex ng-star-inserted"][style="width: 100%;"]
+coincodex.com##a[class*="binance_affiliate"]
+coincodex.com##.side-col > div[style="text-align: center; position: relative;"]
+boobieblog.com##div[align="center"] > p > a[target="_blank"] > img
+cum-shows.net##.embed-container
+meteoprog.*,walbrzych24.com,cumlouder.com,themuslimvibe.com,bigboobsalert.com##.promo
+||filtercams.com/static/images/banners/
+pornlist.tv##iframe[src*="/rek/"]
+gotohole.com,4kpornmovs.com,youjizzvideos.pro,asian-teens.co,pornmovies4k.com##.full-bns-block
+gotohole.com,fullpornfuck.com##.video-brs
+teenyounganal.com,gotohole.com,asian-teens.co,pornmovies4k.com,fullpornfuck.com##.brs-block
+||pornlist.tv/assets/b_in_p.css
+||imgmaze.pw/fsed.html
+imgmaze.pw##center > iframe[style^="width:100%; height:400px;"]
+||fuck-videos.xxx/tmp/
+fuck-videos.xxx##.block-mobile
+fuck-videos.xxx###fltd
+fuck-videos.xxx##iframe[src^="//fuck-videos.xxx/tmp/?zone="]
+fuck-videos.xxx##.recomend-container
+||imgdew.pw/nxhjez.js
+||imgdew.pw/btsd.html
+keep2porn.net##center > a[href="https://vrpornx.net/"] > img
+||keep2porn.net/templates/keep2porn/images/vr300.gif
+||keep2porn.net/templates/keep2porn/images/banerk2s.gif
+||freepornxxxhd.*/js/exopop.js
+||brazz-girls.com/scripts/chatur.js
+||brazz-girls.com/scripts/yall.*.js
+||brazz-girls.com/chaturbate/
+||highwebmedia.com/ri/$domain=japanesebeauties.net
+wildcumshots.com##.enhanced-text-widget
+||primecurves.com/sponsors/
+primecurves.com##a[href^="https://srv.dropkickmedia.com/"]
+toppixxx.com###topboxad
+toppixxx.com##.imadswide
+toppixxx.com##.bigblock
+||googletagservices.com/activeview/js/current/rx_lidar.js$domain=gq-magazine.co.uk
+||older-mature.net^$image,domain=pussyspot.net
+pussyspot.net##a[href="https://nudegirlsoncam.com/"]
+pussyspot.net##div[class^="content"] > div[align="center"]
+||tuberel.com/poppy/
+livejasmin.com##.container_banner
+||dditscdn.com/*/advertisement.js
+||sexyfuckgames.com/includes/*.php
+||porngames.com/images/*.gif
+sexflashgame.org##center > script + a[target="_blank"] > img
+playporngames.com##.banner-center-first
+playporngames.com##div[style*="width: 330px; height: 100%;"]
+||hentai-gamer.com/pics/
+nationalfile.com##.code-block > a[href*="&utm_medium=sitebanner"][target="_blank"] > img
+ehotpics.com,upicsz.com##figure[style^="width: 310px;"]
+m-hentai.net##.leaderboardcontainer
+m-hentai.net##.landingpageadcontainer_iframe_300
+||m-hentai.net/JS/exoclick%20popunder.js
+||gaysearch.com/gs*/gs.js
+||vidxhot.net/out.php?$popup
+||hqtube.xxx/api/pu/
+||hqtube.xxx/tmp/
+pcsx2.net##td[style^="vertical-align"] > p[style^="text-align: center;margin"]
+peazip.github.io##td[style="background-color: rgb(255, 255, 255); vertical-align: top; text-align: center;"]
+kongregate.com##div[id^="rec_spot_ad_"]
+hindustantimes.com##.ht-dfp-ad
+hindustantimes.com##.desktopAd
+india.com###menu-secondary > li.housing
+india.com##a[href^="https://housing.com/?utm_source="] > img
+||webserver.one/atag.js
+compressor.io##.adwrapp
+cartoonbrew.com##.cb-ad
+compress-or-die.com##.component_global-ad
+||compress-or-die.com/public/ad-bg.svg
+pornoamatorialeitaliano.it,animehentaihub.com,youporntube.net,bestjavporn.com,hentaiasmr.moe##.happy-header
+pornxbit.com,pornoamatorialeitaliano.it,sexkbj.com,gotocam.net,mundoxgay.com,pornxday.com,animehentaihub.com,youporntube.net,twinkybf.com,javfull.pro,gaytail.com##.happy-sidebar
+||vast.yomeno.xyz^$xmlhttprequest,other,redirect=nooptext
+lolalytics.com###any
+lolalytics.com##div[class^="AdsGutter_"]
+imgbox.com###image-content-container > .image-container + div[style="text-align:center; margin-top:4px;"] > div[style="display: inline-block;width:300px;height:250px"]
+lowyat.net##.post-content > div[align="center"][style="background: whitesmoke;padding: 10px;min-height:250px;"]
+pressherald.com##.sub-sponsored
+3c-lxa.mail.com##.ad.sky
+||iamcdn.net/players/playhydraxs.min.js
+myanimelist.net##div[style="padding:16px 0px 0px 0px;margin:14px 0px 0px 0px;"]:not([class]):not([id])
+pervertedmilfs.com##.arielle
+afly.pro,ustream.to##.popup
+wccftech.com##.wccf-products
+instadp.com##a[href="https://followmeterapp.com"]
+||youtube.com/embed/s64CHqUrzYY?autoplay=$domain=instadp.com
+/nwm-fp.min.js$domain=sportsbay.org
+paper-io.com###gameadsbanner
+||gameads.io/getcode?*gameadsbanner
+insideevs.*##.ap[data-dfp-attrs*="banner"]
+jokersplayer.xyz##.snackbar.bottom
+trovigo.com###banner_wrapper
+||anime.solutions/public/assets/js/link-converter.js
+streamsport.icu###ads > #close
+litegpt.com##div[id*="_partnerAds"]
+litegpt.com###ctl00_sidebar2
+reverso.net###locdbanner
+reverso.net##.rightResult > .vda-section
+reverso.net##.search-main-wrap > .left-part > .toprightdiv
+wco.tv##div[style*="float:right; width:500px;"][style*="height:3"]
+onlinevideoconverter.video##.music-container a[href][target="”_blank”"] > img
+||ngegas.files.im/*.js
+doncorgi.com##.inside-right-sidebar > aside#custom_html-2
+doncorgi.com##.inside-right-sidebar > aside#custom_html-3
+thumbnails.porncore.net##iframe[width="200"][height="1000"]
+||cfgr3.com/popin/latest/popin-min.js
+||datawav.club/*.php
+||runemate.com/redirect/images/*.gif
+mypornstarblogs.com###live-bottom
+mypornstarblogs.com###mgb-container
+mypornstarblogs.com###mpc-container
+||older-mature.net/pop.js
+older-mature.net##div.box1[style^="height:"]
+older-mature.net##.content > div[style^="width:728px;"][style*="margin:auto;"]
+||vipergirls.to/t2090e8e7600v3.js
+||porn5k.me/inc/nb.php
+linegee.net##body > div[style^="position:fixed; bottom:0; width:100%;"]
+shesfreaky.com##.player-ad-container
+keybr.com##.Placeholder
+videohelp.com##.maingray div[style*="width"] #headerbanner > center
+videohelp.com##.maingray div[style*="width"] div[id^="thisis"] > center
+namethatporn.com##body > div.a_br
+||youtube4kdownloader.com/scripts/stats.js
+educaplay.com###publiVideo
+educaplay.com##.busAct__resultados__anu
+||educaplay.com/v2/resources/img/educaplayPremium_*.mp4$media,redirect=noopmp4-1s
+garticphone.com###garticphone-com_160x600
+freeconvert.com##.adcontainer2
+gyanitheme.com,paid4.link,artipedia.id,miklpro.com##.blog-content
+chickteases.com##.owner
+babeuniversum.com##.adsense > a[target="_blank"][href^="/click/o/"]
+babeuniversum.com##.galleryad
+thehill.com##p[style="font-family:Arial;color:#666666;font-size:11px;text-align:right;margin-bottom:-10px;"]
+worldsurfleague.com##.unicorn[data-unicorn-settings*="sponsor"]
+obfog.com##div[class^="gAds"]
+obfog.com##div[style="margin:auto;padding:10px;min-width:970px;max-width:980px;height:250px;"]
+sanoybonito.club##.body > .text-left
+family-fuck.net##.plink
+||imzog.com/poppy/
+||audioz.download/templates/Default/img/promo/
+/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
+/images/*/istripper/*$domain=8boobs.com|babesinporn.com|bustybloom.com|fooxybabes.com|hotstunners.com|mainbabes.com|rabbitsfun.com|silkengirl.com|silkengirl.net|wantedbabes.com|pleasuregirl.net
+/images/*/strp_v*.js$domain=8boobs.com|babesinporn.com|bustybloom.com|fooxybabes.com|hotstunners.com|rabbitsfun.com|silkengirl.com
+/images/*/b/*.jpg$image,redirect=2x2-transparent.png,domain=babeuniversum.com|novojoy.com|rossoporn.com|sexynakeds.com|redpornblog.com|pbabes.com|grabpussy.com|babesbang.com|novostrong.com|nightdreambabe.com|babesandbitches.net|novoporn.com|babesaround.com|join2babes.com|novojoy.com|pussystate.com
+/images/*/b/*.jpg$domain=babeuniversum.com|novojoy.com|rossoporn.com|sexynakeds.com|redpornblog.com|pbabes.com|grabpussy.com|babesbang.com|novostrong.com|nightdreambabe.com|babesandbitches.net|novoporn.com|babesaround.com|join2babes.com|novojoy.com|pussystate.com
+/images/*/banners/*$image,redirect=2x2-transparent.png,domain=100bucksbabes.com|8boobs.com|babeimpact.com|babesandgirls.com|babesinporn.com|babesmachine.com|bustybloom.com|chickteases.com|decorativemodels.com|exgirlfriendmarket.com|fooxybabes.com|hotstunners.com|nakedneighbour.com|rabbitsfun.com|sexyaporno.com|silkengirl.com|silkengirl.net|thousandbabes.com|wildfanny.com|glam0ur.com|slutsandangels.com|theomegaproject.org|livejasminbabes.net|sexykittenporn.com|pleasuregirl.net|morazzia.com|babesaround.com|dirtyyoungbitches.com|novoglam.com|vibraporn.com|girlsofdesire.org
+/images/*/banners/*$domain=100bucksbabes.com|8boobs.com|babeimpact.com|babesandgirls.com|babesinporn.com|babesmachine.com|bustybloom.com|chickteases.com|decorativemodels.com|exgirlfriendmarket.com|fooxybabes.com|hotstunners.com|nakedneighbour.com|rabbitsfun.com|sexyaporno.com|silkengirl.com|silkengirl.net|thousandbabes.com|wildfanny.com|glam0ur.com|slutsandangels.com|theomegaproject.org|livejasminbabes.net|sexykittenporn.com|pleasuregirl.net|morazzia.com|babesaround.com|dirtyyoungbitches.com|novoglam.com|vibraporn.com|girlsofdesire.org
+/flr.js$domain=8boobs.com|angelgals.com|babesinporn.com|fooxybabes.com|hotbabeswanted.com|hotstunners.com|mainbabes.com|nakedbabes.club|pleasuregirl.net|rabbitsfun.com|silkengirl.com|silkengirl.net
+/smallfr*/*$subdocument,domain=babeimpact.com|decorativemodels.com|sexykittenporn.com
+/flr7.js$domain=sensualgirls.org
+sensualgirls.org##.cbox2
+sensualgirls.org##div:has(> h2 > a[href*="/click/o/66beauty/"])
+nudevista.link##.sidebar-bn
+nudevista.link##.bnblog
+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?"]
+girlsofdesire.org##a[href^="/out"]
+babeimpact.com,decorativemodels.com,sexykittenporn.com##iframe[src^="/smallfr"]
+/bload$domain=8boobs.com
+nakedbabes.club,hotbabeswanted.com##.deskbanner
+mrdeepfakes.com##.ad-menu
+thousandbabes.com##.sponsorholder
+india.com###cbanner
+lookmovie.io##.bottom-message-container
+lookmovie.io##div[class$="-page-ads-wrapper"]
+lookmovie.io##.notifyjs-corner
+pixiv.net##._illust-upload + div[style*="968px;"][style*="170px;"]
+pixiv.net##a[target="premium_noads"]
+lowendtalk.com###Foot > a[href] > img
+||lowendbox.com/wp-content/uploads/*/dedipath-optimized.gif
+iceporn.com##.spot-300x100
+fileriver.net##center > a[onclick*="https://href.li"]
+fileriver.net##.wlm-container
+britannica.com##.video-ad-container
+tophentaicomics.com##.thumb-ad
+tophentaicomics.com##.sidebar > div.widget_text.sidebar-wrapper
+||tophentaicomics.com/istrippers.jpg
+||tophentaicomics.com/pop.js
+||gartic.io/*.mp4$media,redirect=noopmp4-1s
+||jumboporn.xyz/t63fd79f7055.js
+thomasmaurer.ch##.sidebar > #custom_html-2
+androidinfotech.com,thomasmaurer.ch##.sidebar > #custom_html-3
+thomasmaurer.ch##.sidebar > #custom_html-4
+thomasmaurer.ch##.sidebar > #custom_html-5
+arcadewank.com##a[href^="http://hits.epochstats.com/hits.php"]
+||arcadewank.com/promo/*.gif
+||3dsexgames.biz/linkbanners/3dsexgamesnew150x100.gif
+||arcadewank.com/images/flashplayer.gif
+2beeg.me##.ave-pl
+afly.pro##center > a[href*="?utm_source"]
+||streamcr7.com/footyshoes.gif
+streamcr7.com##.container > a[href].btn-outline-primary
+sundryfiles.com##.download-timer-text + div[style="text-align:center;font-size:13px;color:#a1a1a1;"]
+news18.com##.pani-wid
+||images.news18.com/static_news18/pix/ibnhome/news18/images/*_banner.jpg
+||images.news18.com/static_news18/pix/ibnhome/news18/images/*-300X100.jpg
+||camcam.cc/wp-content/plugins/dh-anti-adblocker/
+an1.com,getsetclean.in,sexgames.cc##a[rel^="sponsored"]
+||mycartoonsexgames.com/thumbs/*/$image
+zerohedge.com##div[class^="Advert_"]
+dfiles.eu##iframe[width="240px"][height="800px"]
+lapagan.net##.i_300
+cutlink.link###absuadd
+cambay.tv##iframe[src^="https://www.cambay.tv/player/html.php?aid="]
+getnada.com###__layout > div > div > .pb-4.justify-center.w-full
+washingtonpost.com###fusion-app > div:not([class]):not([id]) > div.bb[style^="padding-left:"][style*="min-height:"]
+push.bdnewsx.com##a[href*="&utm_medium="] > img
+gifmeat.com###plugrush
+||gifmeat.com/*.php$script,~third-party
+gifmeat.com###chaturbate
+raymond.cc##div[id^="snhb-sidebar"]
+raymond.cc##div[id^="snhb-incontent"]
+clickscoin.com,adsy.pw##.box-main > center
+adsy.pw##iframe[id^="adsy.pw_"][id*="_DFP"]
+ping.eu##td > center[style="margin-bottom: 2px;"]
+wheelofnames.com##.ad-declaration
+mimirbook.com##.word-ad
+||porngames.games/js/bioep.custom.js
+porngames.games###bio_ep
+porngames.games##.vertical-trending-ads
+charlieintel.com##.theiaStickySidebar > .mvp-side-widget#custom_html-3
+f1livegp.me##body a[href*="/tuname.php"][target="_blank"]
+tube8.*##div[data-esp-node="under_player_ad"]
+nesaporn.com##td[width="360"][style^="padding:0px 0px 0px 50px;"]
+msn.com##.colombiaintraarticleads
+||jjgirls.com/graphics/mobile/en/*/*.jpg
+drtuber.desi###video_list_banner
+miniwebtool.com###btop
+porn300.com##[class^="aaann_fake"]
+radio-new-zealand.co.nz,fmradiofree.com,canli-radyo-dinle.com,emisoras-puertorico.com,emisorascolombianas.co,internetradio-horen.de,internetradio-schweiz.ch,mytuner-radio.com,radio-ao-vivo.com,radio-australia.org,radio-belgie.be,radio-canada-online.com,radio-danmark.dk,radio-dominicana.com,radio-ecuador.org,radio-en-ligne.fr,radio-en-vivo.mx,radio-espana.es,radio-hk.com,radio-hrvatska.com,radio-italiane.it,radio-korea.com,radio-maroc.org,radio-nederland.nl,radio-norge.org,radio-osterreich.at,radio-philippines.com,radio-polska.pl,radio-singapore.com,radio-south-africa.co.za,radio-suomi.com,radio-sveriges.se,radio-thai.com,radio-ua.com,radio-uk.co.uk,radioindia.in,radioindonesia.org,radiojapan.org,radiomalaysia.org,radios-argentinas.org,radios-bolivia.com,radios-chilenas.com,radios-guatemala.com,radios-online.pt,radios-uruguay.com,radios-venezuela.com,radiosdelperu.pe,radiotaiwan.tw###team_ad
+castlesiege.io,polyguns.io##div[id$="banner-cont"]
+||forexforum.co/banad.jpg
+forexforum.co##.samBannerUnit:not([data-position="container_sidebar_above"])
+picfont.com###central_block > #block_a
+2conv.com,flvto.biz,flv2mp3.by###vab_frame
+fallerz.io###fallerz-io_300x250
+tyran.io###ad_970x250
+tyran.io##div[id^="scoreboard_ad_"]
+tyran.io###middle-wrap #left_box_div[style^="display:inline-block;"]
+drednot.io##.shipyard-ad
+meterpreter.org##.theiaStickySidebar > aside > #text-2
+forum.videohelp.com##div[style*="width:100%;"][style*="height:110px;"]
+||mangahentai.me/script/script.php
+||shon.xyz/js/script.js
+crazyshit.com##body > div[style^="position: fixed;"][style*="transform:"][style*="z-index:"]
+||cbmiocw.com^$domain=crazyshit.com
+||wetpussygames.com/images/hentai_game/600-
+miniclip.com###promo-mast
+torlock2.com##.well a[href][rel="nofollow"].extneed
+torlock2.com##article > table.hidden-xs[style^="padding-bottom:"]
+dongknows.com##.inside-right-sidebar > aside#custom_html-46
+tutcourse.com###stream-item-widget-4
+mgnetu.com##.banner-container .box-success > h4
+cracked.to##.responsive-banner
+cracked.to##.sidebars > a[href][target="_blank"] > img
+ovagames.com###adter
+yespornpleasexxx.com##iframe[src^="https://creative.alxbgo.com/"]
+||drtuber.desi/footer_tiz.php
+drtuber.desi##.aside_panel_video > div[class="heading fh"]
+drtuber.desi##.livecams_main
+drtuber.desi##div[class="footer f_width"] > div.item_box
+thepigeonexpress.com##div[class^="thepi-mobile-"]
+thepigeonexpress.com##body > p
+thepigeonexpress.com##.thepi-after-content > p
+warscrap.io##.main-menu-overlay > .main-menu-bottom:empty
+getitall.top##iframe[src^="https://getitall.top/ds/"][src$=".html"]
+||getitall.top/ds/*.html
+shootup.io###main-wrap > #left-wrap
+shootup.io###main-wrap > #bottom-wrap
+paidtomoney.com##.box-main > ins[class][style^="display:inline-block"]
+deccanchronicle.com##body .cnitem-list > .cnitem_add_area_outer
+macworld.com###amazon-bottom-widget
+macworld.com###articleLeaderboardWrapper
+||ptigjkkds.com/*/tghr.js$script,redirect=noopjs
+ndtv.com##.__pcwgtlhs
+memeful.com##.naughty-box
+||1001freedownloads.s3.amazonaws.com/vector/thumb/83198/green_download_button.png
+techbloogs.com,tutwuri.id,lokerwfh.net,dz4up.com##div[style="text-align: center;"] > a[target="_blank"] > img
+temporary-phone-number.com##div[class^="adsense-"]
+/main.js$domain=softairbay.com|pixeldrain.com
+designrush.com##.banner-side-wrap
+xkeezmovies.com##a[href="https://nudetiktok.com/"]
+clickondetroit.com##.fixedAd
+azrotv.com,elahmad.com###ad_asd
+sammobile.com##.g-59
+youporn.*##a[href][data-tracking="track-close-btn-ad"]
+proxybit.*##body > .container > .alert-dismissible[onclick^="window.open('https://bit.ly/"]
+javher.com,javtrailers.com###popunderLink
+javtrailers.com###cta
+fusionmovies.to##.selected_box_title > .preloaderSmall ~ [class][style*="position: absolute;"][style*="transform:"]
+listennotes.com##.ln-home-feed-ad
+||imgpinga.cloud/*.php|$script
+||darkreader.org/elements/backers-header.js
+||darkreader.org/elements/backers-side.js
+mangaraw.org,rawmanga.top,senmanga.com##.banner-landscape
+xtube.com##.recommendedVideosOverlay + div[id][class] > div > div.header
+waybig.com##.ad-above-comments
+waybig.com##.aff-list
+||juicygif.com/cache/compiledtemplates/dd1f867fe40eae5c2d0aa0f485e5718e.js
+techcodex.com##.pmnbqlt-before-header
+porngames1.com##.banner-widget
+||adultgames.me/*.gif$domain=porngames1.com
+probonoaustralia.com.au##.top-banner-text
+probonoaustralia.com.au##a[onclick*="AdRotatePro"]
+||theboobsblog.com/*/|$script
+se7ensins.com,theboobsblog.com##div[style="height: 250px;"]
+||theboobsblog.com/trades.html
+theboobsblog.com##.sidebar-content > div[id^="text-"][class$="widget_text"]
+awesomeopensource.com##div[id^="server-side-native-ad-container-"]
+awesomeopensource.com##div[class^="projects_list_ad_slot_"]
+withinnigeria.com##.qatlko-pubadban
+withinnigeria.com##.sidebar-pc-ad-top
+||yeptube.*/templates/base_master/js/jquery.shows.min.js
+gq-magazine.co.uk##div[data-test-id="AdBannerWrapper"]
+nbcnews.com##div[class="db-m dn"][style="height: 130px;"]
+||bootdisk.com/art/war.png
+pornoeggs.com##div[class^="ib-"]
+pornoeggs.com##.mediaPlayerBanner
+xtube.com##.removeAds
+xtube.com##.tJunkyText
+gta5-mods.com##.ad-above-mod-dl-btn
+bustybloom.com##.sponsorbanner
+yourporngod.com##a[href*="s2.everydaygayporn.com"]
+msn.com##iframe[src^="//www.dianomi.com/"]
+geekspin.co##div[style*=";text-align: center;clear: both;min-height: 90px;"]
+geekspin.co##div[style*=";text-align: center;clear: both;min-height: 330px;"]
+||freeporn.info/bobo/
+||freeporn.info/pop1.js
+freeporn.info##.alfa_promo_parent
+freeporn.info##h4[style="text-align: right;margin-bottom: 0.25rem;"]
+crocotube.com##.ct-advertising-footer
+||static.crocotube.com/cb/
+||al4a.com/includes/efl.js
+al4a.com##div[style^="background-color:#fff;"][style*="overflow:hidden; text-align:center"]
+al4a.com##center > small
+||3movs.com/su4unbl-ssu.js
+||3movs.com/local_p.js
+lulz.net##a[href="https://www.furfling.com/"]
+submityourflicks.com##div[style^="display: inline-block;"][style*="font-size: 18px;"]
+||submityourflicks.com/*/sfy.js
+adelaidenow.com.au,dailytelegraph.com.au##.header_ads-container
+familyporn.tv##.textlink
+||mylust.com/*/serve
+yuvutu.com##.support_us
+camwhoresbay.com##div[style^="width:300px;"][style*="height:250px"]
+||api.hotscope.tv/snaps/top
+||randomsatoshi.win/banners/
+randomsatoshi.win##.RS-Header-banner-xlg
+alotporn.com,amateurest.com,onlinestars.net,bravoerotica.net,gettubetv.com,hoes.tube,jizzberry.com,love4porn.com,gaysearch.com,submityourflicks.com,chubbyporn.com##.fp-ui > div[style^="position: absolute;"][style*="background: transparent;"]
+englishlightnovels.com##a[href^="https://shrsl.com/"]
+||fapality.com/js/initsite.js
+||fapality.com/*.jsx
+||nnteens.com/adnium
+homemoviestube.com##.film-aside-ads
+camwhores.tv##iframe[src^="https://go.smljmp.com/"]
+clik.pw##iframe[id^="frame"]
+/*_theme/build/js/script.min.php$domain=clik.pw
+||static-td*.stfucdn.com/contents/content_sources/*/*DevilsFilm_*-Banner_*.jpg
+hentaicloud.com##.ad-display-unit
+miohentai.com##.fa-angle-down
+findglocal.com###vi_ai
+findglocal.com###findg_billboard_lazy
+||naughtymachinima.com/images/banners/
+za.gl##._winwin
+||za.gl/external/prizesmodule/js/prize.local.js
+madnessporn.com##.header > h1 ~ div[align="center"]
+madnessporn.com##.contents > div[id="player"] ~ div[align="center"]
+madnessporn.com##.cam
+hentaienglish.com##.sidebar-content-inner > div[id^="custom_html-"]
+||hentaienglish.com/wp-content/uploads/*/hentaivideo2.webm$media,redirect=noopmp4-1s
+coolors.co##a[class="floating-cad"][target="_blank"]
+betanews.com##.adbox-header
+||static.hellmoms.com/*/inplaybn-
+serialeonline.biz,hellmoms.com##.desktop-banner
+9anime-tv.com##body > iframe[class][style^="border:"][style*="z-index:"]:not([src])
+lewdzone.com###ad_vid
+myporntape.com##.block-vda
+myporntape.com##.banner-long
+||loadshare.org/custom/VideoID-*/*.mp4$domain=fusionmovies.to
+||speedynews.xyz^$domain=pureshort.link
+progameguides.com##div[id^="sideAd-"]
+progameguides.com##div[id^="content_dynamicAd-"]
+owlcation.com,mtonews.com##.m-rev-content
+thetechedvocate.org,embetronicx.com,quillette.com,unityassets4free.com##.AdWidget_HTMLWidget
+unityassets4free.com##img[src^="https://unityassets4free.com/wp-content/uploads/"][src$="/best-url-shortner-for-unityassets4free.jpg"]
+||unityassets4free.com/wp-content/uploads/*/best-url-shortner-for-unityassets4free.jpg
+igg-games.com###tm-sidebar > .uk-grid-stack > div[class="uk-grid-margin uk-first-column"] > .widget-text > .textwidget > p > a[href][target="_blank"] > img
+||statics.letfap.com/assets/love/index.php
+letfap.com##iframe[src^="https://syndication.exoclick.com/"]
+hdhub4u.cc##a[href^="https://www.hostdoze.com/"] > img
+vidmoly.me,vidmoly.net,vidmoly.to###vope
+vidmoly.me,vidmoly.net,vidmoly.to###sc-splash
+proprofs.com##.new_ad_wrapper_all
+techspot.com##div[data-lb-id^="thread-"] > .js-replyNewMessageContainer > div.betweenPosts
+techspot.com##ul#downloads_list > li:not([class]):not([id]) > div[style="min-height: 250px;"]:not([class]):not([id])
+moneylife.in##.ml_ad
+moneylife.in##.gbanner
+moneylife.in##.container_16 > #jssor_1
+moneylife.in##.right-banner
+||lolhentai.net/cornergirls.js
+gizchina.com##.vw-content-sidebar > div[id^="text-"]
+sxyprn.com##body > div[style^="z-index: 999999;"][style*="position: absolute;"]
+claimcrypto.cc##.form-group > ins[class][style="display:inline-block;width:300px;height:250px;"]
+skyracing.com.au##img[src^="/assets/website_images/images/Advertisements/"]
+||wetpussygames.com/includes/skin-istripper.js
+||static.opensubtitles.org/libs/js/prop-pu.js
+go-streamer.net,vgfplay.xyz,elbailedeltroleo.site,tioplayer.com,listeamed.net,bembed.net,fslinks.org,embedv.net,vembed.net,vid-guard.com,v6embed.xyz,vgembed.com,vgfplay.com,fusevideo.net,erome.com,coolors.co,kropic.com##body > a[target="_blank"]
+||kropic.com/js/ad.js
+||gosexpod.com/videos/xts3.php
+||gosexpod.com/exad/
+gosexpod.com##div[style="height:36px;text-align:right"]
+gosexpod.com###zzz-on-video-o
+dailymail.co.uk##.fff-banners
+||vidcdn.info/api/spots/
+hog.*##.player-block__line
+||vidcdn.info/FSNOXw5.js
+||cdn*.editmysite.com/images/site/footer/footer-toast-published-image-*.png
+sakurajav.com##.widget_advertising
+sakurajav.com##.sadDIV
+||assets.msn.com/bundles/v1/microsoftNews/latest/placement-manager.*.js$domain=microsoftnews.msn.com
+||push.bdnewsx.com/sahil.js
+/tghr.js$domain=javhihi.me|mrdhan.com|raw.senmanga.com|zplayer.live
+||connatix.com^$domain=k12reader.com|androidheadlines.com|britannica.com|behindthename.com|likegeeks.com|iphoneincanada.ca|titantv.com|player.one
+mathway.com###chat-inner > .ch-bubble[data-context="advert"]
+kickassanime.*##.ka-axx-wr
+buffalonews.com##.subscriber-ad > .ad-col
+||shopping.buffalonews.com/places/widget/widget
+honeyhunterworld.com##.ad-wrap-right
+gelbooru.com##a[href="https://gelbooru.com/tdForward.php"]
+vclock.com###pnl-neon
+||vclock.com/info/hac.php
+wired.com##.content-footer__outbrain-widget
+wired.com##.recirc-most-popular__items > li.recirc-most-popular__item > .ad
+washingtonexaminer.com##.ArticlePage-sharing
+mixdownmag.com.au##.ad-wrap-container
+thephoblographer.com,noqreport.com##div[id^="vuukle-ad-"]
+hqq.to##.asg-vast-overlay
+digitalspy.com##.article-body-content div[aria-label="product"]
+wallpaperflare.com##.lst_ads > span
+hstoday.us##a[href^="https://www.cdc.gov/"]
+||cload.video/static/js/jwplayer/*/plugins/vast.js
+pdfforge.org##.adsenseadsense
+thisismoney.co.uk##a[href="https://www.stockomendation.com/thisismoney_ma"] > img
+.xyz^$domain=ceofix.net|teenfic.net
+ceofix.net##a[href*="/?aff="] > img
+||tools.lifeselector.com/banners/js/banner-controller.min.js
+etherealgames.com,phoenixnap.com,javporn.tv,apkdlmod.com,freecoursesites.net,courseforfree.net,javhoho.com,playsexgames.xxx###text-6
+mlsbd.shop,esports.net,10hd.xyz,vivahentai4u.net,dmerharyana.org,learncomputerscienceonline.com,animationxpress.com,coursesxpert.com,javhoho.com,thefappeningblog.com,ooodesi.com,aagmaal.com,playsexgames.xxx###text-3
+telegramchannels.me###btm-pr
+telegramchannels.me##.columns > .adNative-1
+telegramchannels.me##div[class*="adHeight"]
+wo2viral.com##a[href][target="_blank"].button
+reclaimthenet.org##div[class^="code-block code-block-"] > p[style="text-align: center;"] ~ *
+mailonsunday.co.uk##.billboard_wrapper
+iflscience.com##div[class^="index__adWrapper"]
+thepostmillennial.com,iflscience.com##div[class^="AdChoiceContainer"]
+viid.me,videohelp.com##div[style^="height:90px;width:100%;"]
+forum.videohelp.com##.above_body > div[style="text-align:center;"] > div[style*="height:110px;"]
+videohelp.com##a[rel="sponsored"]
+videohelp.com#%#//scriptlet('remove-node-text', '#text', '/.{0,10}(?:Visit our sponsors?!|and backup Blu-rays!).{0,10}\n?$/')
+2conv.com,flvto.biz,flv2mp3.by##.horizontal-area
+2conv.com,flvto.biz,flv2mp3.by##.content-right-bar > .square-area
+||y2mate.com/themes/js/common.js
+vlive.tv##div[class^="ad_area"]
+||hentaidude.com/wp-content/themes/awp/assets/desktop.js
+||hentaitube.online/SSJ%20-%20300x250.gif
+savelink.site##a[href^="//"][style*="position: fixed;"]
+||megaup.mobi/assets/scripts/a.js
+techspot.com##.category > ul > li[style="padding: 25px 0 0 0;"]
+techspot.com##.tshoop
+techspot.com##div[id^="div-pg-ad-"]
+techspot.com##.subDriveRevBot
+||ablefast.com/sw.js
+punchng.com##div[id^="gpt-ad-"]
+punchng.com###header > .row > .col-sm-12[style="height:90px; text-align: center;"]
+||savelink.site/atag.js
+filecr.com##.download-wrap > div.sidebar
+pussysexgames.com##a[href*=".php?t="][rel="nofollow"]
+/dodgersexcartoons.com\/images\/\w\w\/.*.gif$/$domain=dodgersexcartoons.com
+xda-developers.com##.honor-spon-banner
+18tube.xxx##.thumbtoplist
+||18porno.tv/js/ui/socialmedia.php
+18porno.tv##.toplist
+||avantajados.com^$domain=curto.win
+$subdocument,third-party,domain=curto.win
+linksfire.co##.box-main a[href] > img
+linksfire.co##.box-main a[href][target="_blank"]
+earnfasts.com##a[href^="https://b3stcond1tions.com/"]
+||savelink.site/*.mp4
+amgelescape.com###ads-blog-content
+amgelescape.com##.sidebar > div[class="widget HTML"][id^="HTML"]
+amgelescape.com##div[class^="owneditads"]
+||nodeassets.nbcnews.com/_next/static/chunks/ads.*.js
+telanganatoday.com##.branding .topA > a[href][target="_blank"] > img
+||telanganatoday.com/im/300landrover.gif
+||telanganatoday.com/im/728LandroverNew.gif
+popsugar.co.uk##.ad-element-container
+zacks.com##.inline_top_ad_commentary
+zacks.com##.inline_bottom_ad_commentary
+||i.cdn.turner.com/ads/
+androidexplained.com##.site-main > article + div[class^="astra-advanced-hook-"]
+softwareaccountant.com,freecoursesite.com,xscholarship.com,psdly.com##.widget_media_image
+||cdn.cnn.com/ads/
+speedrun.com###extrabar
+lowendtalk.com##.Row > #Panel >a[href="http://bsa.ly/moo"]
+lowendtalk.com##.Row > #Panel > div:not([class]):not([id]) > a[href] > img
+||porngames1.com/banner/
+staticice.com.au##table[width="500"][align="center"] > tbody > tr > td[height="21"]:only-child
+staticice.com.au##table[width="500"][align="center"] > tbody > tr > td[height="75"]:only-child
+staticice.com.au##table[width="100%"] > tbody > tr > td[height="15"][valign="top"]:only-child
+||responsivethemesstatic.github.io/static/*.js$domain=shoppinglys.blogspot.com
+ladyshemale.com##center > a[target] > img
+wcoanimedub.tv###sidebar_today > div[style="float:right; width:320px; height:250px"]
+wcoanimedub.tv##.video-page-main + div[style^="background:"] > div[style="float:right; width:500px; height:320px"]
+adultgamesportal.com##a[href^="http://www.crazyxxx3dworld.com/"]
+adultgamesportal.com##a[href^="https://t.grtyv.com/"]
+adultgamesportal.com##a[href^="https://t.frtyz.com/"]
+||desktophut.com/abDetector.min.js
+||sexsim2.com/assets/stamps/channela_315x300_$domain=2adultflashgames.com
+||utherverse.com/net/usermedia/privateMedia.ashx$domain=2adultflashgames.com
+||2adultflashgames.com/img/677x250_
+2adultflashgames.com##a[onclick*="/clicks/selector"] > img
+2adultflashgames.com##td[height="123"][width="1000"]
+||s3.amazonaws.com/callloop/banners/
+||i.adultgamestop.com/baners/
+||adultgamestop.com/files/*.gif
+motaen.com,adultgamestop.com##.baner
+dutchycorp.space,dutchycorp.ovh##center > div[style*="display: flex;"][style*="flex-wrap: wrap;"][style*="align-content: space-evenly;"] > div
+||autoclaim.ovh^$domain=dutchycorp.ovh
+fotor.com##.infoBox
+||vod-progressive.akamaized.net/*.mp4$domain=tvtropes.org
+tvtropes.org##.outer_ads_by_salon_wrapper
+mousecity.com##a[href^="http://ads.ad4game.com/"]
+mousecity.com##div[class^="banner-box"]
+mousecity.com##.main > div[style^="width: 160px; height: 600px; border:"]
+mousecity.com###content > div[style^="width: 728px; height: 90px; border:"]
+mousecity.com###content > .center[style^="width: 720px; height: 300px; margin:"]
+mousecity.com###content > .main-slides + div[style="margin: 15px 0;"] > div[style="float: right; width: 260px; height: 300px;"]
+mousecity.com##.main-slides > div[style^="width: 310px; height: 790px; float: left;"]
+mousecity.com##div[style="margin: 15px 0;"] > div[style^="float: left; width: 720px; height: 300px;"]
+mousecity.com##.g-list > li[style^="width: 310px;"] > div[style^="background-color: #fff; border-radius:"]
+mousecity.com##.list-games > div[style="margin: 15px 0;"] > div[style="float: right; width: 260px; height: 300px;"]
+charpress.com,visiontimesnews.com,tellynewsarticles.com##.sticky_ad_desktop_footer_center
+sysnettechsolutions.com##.header-addition > a[href][rel="nofollow"] > img
+hentaiporn.tube,naughtyhentai.com##.friends
+hentai.video,hentaiporn.tube,naughtyhentai.com###videocon
+naughtyhentai.com##.video_xxx
+freehentaistream.com##.natheader-title
+freehentaistream.com##.natundervid-title
+freehentaistream.com##iframe#natheader
+freehentaistream.com##iframe#natundervid
+||anime.freehentaistream.com/content/natheadcontent
+||anime.freehentaistream.com/content/natundervidcontent
+||google.com^$popup,domain=gogoanime.so
+hentaidude.com###homebn
+hentaidude.com###idtop > div[style^="margin:0 auto;width:"]
+||hentaidude.com/wp-content/themes/awp/assets/side.js
+||hentaidude.com/wp-content/themes/awp/assets/homebn.js
+sixsigmastudyguide.com,topnewsshow.com###secondary > aside#custom_html-4
+sixsigmastudyguide.com###secondary > aside#custom_html-5
+10fastfingers.com###ads-speedtest-view-container
+10fastfingers.com##div[style="min-height: 600px; height: 400px;"]
+constructionenquirer.com###ad-page-takeover-wrap
+constructionenquirer.com##.ad-list
+||vkspeed.com/player*/vast.js
+pdr.net###ehsBanner
+mysexgames.com##table[style^="background-color:#eeeeee; width:800px; height:270px;"]
+||madnessporn.com/mad/
+everydayporn.co,stileproject.com,zeenite.com,shemalesin.com,faptube.com,cambay.tv,hqbang.com,blowjobs.pro,ebony8.com,amateurest.com,watchporn.to,bravoerotica.net,thothd.com,hairyerotica.com,theporngod.com,sexoverdose.com,bestpornflix.com,4porn4.com,kuxxx.com,gettubetv.com,hoes.tube,cluset.com,xtits.*,pornsai.com,jizzberry.com,love4porn.com,cartoonprn.com,celebwhore.com,sexcams-24.com,camwhorescloud.com,bigtitslust.com,camfox.com,pornchimp.com,xmegadrive.com,tubsexer.*,theyarehuge.com,yourporngod.com,thebussybandit.com##.table
+forum.psnprofiles.com##.nn-player-floating
+||static.crazyshit.com/js/im/im.js
+blackhatworld.com##.bhw-advertise-link
+imgbox.com##div[id^="aad-header-"]
+dr-farfar.net##.footerBar > iframe
+||mrfog.com^$domain=dr-farfar.net
+leechall.com##.download-main-content > .download-animation + a[href][target="_blank"]
+amazon.com##a[aria-label="Sponsored video, click to navigate to featured page."]
+||allporncomic.com/*-*/?_=
+rocket-league.com##.rlg-ad-container
+easeus.com##.float_banner
+mangalong.com##.post_content > div.align-items-center
+||saruch.co/atag-anti.js
+||saruch.co/tera.js
+||ishort.in/js/full-page-script.js
+software.informer.com##.screen_ad
+gamezop.com##div[data-native-ad]
+gamezop.com##div[style="position:relative;text-align:center"] > span[style^="top:20px;position:absolute;left:"]
+gamezop.com##div[style="position: relative; text-align: center;"] > span[style^="top: 20px; position: absolute; left:"]
+grab.tc##a[href^="https://youhodler.g2afse.com/click?pid="]
+jawcloud.co##.jawban
+||jawcloud.co/naughtyworms.gif
+/mapquest.com/index/ads.min.js$domain=mapquest.com
+mapquest.com##.online-offers
+mapquest.com##div[style="min-width: 300px; min-height: 250px;"]
+||hentaiz.net/images/spon/
+hentaiz.net##div[id^="rmcard"]
+||economictimes.indiatimes.com/js_interstitial.cms
+neetexambooster.in##a[href^="https://ekaro.in/"]
+e-hentai.org##td.itd[colspan="6"] > div[style^="max-width:"][style*="position:relative; z-index:"]
+imagetwist.com##.text-center > a[href][target="_blank"] > video
+||imagetwist.com/ram/ram*.mp4
+boyfriendtv.com,historydaily.org##.adwrapper
+mangarockteam.com##.row > .main-col > .body-top-ads + .c-sidebar
+docs.picotorrent.org##.ethical-sidebar
+file-converter-online.com,konvertera-online.se,conversor-pdf.com,konwerter-online.pl,online-omzetten.nl,online-konverter.com,convertire-documenti.it,pdf-convertisseur.fr,convertir-pdf.com,prevod-souboru.cz###content-area > .entry > small[style="font-size:10px"]
+file-converter-online.com,konvertera-online.se,conversor-pdf.com,konwerter-online.pl,online-omzetten.nl,online-konverter.com,convertire-documenti.it,pdf-convertisseur.fr,convertir-pdf.com,prevod-souboru.cz###content-area > .entry > small[style="font-size:10px"] + .lead-responsive
+file-converter-online.com,konvertera-online.se,conversor-pdf.com,konwerter-online.pl,online-omzetten.nl,online-konverter.com,convertire-documenti.it,pdf-convertisseur.fr,convertir-pdf.com,prevod-souboru.cz###sidebar > div[style="margin-top:10px;min-height:250px"]
+viu.com##.banner_ad_label
+viu.com##.ad-ph
+lifehacker.com##.js_commerce-inset-permalink
+||cdn.witchhut.com/network-js/witch-afg/witchAfg.partner.js
+friv-2017.com##div[class="home_game_image_featured"][id="header-game1-left"]
+friv-2017.com###content-game > div[style="margin-top:130px;"] > p
+linuxgizmos.com###eaa_post_between_content
+videosection.com##.player-detail__banners
+hdsex.org,hdsex2.com,hdsex.com,videosection.com##div[data-title="Advertisement"]
+videosection.com##.inline-video-adv
+straitstimes.com###MyPageOverlay
+||bitfly.io/js/nt.js
+accuweather.com##.adhesion-header
+||redirector.googlevideo.com/*&source=dclk_video_ads&$redirect=nooptext,domain=sbs.com.au,important
+||shrinkads.com/js/fp.js
+||disafelink.com/js/full-page-script.js
+rappler.com##div[class*="TaboolaAd__Wrapper-"]
+earthsky.org##.recent-posts > a[target="_blank"] > img
+cpomagazine.com##.block-da-header_top
+cpomagazine.com##div[class^="cpoma-articles-inline-"]
+cpomagazine.com##.cpoma-adlabel
+cryptodaily.co.uk##.post-ad-title
+cryptodaily.co.uk##img[alt="crdt banner"]
+solarmovie.cr##.mvic-bmt
+solarmovie.one,solarmovie.cr##.fkplayer
+solarmovie.cr###bar-player > div[style] > a.textb
+solarmovie.cr##.mvic-desc a[href][target="_blank"] > .solar_btn
+techipe.info,sonixgvn.net,skidrowcodex.net##.ipprtcnt
+darko.audio##[id^="ubm-banners-"]
+observer.com###top-banner-container
+||smutty.com/ab/
+||s.smutty.com//javascript/yo/yolor.js
+||dyncdn.me/static/20/js/rightb2.js
+hdporn.org##a[href^="https://www.hdporn.org/link/"]
+boxrec.com##.midAdvert
+||upsieutoc.com/images/2020/08/19/bl.jpg
+cpmlink.net,uii.io,wordcounter.icu,shurt.pw##body > iframe
+myadultanimes.com,redgifs.com,imgbaron.com,picbaron.com##iframe[src^="//tsyndicate.com/"]
+ign.com##.adunit-wrapper
+watchseries.ovh##.block-left-home > div[style^="height:252px;"][style*="text-align:center;"]
+soundandvision.com###sub_pop
+tennis-infinity.com,9anime.*##.sda
+||streamtape.*/mainstream2.js
+dukechronicle.com##.flytead
+englishlightnovels.com##.sidebar-right p > a[href^="https://loot.cr/"]
+||amazonaws.com/prod/Ad_Cinando/$domain=cinando.com
+audiogon.com###main-content div.content-marketing-panes:not(:last-child)
+audiogon.com###main-content div.content-marketing-panes > div[class]:first-child + div[class]
+thefunpost.com##.ad-spacing
+reuters.com##div[class^="StickyContainer-container-"][style^="height: 1200px;"][style*="margin-bottom: 120px;"]
+katestube.com,xtits.*,mybestxtube.com,teencumpot.com,sexroom.xxx,nudeteenwhore.com,asiansex.life##.spot-holder
+||nudeteenwhore.com/oeufrb/
+||sexroom.xxx/xxx/fastload.js
+asianporn.life,asiansex.life##.full-ave
+asianporn.life,asiansex.life##.top-mo-ave
+nitrome.com###banner_ad
+nitrome.com###mu_3_shadow_ng
+nitrome.com###new_elem_shadow_2_game
+zippyshare.com##.center > font[style="font-size: 10px; letter-spacing: 3px; word-spacing: 2px;"]
+majorgeeks.com##.content > table.alford
+||mobilenobo.com/scripts/
+||profollow.com/form/
+bbc.com##section[class^="AdContainer-"]
+letfap.com##.main-page > div.player-wrapper + div.container
+pushsquare.com##.insert
+roleplayer.me##div[id^="ClearVista_Roleplayerme_300x"] + table > tbody > tr > td > center > font > a[href="premium/paid_membership.php"]
+pixiv.net##._premium-lead-function-banner
+||sexvid.*/ghjk/
+||sexvid.*/rrt/xd.js
+||sexvid.*/mia/
+||sexvid.*/stpd/
+sexvid.*##div[class^="spot"]
+sexvid.*###banner_video
+thewindowsclub.com##a[href^="http://www.restoro.com/"][rel]
+||adoric-static.*.amazonaws.com/adoric.ads.js
+admissionnotice.com,hardwaretimes.com,siasat.com,androidtvbox.eu##.stream-item
+admissionnotice.com,ifon.ca,tutcourse.com,fuentitech.com,siasat.com,androidtvbox.eu##.stream-item-widget
+androidtvbox.eu##.modalJS_object
+androidtvbox.eu##.theiaStickySidebar > #text-5
+androidtvbox.eu##.theiaStickySidebar > #text-6
+sbs.com.au##div[id^="adcta-"]
+shrinkme.in##.box-main > #countdown ~ h3
+shrinkme.in##.col-md-12 > #link-view ~ h3
+swisscows.com##.web-results > .a11t
+swisscows.com##.web-results-sale
+swisscows.com##.banners-wrap
+swisscows.com##.web-results > .item.sales
+swisscows.com##.cloud-wrapper > .cloud > a[href^="https://swisscows.com/api/"][target="_blank"].tile--image
+swisscows.com##.cloud-container > .cloud > a[href^="http://www.smartredirect.de/redir/clickGate.php"]
+||streamsport.pro/ads/
+androidpolice.com##.ains-18
+ingles.com,spanishdict.com##div[id^="adSide"]
+ingles.com,spanishdict.com###adTopLarge-container
+secrant.com##.divHLeaderFull
+secrant.com##.lowLead
+calculateaspectratio.com##.waldo
+cinereporters.com##.colombiatracked[data-slot] > iframe
+theswagsports.com,cinereporters.com##div[id^="HP_P_"][name="Homepage-Paid-Top-1-Desktop"]
+cinereporters.com###btm-widget > div[id^="div-clmb-ctn-"]
+biguz.net##.topb
+biguz.net###under
+subtitletools.com##.hide-when-adblock
+subtitletools.com##a[href^="https://go.nordvpn.net/"][target="_blank"]
+||subtitletools.com/images/nord/nordvpn-banner.jpg
+firstr0w.eu###sunInCenter
+||beerfaucet.io/promo/300×250.gif
+||firefaucet.win/static/images/banner4.gif
+mumbaimirror.indiatimes.com##.moreFromWorld
+file-upload.net##.mod_picture > iframe[width="336"][height="280"]
+sanfoundry.com##div[id^="sf-ads-"]
+faucetpay.io##.sponsored-light
+faucetpay.io##a[href^="https://faucetpay.io/page/view-banner-ad"]
+cults3d.com,mcrypto.club,cashearn.cc,faucetofbob.xyz,faucet.furim.xyz,algorandfaucet.com,you-porn.com,payittechnology.com,nobinbarta.com,youporngay.com,hdhub4u.cc,katmoviehd.*,janusnotes.com,doctor-groups.com##div[data-zone]
+softairbay.com##.brave
+||tweetycoin.com^$domain=1ink.cc
+tweetycoin.com##td > a[target="_blank"] > img
+temp-mail.org##.headerSeoLink
+javeng.com,clk.ink##iframe[src*="/ads/"]
+gsurl.be,get-bitcoin.net,clk.ink##div[id^="adm-container-"] ~ iframe
+clk.ink##div[data-captcha-enable] > div[id^="google-captcha-"]
+||clk.ink/ads/
+gadgets.ndtv.com##.__wdgt_rhs_kpc
+||newalbumreleases.siteunblocked.info^$script
+indiabet.com##.bs-callout-ad
+||sexei.net^$domain=xup.in
+/\/wp-content\/uploads\/.*(trustbadge[0-9]?writingtool|animatedpoof).*\.(png|gif)/$domain=edumanias.com
+tfwiki.net###p-ads
+||toyhax.com/TFwiki/banner.html
+dailystar.co.uk,abcnews.go.com,manchestereveningnews.co.uk,euronews.com,wgrz.com,newatlas.com,plymouthherald.co.uk,chroniclelive.co.uk,hulldailymail.co.uk,thesportbible.com,foreignpolicy.com##.taboola
+phoenixnap.com,freexcafe.com,worldfree4u-lol.online,majorgeeks.com,wetpussygames.com,hentairules.net,technicaljayendra.com,lubedfan.com,xtremetop100.com##img[width="160"][height="600"]
+privado.com##.sponsored-mainline
+picbaron.com,imgbaron.com##a[href^="https://sexymeets.club/"]
+picbaron.com,imgbaron.com##a[href="https://forum.picbaron.com"] > img
+pixiv.net##iframe[src^="https://pixon.ads-pixiv.net/"]
+lookcam.it,lookcam.fr,lookcam.ru,lookcam.com,lookcam.pl##.prefix-adlabel
+donghuaworld.com,luciferdonghua.in,animekhor.xyz###overplay
+wjunction.com##a[href="http://katfile.com/make-money.html"]
+wjunction.com##.message--post + div[style="margin: 30px; text-align: center;"] > a[href][target] > img
+teamos-hkrg.com##.sponsors__lead
+||imgur.com/q04jCOV.gif$domain=wjunction.com
+||saradahentai.com/sparkling-band-$script
+sourceforge.net,freepik.com##div[data-id^="div-gpt-ad-"]
+vaughn.live##.MvnAbvsLowerThirdWrapper
+cointelegraph.com##a[href^="javascript:void(0);"][data-link] img
+usaudiomart.com##.featad
+boldsky.com##.cmscontent-top
+boldsky.com##.content_right > div[style^="min-height:"][style*="250px;"][style*="-bottom: 10px;"]
+boldsky.com###nanoWdOut
+boldsky.com##.sixtysec-rightblock
+boldsky.com###lightbox-popup-ad
+telugu.boldsky.com##.right-panel > div.gap10 > div[style="min-height:250px;"]
+gizguide.com##a[href^="spr.ly/"][target^="_blank"]
+gizguide.com##a[href^="http://bit.ly/"][target^="_blank"]
+gizguide.com###fixedbox
+mediafire.com##.DLExtraInfo-downloadApp
+rankedboost.com##.InsertTitle-Updated
+rankedboost.com##.ArticleTopInsert-Updated
+my.yahoo.com##li[id^="ad-"]
+youngpornvideos.com##.adnSpot2
+cartoonpornvideos.com,youngpornvideos.com##.ads-mobile
+letsupload.org###addsButtonNew
+||tsumino.com/Content/pop.js
+pornmate.com,tubesweet.com,gifporntube.com##.video-aside
+tubesweet.com,gifporntube.com,pornjk.com##.bottom-blocks
+cdnfinder.xyz###poster
+javfree.sh##footer div[style^="height: 250px"]
+||hentaicloud.com/templates/frontend/dark-blue/js/backdrop.js
+anysex.com##.no_pop > iframe
+anysex.com##.content > div.center
+anysex.com##.naf_dd
+||anysex.com/712iofah42wy.jx
+operanewsapp.com###detail-bottom-ad
+||streamporn.pw/adult/wp-content/themes/PsyPlay/billo.
+||ukfucking.com/fr.js
+||ukfucking.com/v.js
+||media.complex.com/common/cmnUNT.js
+||media.complex.com/common/cmnUNTmobile.js
+ukfucking.com##.im-show
+news18.com##.article-mad
+wordcounter.icu##.interstitial-page > nav#mainNav ~ iframe
+livelaw.in##div[data-category="banner_ad"]
+2ix2.com##div[class^="bireklamsu"]
+autotrader.co.uk##.gpt-billboard
+mystorbox.de,mydrive.ch###sidebar > div.softronics
+||imhentai.com/js/acrfqesqit.php
+longfiles.com##p > a[href*="/vip.php"][rel="nofollow"] > img
+sbanime.com,telorku.xyz,tojav.net,cdnfinder.xyz,player.tubeqd.tv,javqd.me,javtc.*,findercdn.me,javqd.tv,javmec.*,media.cloudcdnvideo.com,maxcdn.cloud,javqd.com,javdoe.com###preroll
+javpro.cc,javtc.*,javmec.*,tubeqd.tv##div[style^="height: 250px;overflow: hidden;"]
+indiatoday.in##.inline-story-add
+||webnovelonline.com/static/media/banner_
+collectionofbestporn.com###lower-ads
+porn00.org##.headline > a[rel="nofollow"]
+yenicag.az,fcjav.com,plan-home.com,netfapx.com##div[class^="ads-"]
+techspot.com##div[class^="billboard_placeholder_"]
+techspot.com##div[data-ns="rectangle"]
+porn300.com##[class^="aan_fake"]
+mirrorace.*##.vpn-download
+||ytboob.com/long-limit-$script
+||impactserving.com/preroll.engine$xmlhttprequest,redirect=nooptext
+||twinrdsrv.com/preroll.engine$xmlhttprequest,redirect=nooptext
+3dmodelshare.org##.post > div.single-box
+3dmodelshare.org##.homeadv > span
+3dmodelshare.org##.widget_anthemes_300px
+ad-doge.com###ctl00_PageMainContent_balancesChartDiv12
+||ad-doge.com/Images/b_ads/
+||shrinkme.io/js/full-page-script.js
+indiatimes.com##.vidad
+gocomics.com##.gc-deck--is-ad
+||youtube-video.download/bn.php
+||livingtraditionally.com/wp-content/uploads/*/line2.jpg
+shrinkme.org,shrinkme.info,shrinke.me,unishort.com##.expop
+movies07.co##.sidebar > ul > #custom_html-3
+timesofindia.indiatimes.com##div[style="min-height:250px; display:block!important"]
+autoevolution.com##.ad_adc
+autoevolution.com###swipebox-right::before
+autoevolution.com###swipebox-top::before
+||vladan.fr/wp-content/*/plugins/wpsite-background-takeover*/js/wpsite_clickable-*.js
+||vladan.fr/images/blank3.gif
+vladan.fr##.widget-wrap > div.textwidget > table[width="270"]
+gmanga.me##body > .center > div[class][data-zone][style]
+gaydelicious.com,gaypornmasters.com##a[href^="https://popcash.net/"]
+edclub.com,typingclub.com##div[id^="adslot_"]
+file-upload.net##.mod_picture > div[style="font-size:11px;color:#a3a3a3;float:right;"]
+||gobrowse.net/glx_*.js
+||lnfcdn.getsurl.com/js/was2.js
+linkvertise.com##.msn-newsfeed
+abbaspc.net##.entry-content center > button
+netflav.com##.ads_video_overlay_mobile
+aternos.org##.header-ad
+barstoolsports.com##.freestarAd__container
+@@||eteknix.com^$generichide,badfilter
+eteknix.com##article > h1 + hr
+eteknix.com##div[id^="div-gpt-ad"] + hr
+||svr.lnk.news/click.php$popup
+||cdn.kaotic.com/thumbs^$domain=crazyshit.com
+tricksplit.io##._3BMpPnQaZ5MP5I-53RsBtc
+tricksplit.io##._1nc49dfhfhsYbvUzZhVOfm
+sofascore.com##.ad-unit__text
+jigidi.com##.au-base
+||xfaucet.xyz/*.php$third-party
+||b4f.site^$third-party
+||longfiles.com/images/468.png
+einthusan.tv###load-status-screen
+engadget.com##div[data-component="GeminiAdItem"]
+/newser.com\/[a-zA-Z]{5,}\/[a-zA-Z]{3,}\/[a-zA-Z]{5,}.js/$domain=newser.com
+fapality.com,felizporno.com##.fluid_html_on_pause.fluid-b-container
+hentaidude.com,verpeliculasporno.gratis###videoOverAd
+izismile.com##div[style="margin-top:70px"] > center
+izismile.com##.banners_btw_pics
+izismile.com##div[style="text-align: center; margin-bottom:30px;"] > center
+izismile.com###banner_code_rotator
+izismile.com##.js-banner-top
+bloggif.com###home > div[style*="width:370px;"][style*="height:280px;"]
+||pornone.com/images/pornone.xml
+proboards.com##iframe[id^="ad-desktop-bottom"]
+yofreesamples.com##.com-ad
+chronicle.com##.GoogleDfpAd-container
+moomoo.io##div[style^="width:728px;"][style*="margin-top:10px;"]
+redtube.com,redtube.net##.videos_grid > li:not([class*="js_thumbContainer"]):not([class*="_"])
+pornhd.com##.video-list-corner-ad
+cbc.ca##.ad-risingstar-container
+bonusbitcoin.co##div[style="text-align:center;margin-bottom:10px;height:300px"]
+hidden247.com##.oglSvePoc
+digitalcitizen.life##.block--amp-ad
+bloggif.com,lolalytics.com,migraine.com,technobuffalo.com,bloomberg.com,moviefone.com,gamerconfig.eu###leaderboard
+lyngsat.com##tr[valign="baseline"]
+babesource.com##.addthis
+babesource.com##.corner-ad
+babesource.com##.gallery-content > .sidebar
+bigtitsxxxsex.com##.bnrba
+diffnow.com###root > div[style="margin: 20px 72px;"] > div[style^="position: relative; display: flex; margin-top: 20px; margin-bottom: 20px; justify-content: center; align-items: center; border:"][style$="height: 100px; overflow: hidden;"]
+distrowatch.com##td[style="width: 19%; vertical-align: top; border: none"] > table[class="News"]+br+table[width="100%"]
+foxgay.com##body > .pb_footer
+zzztube.com,videoporn.tube,pornogram.tv,icegay.tv,24porn.com,gayporno.fm,gaymaletube.name,gayporn.fm,gaysuperman.com##.b-uvb-spot
+gaytiger.com##.content-inner-col > .aside-itempage-col
+gottabemobile.com##div[class^="code-block code-block-"][style]:not([class$="code-block code-block-16 ai-desktop-tablet"])
+heroesfire.com,vaingloryfire.com##.sidebar-feature.add.box
+hidden247.com##.oglSve
+lyngsat.com##a[href="http://www.lyngsat.com/advert.html"]
+m.empflix.com##.bannerBlock
+m.smutty.com##.ui-content .center[style*="margin-"]:not([id])
+verygayboys.com,me-gay.com,gaysuperman.com##.b-mobile-random-links
+zzztube.com,me-gay.com,gaysuperman.com##.mobile-random
+modelsxxxtube.com##div[class^="adx-"]
+movies.ndtv.com##.ndmv-ad-wrapper
+ndtv.com###ad100
+off-soft.net##.right_sidebar > .adsbygoogle
+slipstick.com##.entry-content > div[style^="width:100%;padding: 10px 10%;height:100px;"]
+smitefire.com##.self-clear div.caroufredsel_wrapper
+wildgay.com###main > table td[width="520"] + td[bgcolor="#191919"]
+youjizz.com###desktopFooterPr
+fakemail.net##div[style^="height:120px;"] > .donate
+fakemail.net##div.noPadding[style="height:200px !important;"]
+youjizz.com##.top_pr
+zoomgirls.net##.side-header2
+grabon.in##.promo-banner
+xlecx.org##iframe[src^="https://promo-bc.com/"]
+||erofus.com/loader
+||erofus.com/*/loader.js
+||multporn.net/*.php$script
+||service.hotstar.com^*/preroll
+||service.hotstar.com^*/midroll
+arcadepunks.com##a[href^="https://www.arcadepunks.com/go/grs-foot-"]
+arcadepunks.com##a[href="https://www.arcadepunks.com/go/arcade_systems_skyscraper/"]
+macupdate.com##.mu_app_additional_ad
+northern-scot.co.uk###TaboolaMain
+northern-scot.co.uk##.TaboolaSide
+northern-scot.co.uk##div[class="DMPU"]
+||hentaifox.com/js/*.php
+icutlink.com##form[method="post"] > br
+jasonsavard.com##.localAd
+||goaloo.*/mn/*.gif
+kisscartoon.info###bar-player > div.countdown
+kisscartoon.info##.offads
+ethereumprice.org##.partner-highlight
+tunebat.com##div[id^="nm-sticky-container"]
+tunebat.com##.ad-container-box
+dailymail.co.uk##.connatix-placeholder
+thingiverse.com##div[class^="AdBlockDetect"]
+autonews.com##.ad-entity-container
+coolefriend.com##.footer-promo
+||flvto.biz/get-rtb-url
+||flv2mp3.by/get-rtb-url
+flvto.biz,flv2mp3.by##.push-offer
+gotoquiz.com##.chespin
+imtranslator.net###divalert + table > tbody > tr > td[colspan="9"][align][height][valign="bottom"]
+sportschatplace.com##.post-right > div[class="post-excerpt"]
+sportschatplace.com##.above-mid-article-ad
+pinkvilla.com##.nodeteaserads
+pinkvilla.com##.ROS-TOP
+pinkvilla.com###mobSecondArt
+pinkvilla.com###mobThirdArt
+pinkvilla.com###twoColAds
+pinkvilla.com##li[id^="sideBarAd"]
+pinkvilla.com##div[id^="gptTag"]
+stackshare.io##div[data-testid="Squib"] > a[rel="nofollow"] img
+pkmods.com###leader-wrapper
+autofaucet.dutchycorp.space##.hide-on-med-and-down > div[style="text-align:center"] > a[onmousedown^="$(this).attr('href',"]
+canyoublockit.com##a[href^="https://www.amazon.com/gp/"]
+canyoublockit.com##a[href="ad.com"]
+canyoublockit.com##iframe[src^="//ds88pc0kw6cvc.cloudfront.net/"]
+||va.media.tumblr.com/internal/*/tumblr_sponsored_day.mp4
+miniwebtool.com##div[id^="div_"][align="center"]
+||milfzr.com/banner.gif
+||milfzr.com/pu.js
+rat.xxx##iframe[id^="native_code_"]
+jizzbunker2.com,jizzbunker.net##.panel-rklcontent-wide
+jizzbunker2.com,jizzbunker.net##.panel-body > div[data-zone]
+rawdevart.com##.text-center > .d-inline-block.my-3
+yahoo.com##[data-wf-image-beacons][data-wf-beacons*="beap.gemini.yahoo.com"]
+porntrex.com##div[style="border:1px solid #ccc;text-align: center;margin-top: 10px;padding:5px"]
+||theinnews.com/wp-content/plugins/progressads/
+||support.brighteon.com/Javascripts/BrighteonWBA.js
+lectormh.com,redmanga.org,mangatoo.com,mangatone.com,manga-tx.com,toonily.net,reaperscans.com,mangaread.org##.c-top-second-sidebar
+opensubtitles.org##.LSERefer
+livenewschat.eu###secondary > aside[id^="custom_html-"]
+golfroyale.io###adFooterContainer
+imore.com##p > a[href^="/e?link="][href*="offer"][target="_blank"].norewrite > img
+imore.com##p > a[href^="/e?link="][href*="offer"][target="_blank"].norewrite + span[style^="text-align: center; padding: 2px; display"]
+thepostmillennial.com##.commercial
+darkleia.com,getcomics.info##.advanced_floating_content
+danishfamilysearch.com##div[id^="ContentPlaceHolder1_div_annonce"]
+tabooporn.tv,camwhoresbay.*,femdomtb.com,zeenite.com,wankyjob.com,amateurporn.me,anon-v.com,javwhores.com,javbangers.com,porntrex.com,pornfapr.com,freepornvideo.sex##.opt
+simpleflying.com##div[class*="-display-ad-"]
+sciotocountydailynews.com##.content-inner > p > a[href][target="_blank"] > img
+cyprusjobcentre.com##div[style="margin-top:30px;min-height:500px;"]
+codecs.forumotion.net###main-content > div[style^="position:relative;height:90px; min-width: 728px"]:not([class]):not([id])
+express.co.uk##.imadc
+porngem.com##.wrapper > div[style="text-align: right;"] > small.text-gray
+||javtsunami.com/divine-glade-$script
+||javtsunami.com/steep-heart-$script
+chemz.io##.menu_ad1Box
+||cloudrls.com/asset/barr.js
+uiporn.com##.text-gray
+hog.*##.player__side
+hog.*##.related-view > div.title--sm
+hog.*##.content__info--vis
+||widgets.future-fie.co.uk^$domain=t3.com|bikeperfect.com|cyclingnews.com|tomsguide.com|whattowatch.com
+digitalcameraworld.com,t3.com,bikeperfect.com,cyclingnews.com,tomsguide.com,whattowatch.com##.hawk-placeholder
+pcgamer.com,itproportal.com,laptopmag.com,windowscentral.com,tomsguide.com,tomshardware.com,digitalcameraworld.com##body > div[style^="position: fixed;"][style*="z-index: 999"][style*="pointer-events:"]:not([class]):not([id])
+||rule34.us/ad.html
+||img.rule34.us/images/gelbooru.mp4
+giga-down.com##div[style^="width:336px; height:280px"]
+giga-down.com##a[href^="https://www.google.com/url?"]
+||1bitspace.github.io/wgaming/es/rectangle-medium/v2.html
+1bit.space##.modal__overlay
+1bit.space##.bnsLayers
+1bitspace.com##.column > div[style^="min-height: 80vh;"] > div[style^="min-height: 72%;"] > div:nth-child(1)
+1bitspace.com##.column > div[style^="min-height: 80vh;"] > div[style^="min-height: 72%;"] > div:nth-child(2)
+shootz.io###respawnDiv > center > div > div[style="width:336; height: 280; background-color: #000; display: inline-block"]
+shootz.io###readyDiv #col1 > div[style^="width:300; height: 330;"] > div[style="width:300; height: 250; background-color: #000"]
+germs.io##div[id^="money-"]
+voxar.io###gas-home-rect
+superhex.io##div[id][style="width:300px;height:250px;"]
+spacegolf.io###ad-menu
+hometheaterforum.com,orbz.io##div[style="width: 300px; height: 600px;"]
+astroe.io##.wideAdPanel
+piaf.io###midBotPanel
+spaceblast.io,bombarena.io##div[id^="adArea"]
+striketactics.net###unit_a_cont
+fast-down.com,filedown.org,speed-down.org##div[style="width:336px; height:280px; background-color:#ffffff; text-align:center"]
+down.fast-down.com##.download-option-btn ~ .download-option-btn
+down.fast-down.com##.download-option-btn + center
+down.fast-down.com##div[data-ad]
+down.fast-down.com##a.create[href*="download"][href*=".html"]
+filedown.org,speed-down.org##center > div[style="width:336px; height:280px"]
+speed-down.org##a[href^="https://speed-down.org/download"]
+speed-down.org##.captcha > .download-option-btn > .btn-success:not(.downloadbtn):not([style])
+raaaaft.io##.dialog-ad-container
+kugeln.io##.extAdBox
+tacticscore.io###adsense_home
+battlestick.net##a[href="http://battlestick2.net"] + p.text-muted
+haxpc.net##form[action^="//ziphost.online/"]
+bumper-io.com,trapz.io###bannerSpr
+bumper-io.com,trapz.io###bannerOverLeftSpr
+na-2.gunwars.io,na.gunwars.io,na.throwz.io##div[style^="width:300;"][style*="height: 250;"]
+na-2.gunwars.io,na.gunwars.io,na.throwz.io##div[style^="width:336;"][style*="height: 280;"]
+jizzbunker.com##.zx1p
+downturk.net##.alert-light
+||freepikpsd.com/wp-content/uploads/*site-banner.
+||freepikpsd.com/wp-content/uploads/*/banner-
+||freepikpsd.com/wp-content/uploads/*/jv_banner_
+freepikpsd.com##.sf-sidebar-wrapper
+||ujav.me/asset/barr.js
+fishz.io,blastz.io###rightDiv > div[style^="width:300; height:250; background-color:#"]
+msn.com##a[href^="https://afflnk.microsoft.com/"]:not([href*="u=https://www.microsoft.com"])
+pimpandhost.com##.aablock
+||highporn.net/js/aapp.js
+highporn.net##.banner-a
+highporn.net##a[href^="https://media.r18.com/"]
+swordz.io##div[style="width:336; height: 280; background-color: #000; display: inline-block"]
+malaysiastock.biz###sideBar > div[class^="RightPanel_Rectangle"]
+creatur.io###abr-panels
+||download.oxy.st/dd.png
+oxy.st##.button-list__container > div.text-left + p
+surviv.io###ad-block-right
+surviv.io##.ui-stats-ad-container
+disqus.com###placement-top
+||linkspy.cc/js/fullPageScript.min.js
+||naturalnews.com/Javascripts/Jean-Jul.js
+naturalnews.com##div[class] > div:not([class]):not([id]) > a[href^="https://www.naturalnews.com/WBA-"][href$=".html"][target="_blank"] > img
+up-load.io,megalink.vip###__bgd_link
+mensxp.com##ul[class$="-card"] > li:not(.track_ga) > div[class*=" "] > div > a[onclick]
+douploads.net##.row > div.text-center > a.btn-block + center
+trueachievements.com##.ad-wrap
+tombr.io###rightDiv > div[style="width:300; height:250; background-color:#222; display:inline-block"]
+sharkz.io##.frontPageAdvertisementHeader
+lubedfan.com##.maxbutton-tour
+repuls.io###monetization
+leaklinks.com,yourbittorrent2.com##iframe[src^="//a.adtng.com/"]
+yourbittorrent2.com##.card-footer a.extneed[href] > picture
+yourbittorrent2.com##.container > .table-responsive > .torrent-list
+witz.io###moneyMakerHolder
+||cdn.vrsumo.com/js/moartraffic.js
+vrsumo.com##.sponsore-col
+defly.io###curse-promo
+defly.io###respawn-promo
+fapsrc.com##.baninsidevideo
+flyflv.com##.container > br + div.messages
+otakuwire.com##.td-header-wrap > .td-banner-wrap-full
+kbb.com###kbbAdsMedRecShowcase
+kbb.com###kbbAdsStm
+kbb.com###kbbAdsMedRec2
+kbb.com##div#kbbAdsMedRec
+kbb.com###kbbAdsFct
+||cdnu.porndoe.com/static/pop/slide-in/*.mp4
+relmz.io###relmz-io_728x90
+relmz.io###relmz-io_300x250
+gallons.io###a-left
+gallons.io###a-bottom
+doubledodgers.com,nuggetroyale.io##.mainMenuAdBox
+nuggetroyale.io##.gameOverBannerAd
+deadwalk.io##.main-menu-overlay > div[class="main-menu main-menu-bottom"]:empty
+sciencealert.com##.article-fulltext > div[style="margin:20px 0;height:250px;text-align:center;"]
+kize.io##.ad.left
+kize.io##.ad_end_main
+checkpagerank.net##div[style="text-align:center;"] > table[style="text-align:center; display:inline-block;"] > tbody
+pngegg.com##.list_ads
+collinsdictionary.com##.mpuslot_b-container
+collinsdictionary.com##.btmslot_a-container
+fightz.io###menuDiv > center > table[style="margin-top: 20"] > tbody > tr > td[valign="top"] > div[style^="width:300; height: 250;"]
+steamworkshopdownloader.io##.alert-secondary
+file-upload.com##span#countdown + div[id^="ads_container_"]
+forbes.com##body fbs-ad:not(#style_important)
+swordz.io##div[style="width:300; height: 250; background-color: #000"]
+disasterscans.com##div[id^="media_image-"].no-icon.heading-style-1
+shiachat.com##body > div#ipsLayout_header + center
+||shiachat.com/forum/uploads/monthly_*/shiamatch.gif.*.gif
+||shiachat.com/forum/uploads/monthly_*/*_alaligemsa.gif.*.gif
+foes.io###adParent
+agma.io###advertDialog1
+agma.io###adWrapper300x250
+astr.io###a4g
+hentaihere.com##.js-adzone
+hentai2read.com##.js-rotating[data-type="leaderboard-index"]
+||hentaicdn.com/cdn/v*.assets/js/ARFnet.*.js
+mngdoom.com##.center-block.advf
+mngdoom.com,mangainn.net##.chapter-top-ads
+mangainn.net##.chapter-bottom-ads
+simplebits.io##iframe[src^="/ads/"]
+czechcasting.com##.recommended-projects
+||revive.ntl.cloud/XCz2mn9RkP8TvCeR.js
+limetor.com##a[href^="https://affiliate.rusvpn.com/"]
+youtube-nocookie.com##.ytp-ad-progress-list
+mangaraw.org,theync.com,senmanga.com##.banner-block
+nbk.io,senpa.io###ad-slot-center-panel
+nbk.io,senpa.io##div[class^="advertisement-informer"]
+vanis.io###player-data > div[style="text-align: center; height: 286px;"]
+larvelfaucet.com##.close-ad
+larvelfaucet.com###bottomRightFloatingAd
+kazvampires.com,linksly.co##div[aria-label="Close Ads"]
+studysite.org##.diviad
+studysite.org###rightindex
+wcax.com,kxii.com,kwtx.com,alaskasnewssource.com,ky3.com##body .arc-ad
+htn.co.uk,game-2u.com,ps4pkg.com,filerio.in,piratedhub.com,torrentdownloads.me,glitched.online##a[href^="https://bit.ly/"] > img
+glitched.online##.elementor-widget-sidebar > .elementor-widget-container > #text-7
+glitched.online##.elementor-widget-sidebar > .elementor-widget-container > #text-8
+glitched.online##.elementor-widget-sidebar > .elementor-widget-container > #text-9
+glitched.online##.elementor-widget-sidebar > .elementor-widget-container > #media_image-6
+windowcleaningforums.co.uk###ipsLayout_footer a[href][rel="nofollow noopener"] > img
+windowcleaningforums.co.uk###elPostFeed .ipsSpacer_half a[href][target="_blank"][rel="nofollow noopener"] > img
+||windowcleaningforums.co.uk/myimages/hereside.png
+22pixx.xyz###overlayera
+filehippo.com##.video-player
+pocketgamer.com##.item
+igeekphone.com##.theiaStickySidebar > ul > .igeek-widget
+igeekphone.com##.row > .col-8.main-content > div:not([class]):not([id]) > a[href] > img.no-display
+webmd.com##.responsive-sharethrough-wrapper
+zinmanhwa.com,mangatoo.com,manganilo.com,nartag.com,foxaholic.com,manganelo.link,disasterscans.com,webtoon.xyz,manhuas.net,mangarocky.com##.body-wrap > .c-top-sidebar
+foxaholic.com,manhwatop.com,webtoon.xyz,manhuas.net,mangarocky.com##.body-wrap > .c-bottom-sidebar
+merriam-webster.com##.mw-right-ad-slot
+1001tracklists.com##.intAdX
+greasyfork.org##.ad-entry
+sythe.org##div[style="width: 100%; display: block; text-align: center;"] > a
+||i.imgur.com/DKoVO5Z.mp4$domain=sythe.org
+mumbailive.com##.ml-google-ad
+veryfiles.com##.creation-container > a[href][target="_blank"].btn-success
+2conv.com,flvto.biz,flv2mp3.by##.horizontal-ads
+2conv.com,flvto.biz,flv2mp3.by##.square-ads
+||2conv.com/get-rtb-url$xmlhttprequest,redirect=nooptext
+||themarketherald.com.au/*/hc-thread-tmh-video-posts-widget.php?r=$domain=hotcopper.com.au
+hotcopper.com.au##.tmh-thread-widget
+hotcopper.com.au##.row-billboard
+wbay.com##.arc-ad
+||gray-wbay-prod.cdn.arcpublishing.com/pf/resources/js/ads/arcads.js
+||canncentral.com/wp-content/themes/canncentral/assets/js/arcads.js
+medindia.net,addictivetips.com##.adslabel
+addictivetips.com##div[class^="reim"]
+lookmovie.ag##html > iframe[style*="position: fixed !important; display: block !important; z-index:"][style*="right:"]:not([src])
+||cryptomininggame.com/uploads/partner/images/
+vinstartheme.com,pngitem.com,clipartkey.com##.adhtml
+clipartkey.com##.adtextshow
+downloadhub.host##a[target="_blank"] > img[width="300"][height="300"]
+/uploads/banners/*$domain=goalnepal.com|walletinvestor.com
+subdl.com##a[href^="https://subdl.com/ads.php"]
+modd.io##.ads-card-block
+||d24rtvkqjwgutp.cloudfront.net/srv/advisibility_trendsales.js
+amazingribs.com###main-body-wedge
+amazingribs.com##div[class*="ad-space-"]
+linuxandubuntu.com##.YouTubePopUp-Wrap
+||linuxandubuntu.com/wp-content/uploads/*/MassiveGRID-Banner.jpg
+tvweb.com##.ad-leaderboard-wrap
+chinapost-track.com##.tracking-pro-container
+copter.io##div[id^="respawn-promo"]
+gota.io###main-rb
+gota.io##.main-rb-title
+exactaudiocopy.de##div[align="center"] > h6
+||iseekgirls.com/*/rotate.php
+iseekgirls.com##.fv-cva-time
+iseekgirls.com##.elementor-widget-container > div[style^="text-align:center;float:right;"]
+iseekgirls.com##a[href^="https://www.iseekgirls.com/af/"]
+boardgamegeek.com##.global-body-ad
+/wp-content/plugins/script-manager/assets/js/script-manager.js$domain=hentaihaven.xxx|watchhentai.xxx
+faucetcrypto.com##iframe[src^="https://www.faucetcrypto.com/ads/"]
+onlineradiobox.com##.alert--puzzlegarage
+||singaporemotherhood.com/redirad/script.js
+geeksforgeeks.org##div[id^="AP_"]
+filsh.net##div[id^="sovendus-container-"]
+miniwebtool.com###videoad
+miniwebtool.com##div[id$="banner"]
+toucharcade.com##div[style="width:300px; height:150px;"]
+dictionary.cambridge.org,ldoceonline.com##.topslot-container
+distrowatch.com##td[style="width: 60%; vertical-align: top; border: none"] > table > tbody > tr > td[style="width: 100%; border: 0; margin: 0; padding: 0; vertical-align: top; overflow: hidden"]
+||pornbimbo.com/player/html.php?aid=*&referer=*&rnd=
+||vidia.tv/lockerdss.js
+ymp4.download###results a[href][target="__blank"]
+duckduckgo.com##.module--carousel-products
+||prprocess.com/goal.js.php
+||wp.com/banners.$domain=nudepicturearchive.com
+||shrtfly.com/js/full-page-script.js
+||savelink.site/vast-im.js
+timelessleaf.com##.sidebar > #custom_html-21
+timelessleaf.com##.sidebar > #custom_html-23
+timelessleaf.com##.sidebar > #custom_html-24
+primagames.com##div[style="margin-bottom:10px;"] > a[href^="https://"] > img
+||primagames.com/localstatic/images/promos/raid-shadow-legends-2020-v3-300x250px.jpg
+mypussydischarge.com##iframe[src^="https://chaturbate.com/affiliates/"]
+medindia.net##.ads-advlabel
+shesfreaky.com,erome.com##.adn-posty__top
+||ytbvast.xyz/*/finder.js
+||youtnbe.xyz/asset/bull.js
+camwhoresbay.com##.related-videos ~ div[class^="visible-"][style="border:1px solid #ccc;text-align: center;margin-top: 10px;padding:5px"] > center
+mshares.co##.download.file-info > div[style="margin-top : 20px; margin-bottom : 20px; "]
+alternativeto.net##li.sponsored
+tradingreview.net###sidebar > .widget > a[rel*="nofollow"][target="_blank"] > img
+thetrendspotter.net##div[class^="thetr-adsense-"]
+||cdn.jwplayer.com/players/*.js$domain=imfdb.org
+imfdb.org###bodyContent > div#column-google + div[style][itemscope]
+strikeout.nu##.text-center > button[data-open="_blank"]
+psychcentral.com,healthline.com##hl-adsense
+forums.flyer.co.uk##.custom_html-2
+dohomemadeporn.com###ghslz
+||dohomemadeporn.com/js/ghslz.js
+||ustreamy.co/uploads/banners/freedownloadae-banner.webp
+||ustreamy.co/uploads/banners/your-banner-here-middle.webp
+oemdtc.com##.clickable-background
+oemdtc.com###sidebar > .ai_widget > .code-block > a[href][target="_blank"] > img
+||cdn.flowdee.de/aawp/assets/aawp-banner-en-300x250.jpg$domain=oemdtc.com
+videocelebs.net##.midle_div > div[style^="height:"][style*="position: relative;"]
+rogerebert.com##.page-content--ad-block
+||aetherhub.b-cdn.net/images/zones/
+||player.twitch.tv^$domain=aetherhub.com
+aetherhub.com###SponsoredStream
+||projectagoralibs.com^$domain=samapro.me
+rahim-soft.com##.sidebar > #text-7
+linux-magazine.com###Skyscraper
+owllink.net##p > a[href][target="_blank"]
+short.cliquebook.net##a[href="https://www.eonads.com"]
+||nudepatch.net/gamergirlshow.js
+xxxxtube-porn.com##.aff-content-col
+||xxxxtube-porn.com/helper/tos.js
+cyberciti.biz##.entry-content > center > div[style="border: 1px solid #e9ecef; border-radius: 3px; padding: 3px; color: #999999;"]
+||souqsky.net/glx_*.js
+porndictator.com,pornomovies.com,mypornsniffer.com,gaysearch.com,feetporno.com,freehardcore.com,deviants.com##.twocolumns > div.aside
+themoviesflix.co##.thecontent > center > div[style^="width:300px;height:250px;"]
+themoviesflix.co##div[style^="width: 320px; height: 100px;"]
+themoviesflix.co##div[style^="width:320px;height:100px;"]
+themoviesflix.co###sidebar > div[id^="custom_html-"]
+||vip-hd-movies.xyz^
+news.sky.com##div[data-ad-format="leaderboard"]
+purexbox.com##.insert
+purexbox.com##.article-recommendations
+newsnow.co.uk##.js-ad-frame
+pornone.com##.overheaderbanner
+downloadhub.fans##.code-block > a[href][target="_blank"] > img
+enewspaper.sandiegouniontribune.com##div[id^="ext-readerbannerad-"]
+thepctribe.com##button[class="button-red user"][data-user]
+windowsactivationkey.com##center > div[style] > img.user
+leechall.com##.digiseller-buy-standalone
+indianexpress.com##.o-taboola-homepage
+||boxcracked.com/wp-content/uploads/*/boxcracked.png
+flsaudio.com,freshstuff4u.info##.sidebar > .widget_list_mag_wp_300px
+nikonrumors.com##.xoxo > li[id^="custom_html-"]
+nikonrumors.com###index-top > ul.xoxo
+||nikonrumors.com/wp-content/uploads/2020/05/CaptureOne-Nikon-banner.jpg
+acn.vin,pnd.*##.swal2-container
+tipsforce.com##div[id^="wmg-vb-"][style^="width: 300px; height: 250px;"]
+primewire.li##a[href^="/links/sponsored/"]
+bittorrent.com,whatismybrowser.com,primewire.li##a[href^="https://go.nordvpn.net/aff_c?"]
+streamkora.com###footerStickyBox
+interpals.net##div[style^="float: right;"][style*="min-height: 600px;"]
+cointelegraph.com##.bnrs-list
+filecr.com##.filec-widget
+sammobile.com###closeAd
+lewat.club,sekilastekno.com,miuiku.com##div[style="text-align: center;"] > a[href] > img
+coolors.co##.carbon-cad
+||short.pe/js/full-page-script.js
+imgur.com##.post-banner
+simpleflying.com##.simpl-adlabel
+nightfallnews.com##.bottom_sticky_banner_container
+||cdn.coingape.com/wp-content/uploads/2020/05/21173509/Br-min.jpg
+coingape.com##.coing-before-last-2-paragraph
+coingape.com##.coing-after-3rd-paragraph
+coingape.com##.partner-container
+timeanddate.com##.tool__skyadvert
+||35.232.188.118^$domain=35.232.188.118
+wikizero.com##.ads_btns
+wikizero.com###btns_adz
+slickdeals.net##.searchWrapper #afscontainer
+elitepvpers.com##.page > div[style="padding:0px 10px 0px 10px"] > a[href][target="_blank"] > img
+omg.blog##.ad-tag + p[align="center"]
+||xxxparodyhd.net/wp-content/themes/PsyPlay/billo.
+businessinsider.in##.ad-brdr-top
+unicode-table.com##.content-inside-banner
+unicode-table.com##.main__top-updated-ad
+nairaland.com##.vertipics
+||nairaland.com/vertipics/
+/common/boxes/*$domain=babupc.com
+||pbcdn1.podbean.com/fs1/site/images/spo/miiduu.gif
+cardgames.io##.don-draper > label
+stileproject.com##.btn-sponsored
+thehackernews.com##.ad_two
+beermoneyforum.com##.p-body > div.p-body-inner ~a[class="samItem samBackgroundItem"][rel="nofollow"]
+||cdn.nsimg.net/cache/landing/*.xml
+maturesex.fun,teenpornvideo.fun,xteensex.net,oosex.net,theteensexy.com,nakedteens.fun###spot-holder
+||nakedteens.fun/*/quwet.js
+||nakedteens.fun/*/*.php$script
+xxxrapid.com##.video-actions-content
+cleverst.com##.ad2
+metasrc.com##div#side-video
+start.me##.widget-page__ads
+sxyprn.net###yps_player_vpaid
+yadi.sk##.direct-public
+hawkbets.com##.app__page-body > a[href][target="_blank"][rel="nofollow"]
+hawkbets.com##.app__right-sidebar > a[href][target="_blank"][rel="nofollow"]
+||hawkbets.com/images/info_large_en.gif
+||hawkbets.com/images/info_medium_en.png
+dhakatribune.com##.advertisement-image
+teamos-hkrg.com##.p-body-sidebar > center > a[href] > img
+teamos-hkrg.com##.p-body-inner > center > div > a[href][target="_blank"] > img
+tutorialspark.com###toprect
+||kshow123.net/vast.js
+||kshow123.net/theme/js/test_2.js
+/script/compatibility.js$domain=kropic.com
+||pornhat.com/nbb/*.php
+||douploads.net/sw_newone.js
+streamsport.pro###layer1
+apk.support##.googleadv
+||torrentproject.cc/1.js
+||torrentproject.cc/r/?md5=$subdocument
+||gaobook.review/asset/sostress.js
+||mylink.vc/nordcode.php
+mylink.vc##iframe[src^="/nordcode.php?id="]
+motorcyclenews.com##.sticky-leaderboard-ad-container
+citethisforme.com##.ads_top_middle
+thecellguide.com##.thece-in-content-ad
+lnk.parts##.display-link-layer > .display-300x250
+az511.gov##.adsContainerTop
+daijiworld.com##.hpRightAdvt
+daijiworld.com##.hpRightAdvtSocialCom
+daijiworld.com##.paddingRight0px > a[onclick^="recordOutboundLink("] > img
+daijiworld.com##.navbar-static-top a[onclick^="recordOutboundLink("] > img
+daijiworld.com##.row > div[class="col-md-4 padding3px"] a[onclick^="recordOutboundLink("] > img
+sitepoint.com##div[class^="styledHeader__TopBanner-"]
+gamelab.com,play.dictionary.com##div[class^="DisplayAd__container_"]
+cambay.tv##.fp-logo
+kolombox.com###dlbtn_big
+||kolombox.com/images/downicon.png
+stylecaster.com##.wrapper-header-ad-slot
+stylecaster.com##.sc-ad-article-middle-wrapper
+mediafire.com##.errorExtraContent > a[href][target] > img
+fossbytes.com##a[href^="https://www.linkev.com/order?a_fid="][target="_blank"] > img
+tomsguide.com##.hawk-widget[data-model-name]
+paid4.link,womenhaircolors.review,shorthitz.com,afly.us##.box-main > .blog-item
+vipbox.lc,watch-serieshd.cc,semawur.com,tamilblasters.unblockit.dev,ekinomaniak.net,manganelo.link,janusnotes.com,leechall.com,kissmanga.link,disasterscans.com,savesubs.com,mkvcinemas.*,mangakik.com,akwam.*,monoschinos.com,soccerstreams.net,bagas31.info,bacakomik.co,mangasee123.com,watchmovies7.com.pk,anitube.biz,ask4movie.co,watchsomuch.org,downloadhub.fans,thewatchcartoononline.tv##iframe[data-glx][style*="z-index"]
+bleepingcomputer.com##.cz-sponsorposts
+extramovies.*##.ad_btn
+denofgeek.com##.ad-dog
+cointelegraph.com##.posts-listing__bnr
+servedez.com###ad_below_menu_2
+servedez.com##.sp_block > a[href="https://nexusbytes.com"] > img
+||pop.nexusbytes.com^$domain=servedez.com
+||torrentleech.org/images/seedit4me.png
+fontyukle.net##.reklam_alani
+||deviants.com/dv543/dv.js
+horux.cz##.posts-container div[style="float:left; margin-right:10px; width: 300px; height:250px;"]
+||cdn.avantisvideo.com^$domain=smokingmeatforums.com
+elamigos-games.com##a[href^="https://track.wg-aff.com/"]
+techably.com##.sidebar a[href^="https://affiliate.namecheap.com/"]
+sciencedaily.com##.mobile-top-rectangle
+sciencedaily.com##.mobile-middle-rectangle
+sciencedaily.com##.mobile-bottom-rectangle
+faucetpay.io##a[href^="https://faucetpay.io/advertise/"][target="_blank"]
+filerio.in##div[id^="glx-"][id$="-container"]
+interracial.com##.twocolumns > .aside > div[align="center"]
+||canyoublockit.com/wp-content/plugins/banner-creator/assets/js/ts-ads.js
+canyoublockit.com##a[href^="//mr2cnjuh34jb.com/"]
+||mylinksite.com/wp-content/uploads/*/ads.jpg
+||cdn.faptitans.com/s*/rc/logo.jpg
+blitzadultparty.ru,faptitans.com##.cross-promo-bnr
+/cloud_theme/build/js/script.min.php$domain=clik.pw|shurt.pw
+||jgthms.com/carbon.js
+bulma.io##.intro-carbon
+adsrt.org###vastWrapper
+singamda.net,singamda.asia##a[href^="http://fkrt.it/"]
+runmods.com##.sidebar > #HTML6
+healthline.com##.css-1p8o5rz
+physicsworld.com##.row > div.equalize-sidebar + div[id="secondary"]
+flutenotes.ph##.widget-content > div[id^="headline"]
+shorterall.com##.row > div[class] > style + div.sticky
+dutchycorp.space###boxes > #mask
+dutchycorp.space###boxes > #dialog
+||kuyhaa-me.com/meongvpn.js
+||ad4game-a.akamaihd.net/async-ajs.min.js
+myfreemp3.best##a[href="/a"]
+win-raid.com##div[style^="text-align:center;"][style*="height:100px"]
+myfreemp3.best##a[href="https://myfreemp3.best/a"]
+||myfreemp3.best/img/stb.png
+bit-url.com##body > nav[id="mainNav"] + div.container > div.row > div[class] > iframe[sandbox][src]
+||exe.io/js/full-page-script.js
+apartmenttherapy.com,thekitchn.com,cubbyathome.com##.StickyBanner
+||pornwhite.com/js/customscript.js
+hog.*,sexu.*##.player-block__square
+sexu.*##.player-block__line
+sexu.*##.player__line
+xdlab.ru##.row > .five.columns > div[align="center"] > p[style="text-align:center"]
+antdm.forumactif.com###main-content > div[class][style="overflow:visible"] > .inner > div[style="position:relative;height:90px; min-width: 728px px;"]
+empressleak.biz###wnb-bar
+empressleak.biz###wpfront-notification-bar
+stileproject.com,pornbimbo.com,faptube.com,amateur8.com,maturetubehere.com,lesbian8.com,sortporn.com,bigtitslust.com,18pussy.porn,pornrabbit.com,love4porn.com,fpo.xxx,keekass.com##.footer-margin
+bellesa.co##img[alt="Deeper Pause Ad"]
+bellesa.co##div[class*="Notifications__Wrapper-"]
+bellesa.co##div[data-label="Sponsor"]
+bellesa.co##div[class*="BlastBar__Bar-"]
+washingtonpost.com##.ent-ad-container
+itv.com##.seek-bar__ad
+||adshort.tech/toolfp.js
+torlock.com##article > table.table-condensed + div[class] > div.row a.extneed
+abc11.com###vembaModule
+printedelectronicsnow.com##.globalOverlay
+printedelectronicsnow.com###exposeMask
+||shemalez.com/assets/jwplayer-*/vast.js
+pornhd6k.net##.col-md-4 > div.one_p94 > div.one_p95
+famousinternetgirls.com##.video-details ~ div[id^="text-"][class="widget widget_text"]
+famousinternetgirls.com##.sidebar > div[id^="text-"][class="widget widget_text"]
+sexpositions.club###main-content > aside[id="sidebar"]
+up4pc.com##center > button.user
+/high-speed-download.png$domain=extramovies.*
+imgtorrnt.in##iframe#i_frame
+flograppling.com##flo-ad-leaderboard
+flograppling.com##flo-ad-rectangle
+javraveclub.com,javrave.club##.leader_banner
+watchonceuponatimeonline.com###single > div.content + div.sidebar
+urlgalleries.net##.gallerybody > center > table + center > table[width="100%"]
+urlgalleries.net##iframe[src="/200x90.php"]
+l2db.info##body > a[onclick^="captureOutboundLink"][rel="noopener"]
+hd-streams.org##span[class="v-tooltip v-tooltip--bottom"] > span > a[onclick^="window.location.href=window.atob"]
+wowroms.com###product-header > div.relative + div > a.btnDwn ~ a[target="_blank"]
+extramovies.*##div[class^="code-block code-block-"] > a[rel="nofollow"] > img
+msn.com##div[data-aop="stripe.deals_stripe"]
+/invoke.js$domain=141jav.com|123putlocker.io|94funtv.com|koomanga.com|yifyhdtorrent.org|9anime.city|noveleandofree.com|mcmcryptos.xyz|terabox.fun
+uflash.tv##.sidebar > .box
+prostylex.org##.wrapper > div[style="text-align:center;font-family:Tahoma;"]:not([class]):not([id])
+cumlouder.com##.video-promos > div.box-video + div[class]
+cumlouder.com##body > div.related-sites + div[class]
+erogarga.com,chinesesexmovie.net,javhdporn.net,blowxtube.com,eyerollorgasm.com###tracking-url
+porndroids.com##.video-container > div.wrapper > div.js-player ~ meta[itemprop] + ul[class]
+porndroids.com##body > aside > div.wrapper > section.wrapper__related-sites ~ aside[class]
+||filerio.in/sw.js
+||tontent.powvideo.net^
+online-tech-tips.com##.entry-content > div.KonaBody > div.wp-block-image ~ div.code-block
+vidsrc.*###pop_asdf
+reclaimthenet.org##a[href="https://reclaim.link/brave-mid"]
+reclaimthenet.org##.code-block > a[href="https://reclaim.link/brave-mid"] + p[style="text-align: center;"]
+mypornhere.com###ex_pop_iframe
+adshrink.it###app > div:not([class]):not([id]) > div[style^="width: 100%; height: 100%;"]:not([class]):not([id])
+up-4ever.org##center > a[type="button"][onclick]
+up-4ever.org##center > a[type="button"][onclick] ~ a[style]
+dl.gamecopyworld.com##td[align="center"][style="height:70px;"]
+republicworld.com##.honda_container
+||tnaflix.com/*.php?*idzone$script
+javtiful.com##.main-content div[style^="margin-top: 0.12rem"]
+javtiful.com##.jk-money
+javtiful.com##.jtmoney-lead-index
+javtiful.com##.jtmoney-invideo
+javtiful.com##.wrapper > div.container > button[aria-label="Close"]
+||javtiful.com/zplay.js
+||javtiful.com/jtmoney/jtmoney_front.js
+||adulthub.ru/image/ezgif.com
+javher.com##.billboardBanner
+javher.com###video #sources
+javher.com##.affiliate-card-container
+javher.com##.videoWrapper > div > div.gg
+javher.com##body > .toasted-container
+4shared.com##.jsReklBlock
+boomlive.in##.advert-panel
+/tghr.js$script,redirect=noopjs,domain=biqle.com|chochox.com|verhentai.top
+uptodown.com###content_lower_ad
+musescore.com##.js-page header[class] > div > section[class^="_"]
+javhub.net###ui-block > div.form-group + div.container + div[class]
+urlgalleries.net###ifrm
+||4allapps.com/wp-content/plugins/installcapital/
+tubeoffline.com##table[width="100%"] > tbody > tr[style="text-align:center"] > td > a[target="_blank"] > img
+tubeoffline.com##body > div.divContent + br + div[class]
+usnews.com##div[class*="placeAds__"]
+usnews.com##div[class*="Ad__Container"]
+investing.com##.dfpVideo
+mangatown.com##div[id^="ad_box_"]
+mangamelon.com##.layout > .flex > .v-card > div[style="height:280px;"]:not([class]):not([id])
+khmertimeskh.com##.head-wrap > div.col-md-4 > *:not(h1)
+khmertimeskh.com##a[target="_blank"][rel="noopener noreferrer"] > img
+||khmertimeskh.com/wp-content/uploads/2019/07/Khmer-Times-352x516.gif
+letsjerk.to##.vpage_premium_bar
+sexvid.*##.video-holder > div.tool_bar
+||mangatensei.com/runative.php
+||pornerbros.com/churro.js
+||autofaucets.org^$domain=rifurl.com
+||joysporn.com/js/pj.js
+pornhd.com##.inplayer-ad
+vegasslotsonline.com###fullscreen .casino-under-game
+||asianclub.nl/asset/playerRvn.js
+alternativeto.net##.atf2-native-page
+freewarefiles.com##div[class$="-gray-ad-txt"]
+playvids.com##.block-advert
+||freedownloadmanager.org/web/bannerinf.js
+androidpolice.com##div[class*="ains-ap2_"] a[class$="_adb"]
+teenporno.xxx##.main-menu > ul > li > a[target="_blank"]
+||js.wpnsrv.com/pn.php
+||teenporno.xxx/ab/
+vikiporn.com##.header-area > ul.nav > li > a[rel="nofollow"][target="_blank"]
+javbangers.com,camwhoresbay.com##.exclusive-link
+javbangers.com,camwhoresbay.com##.navbar-right > li > a[rel="noopener"][onclick]
+22pixx.xyz##.resp-container
+||fux.com/mojon/mojon.
+analteen.pro##.mexu-bns-bl
+crazyimg.com###main > div.page > br ~ center
+fapdick.net##.fstory > div.scont > div.oblozhka + center
+anyporn.com##.primary > .nopop > a[target="_blank"]
+||fetish-bb.com/Gfr4jkFh.
+||pornwatchers.com/sw.js
+pornrabbit.com,pornwatchers.com##.fluid_nonLinear_bottom
+||pornwatchers.com/boom/*.html
+pornfay.org##a[href="http://pornfay.org/xxx/free-porn-videos.php"]
+amateur8.com,lesbian8.com,pornfay.org##.kt-api-btn-start
+pornburst.xxx##.promo-gauleporno
+pornburst.xxx###footer-iframe
+podu.me##.adv-contanier
+||podu.me/ads/audio/*.mp3$redirect=noopmp3-0.1s
+zazzybabes.com##body > div[id="pbOverlay"] + div[style]
+voyeurhit.com##.header > ul.nav > li > a[target="_blank"]
+niketalk.com##.p-body-sidebar > div.p-sidebar-inner > div[id^="spacer"]
+earnbitmoon.club,multiclaim.net,claimbits.net,coinadster.com###wcfloatDiv4
+perezhilton.com##.single-spot.shown
+||amazonaws.com/sftemp/sf_v*/html/r*.html$domain=tumblr.com
+marketscreener.com,zonebourse.com##div[style="width: 100%;"] > #zppMiddle2
+paidtomoney.com###wcfloatDiv
+ultrahorny.com##.cont li[class^="menu-item"] > a[target="_blank"]
+ultrahorny.com##a[href="https://hentai.tv/"]
+xgroovy.com,rushporn.xxx###main_video_fluid_html_on_pause
+bigleaguepolitics.com###dsk-box-ad-c
+soup.io###fpbanner
+soup.io##span[id*="_sidebar_ad_"]
+edmtunes.com##div[id^="sticky-footer-div-gpt-ad-"]
+thingiverse.com##div[class^="AdCard"]
+watchmalcolminthemiddle.com,watchthementalistonline.com###contenedor > #keeper_top
+watchmalcolminthemiddle.com,watchthementalistonline.com##.mCSB_container #closeButton2
+watchthementalistonline.com###custom_html-7 #closeButton2
+||cperformmedia-a.akamaihd.net/dpfm.js
+||cdn.spylees.com/vast3?
+skymetweather.com##div[id^="side-banneradd"]
+thelayoff.com##.epp-bf
+gameforge.com##.openX_interstitial
+rateyourmusic.com##.album_info_outer > tbody > tr > td[style="vertical-align:top;width:300px;"]
+rateyourmusic.com##.release_left_column > div[style="padding:0px;padding-top:0;"] > div[style="min-height:300px;margin:0 auto;text-align:center;margin-top:1em;margin-bottom:1em;"]
+rateyourmusic.com##.release_left_column > div[style="padding:0px;padding-top:0;"] > div[style="margin:0 auto;text-align:center;margin-top:2em;margin-bottom:1em;min-height:300px;min-width:300px;"]
+rateyourmusic.com##.release_left_column > div[style="padding:0px;padding-top:0;"] > div[style="width:336px;min-height:300px;margin:0 auto;text-align:center;margin-top:1em;margin-bottom:1em;"]
+rateyourmusic.com##.section_reviews > .page_section > div[style="padding-top:1em;padding-bottom:1em;text-align:center;margin:0 auto;min-height:90px"]
+rateyourmusic.com##.release_right_column > div[style="width:728px;height:90px;margin:0 auto;text-align:center;margin-top:1em;margin-bottom:1em;"]
+rateyourmusic.com###content > .row > div[class="large-4 columns"][style="min-width:400px;min-height:300px;"]
+rateyourmusic.com###content > div[style="min-height:90px;margin:0 auto;text-align:center;margin-top:1.5em;margin-bottom:1.5em;"]
+rateyourmusic.com###content td[style="width:42%;vertical-align:top;"] > div[style="min-height:300px;margin:0 auto;text-align:center;margin-top:1.5em;margin-bottom:1.5em;"]
+rateyourmusic.com###content > div[style="background:#f8f8f8;font-size:small;margin:10px;padding:10px;min-height:335px;margin-bottom:1em;"] > div[style="float:right;padding:1em;width:400px;height:300px;"]
+rateyourmusic.com##.artist_right_col > div[style="text-align:center;margin:0 auto;margin-bottom:5px;margin-top:0.5em;width:400px;height:320px;"]
+rateyourmusic.com##.frontpage_column > div[style="text-align:center;margin:0 auto;margin-bottom:1.5em;margin-top:1em;width:400px;"]
+rateyourmusic.com###content > div[style="width:970px;min-height:90px;text-align:center;margin:0 auto;margin-top:0.25em;margin-bottom:1em;"]
+rateyourmusic.com##.artist_right_col > div[style="text-align:center;margin:0 auto;margin-bottom:0.5em;margin-top:0.5em;width:400px;height:320px;"]
+rateyourmusic.com##.section_main_info > .page_section > div[style="min-height:300px;"] > div[style="float:right;width:346px;min-height:250px;text-align:center;"]
+rateyourmusic.com##.film_left_column > div[style="padding:0px;padding-top:0;"] > .hide-for-small > div[style$="px;text-align:center;margin:0 auto;margin-top:1em;margin-bottom:1em;"]
+||cdn-server.cc/p/wl-http.js
+.bongacams.com/?bcs=$popup
+tnaflix.com###zoneInPlayer
+tnaflix.com##.pspBanner + div[id]
+tnaflix.com##.pspBanner ~ span
+||tubxporn.com/js/xp.js
+skidrowcodexgames.com##img[width="250"][height="56"]
+skidrowcodexgames.com##img[width="600"][height="138"]
+house.porn##body > div[style^="position:fixed;right:0;top:0;overflow:hidden;"]
+bicfic.com##a[href^="http://curve.talkrabbit.icu/"]
+hentaihaven.me##.player-ad-banner
+simplicity.in##.sc-desc-detail-page > p + div[style] > a[target="_blank"] > img
+imdb.com###placeholderImageLinearGradient
+||xxxextreme.org/Gfr4jkFh.
+||vipergirls.to/files/se.gif
+paisdelosjuegos.com.co###rest-content > div[class*="advertisement-"]
+desimartini.com##.bor_bot > div[style="background-color: #f5f5f5; min-height: 110px; padding: 10px 0 10px 0;"]:empty
+getpocket.com##.syndication-ad
+stileproject.com##.download-btn > a[href][rel="nofollow"][rel="nofollow"]
+primarygames.com##.fixed-side-sky
+primarygames.com###overlay-hideme
+primarygames.com##.below-gameinfo > .AD300x250-wrapper
+primarygames.com##.outer_gamecat_wrap > .gamecat_wrap300x250
+friv.land##.banner-advertisement
+techinferno.com,boyfriendtv.com##a[rel="sponsored"]
+letmejerk.com##.wrapper > div.container + div[class]
+xxxvogue.net###embed-parrot
+xxxvogue.net###embed-embed-overlay
+xxxvogue.net,ehftv.com##.banner-wrapper
+||xxxvogue.net/*/external_pop.js
+||jawcloud.co/js/jawgo.js
+4sysops.com##.article-content > div[id^="div-test-"][style="margin-bottom:21px; -webkit-hyphens: none; -ms-hyphens: none; hyphens: none; "]
+serverhunter.com##.special-offer
+||porndoe.com/views/footer/banners.html
+porndoe.com##[ng-if*="service.banners"]
+porndoe.com##ul[class="-h-nav"] > li > a[target="_blank"][href^="/track/"]
+||btdb.io/btdba.js
+mytopgames.net##div[style="font-family:Arial;font-size:12px;color:#ffffff;"]
+softonic.com##div[class="modal-di__step"] > div.modal-di__header
+softonic.com##div[class="modal-di__step"] > div.modal-di__header + div.modal-di__content
+softonic.com##div[class="modal-di__step"] > div.modal-di__header + div.modal-di__content + div.modal-di__button-wrapper
+softonic.com##div[class="modal-di__step"] > div.modal-di__header + div.modal-di__content + div.modal-di__button-wrapper + div.modal-di__button-wrapper
+softonic.com##.modal-di__wrapper-steps > p[class="modal-di__label"]
+videomega.co###click_me
+pinoymovies.es,pinoymovieseries.com###playeroptionsul > li:not([id]) > a[href][target="_blank"]
+masteranime.es##iframe[src^="https://ad.masteranime.es/adx/"]
+||grammarist.com/*/*.jpeg$script
+accuweather.com##.glacier-ad
+putlockers.cr##a[href^="/stream-4k/"]
+putlockers.cr##a[href^="/download-4k/"]
+||baltasar5010purohentai.com/white-wildflower-b42c/|
+hentaicore.org##iframe[src^="http://tools.bongacams.com/promo.php"]
+hentaicore.org###side > #full-poster > center > div[style="overflow:hidden;margin: 10px 0 0 -10px;width:290px;"]
+hentaihaven.*##.main-sidebar[role="complementary"]
+miohentai.com###sidebar-right > div.related-post > div.related-post-header ~ div[class^="side"]
+||hentaicloud.com/cornergirls.js
+luscious.net##.ad_lead
+yourupload.com##.kado-button
+yourupload.com##.roms-get-button
+||newepisodes.co/atag.js
+lookmovie.ag##body > iframe[style^="position: fixed; z-index:"][style*="right:"]:not([src])
+||lookmovie.ag/sw_*.js
+||rule34hentai.net/javascript_rotator.php$important
+||rule34hentai.net/javascript_rotator*.php$important
+||rule34hentai.net/javascript_rotatortopbanner.php$important
+rule34hentai.net##.blockbody > iframe[src^="https://rule34hentai.net/javascript_rotaor"]
+xxxhentai.net##.promo-block
+xxxhentai.net##noindex > .bb-place
+xxxhentai.net##.gallery-list > div[itemprop='associatedMedia'].paid-mix
+haho.moe##.video-container #dol
+||mp4upload.com/atag.js
+ashemaletube.com##.vast-overlay
+xxxdan.com###content > div.movie + div[class]
+reallifecamsex.xyz##.pm-ads-banner
+mat6tube.com,noodlemagazine.com##iframe[src^="//its.fusrv.com/"]
+noodlemagazine.com##div[style="width:900px;height:250px;margin:20px auto 0"]
+/vast.js$domain=noodlemagazine.com|mat6tube.com
+katfile.com###container > .style2 > a[href][target="_blank"] > img
+||interracial.com/sw.js
+||interracial.com/int354/script.php
+||interracial.com/player/html.php?aid=*_html&video_id=*&*&referer
+stun:35.224.227.218^
+gamcore.com##a[href^="https://gamcore.com/ads"]
+gamcore.com##body > #languages ~ div[style*="z-index"][style*="visibility: hidden;"]
+gamcore.com##.d-md-block > .flexslider
+gamcore.com##body > #wrapper ~ div[style="bottom: 0px; right: 0px; position: fixed; z-index: 100; cursor: pointer;"]
+||fgn.cdn.serverable.com/common/images/nfr2ie0nd1s9^
+||gamcore.com/combo19.js
+shmoop.com##.ad-accordion
+simplemost.com##.footer-ad-container
+alligator.io##.article-side > .sticky-side > div > a[href][rel="sponsored"] > img
+alligator.io##.article-side > .sticky-side > .text-center > a[href="/about-sponsored-or-affiliate/"]
+||pornsexer.com/fend_lodr.js
+pornsexer.com##.bottom-adv1
+pornsexer.com##.player-wrap > div[id="kt_player"] + div[id][style]
+||dapornhub.com/dh/dh.php
+||jav789.com/assets/*/index.php
+freetutorialsus.com###secondary > aside#text-6
+freetutorialsus.com###secondary > aside#text-12
+freetutorialsus.com##div[style="display: flex; -webkit-box-pack: center; justify-content: center; font-size: 12px; line-height: 24px; color: #57585a;"]
+shrinkme.in###link-view > p[style="text-align: center;"]
+a2zapk.com##a[href^="https://dropgalaxy.com/"] > img
+hockeybuzz.com###outer > #leaderboard
+forbes.com##.vestpocket
+||pornjapan.pro/js/nxfpj.js
+hentai2read.com##.content > div[class] > div.afs_ads ~ div[class] a[target="_blank"] > img
+majorgeeks.com##.content > b > font[color="#00000f"]
+majorgeeks.com##.content > b > font[color="#00000f"] + a[rel="nofollow"]
+majorgeeks.com##.geekycolumn > b > font[color="#000000"]
+majorgeeks.com##.geekycolumn > b > font[color="#000000"] + a[rel="nofollow"]
+adshrink.it##iframe[src^="https://www.shrink-service.it/ads.php?"]
+bitpic.me##body > div[align="center"] > b[style="font-size: 16px;color:red"]
+bitpic.me##body > div[align="center"] > .category > a[href][target="_self"] > img
+||bitpic.me/xbay/*.gif
+imgixxx.com##body > script[src^="https://afshanthough.pro/"] + center
+vectorspedia.com##div[style="min-height:280px;"]
+vectorspedia.com,123free3dmodels.com##div[style="min-height:250px;"]
+dotabuff.com##.elo-placement
+||goldenbbw.com/*_fe.js
+realestate.co.nz##.modal-ad-wrap
+realestate.co.nz##.topbar-ad-parent
+tmonews.com##.featured-google
+tmonews.com##.sponsor-dfp
+news.sky.com#$?#.sdc-site-au { remove: true; }
+news.sky.com##.sdc-site-layout-sticky-region__ghost[data-format="leaderboard"]
+||dcs.creativecow.net^$domain=wwwm.creativecow.net
+a2zapk.com###galax
+ozbargain.com.au##div[id^="ozbads-"]
+feudalwars.net,shadowexplorer.com###skyscraper
+||i.imgur.com/*.mp4$redirect=noopmp4-1s,domain=videos.animecruzers.com
+addictivetips.com##.ggnoads
+addictivetips.com##.bestfloat
+breakbrunch.com##.content-container > a[href][rel="sponsored"] > img
+itechtics.com##aside[id^="adswidget"]
+laidhub.com##[data-mb="advert-height"]
+laidhub.com###main-nav > div.main-nav-inner-col > ul.main-nav-list > li.menu-el > a:not([href^="https://www.laidhub.com/"])
+howtofixwindows.com##.horqnmxbi-pubadban
+howtofixwindows.com##.sidebar > div[id^="horqnmxbi-"]
+mangakakalots.com##div[class$="Col"] > div[style="float: left;width: 100%;text-align: center;"]
+rsc.cdn77.org###player #layerName_preroll
+rsc.cdn77.org###player #layerName_postroll
+starsinsider.com###pubspace
+movies123.pics##.popOverForADSInPlayer
+wetpussy.sexy##.mansonry-item
+||wetpussy.sexy/js/index-nb.js
+babepedia.com##.sidebar_block > a[rel="nofollow noopener"]
+babepedia.com###gallery > center > a[href][target="_blank"] > img
+||babepedia.com/images/xfantasy-banner300-200.jpg
+||teenskitten.com/*/quwet.js
+teenskitten.com##.bottom-ban
+skinnyteenpics.com##.main > div.row.margin-top > div.text-center > a[target="_blank"] > img
+||1845130540.rsc.cdn77.org/onclick_ad/
+viprow.me,vipstand.se##.embed-responsive > .position-absolute
+||healthnewsreal.com/*.php?utm_source=$third-party
+iir.la,iir.ai,tii.ai##.box-main a[href][target="_blank"] > img
+||bankbazaar.com/images/*-CT-Banner-
+bankbazaar.com##.footer-cta-banner-desktop
+||emoneyspace.com^$domain=shortbitsfree.net
+comparitech.com##.body-inner > div.page-container ~ script[type] + div[class*="-"][style]
+romsgames.net,msn.com##.adlabel
+porntrex.com##div[class^="pop-"].open-tool
+||aigneloa.com^$third-party
+simply-cosplay.com##div.text-center[data-section="video-show"]
+miniurl.pw##.box-main > script[src] + div[class^="_"]
+tutorialspoint.com##.top-ad-heading
+tutorialspoint.com##.google-bottom-ads
+||mp4upload.com/bd*.html
+hwinfo.com##.download > div[class^="xds"]
+||cdn.ttgtmedia.com/cmp/sourcepoint/$script,third-party
+||stunninglover.com/*/$third-party
+amazon.de,amazon.com,amazon.co.uk,amazon.fr,amazon.in,amazon.it,amazon.es##.aw-campaigns
+pornid.name,zbporn.com,zbporn.tv##.spots-title
+||zbporn.*/tri/zp.js
+||eroclips.org/player/html.php?aid=
+goforporn.com##.direction
+goforporn.com##.recipient
+goforporn.com##.doorway
+smashingmagazine.com##.c-promo-box--ad
+systemrequirementslab.com##a[id^="box-amazon-"]
+bloomberg.com###pathfinder-tout
+||pornicom.com/js/customscript.js
+quizlet.com##.SiteAd
+europixhd.pro,topeuropix.*##a[id^="MyAdsId"]
+||androidpolice.com/wp-content/uploads/*/spigen_s20_728x350.png
+thelocalproject.com.au##.footer-support-section
+thelocalproject.com.au##.content-within-display-link
+indiangaysite.com##iframe[src^="//ads.exosrv.com/"]
+||thefappeningcelebs.com/icloud9.html
+myip.ms##.adsfloatpanel
+9xmovies.app,toonily.com,kiminime.com,katmoviehd.*,vidload.net,movies123.pics##div[class^="glx-slider-container-"][style*="z-index:"]
+artstation.com##hello-world > div[ng-if^="showAsset"] > .friends-message
+artstation.com##hello-world > div[ng-if^="showAsset"] > .friends-message ~ a[ng-href][target="_blank"]
+psntvs.me##span[style="font-weight:bold;"]
+psntvs.me##span[style="font-weight: bold;"]
+embedstream.me##body > .position-absolute
+stream2watch.ws##img.fpi
+||stream2watch.ws/frames/fp2/index.php
+viprow.net##button.btn[data-open="_blank"]
+gfxtra31.com##center > a[target="_blank"] > h4
+thepointsguy.com##.article-body-ad
+thepointsguy.com##.beam-top-banner
+chromeunboxed.com##.topSpace
+||privateinternetaccess.com/affiliate.min.js
+rockpapershotgun.com##.comments-container > .mpu-container
+getintopca.com,oceanofgamese.com###instance-atom-text-2
+oceanofgamese.com##.post-content > div[class][style="float: none; margin:10px 0 10px 0; text-align:center;"]
+jawcloud.co##.video-js > div[class][style^="background:#000;position: absolute;"]
+||jawcloud.co/ilovebasics.html
+bongino.com##div[style^="margin:"] > .ai-attributes
+pornleech.io##.block-content-r > div[align="justify"].b-content > table > tbody > tr > td > div[style="text-align: center;"] > span[style="color: red; font-size: x-small;"]
+||a5.cba.pl/js.js
+softonic.com##div[data-ua-category="RecommendedAppHeaderBar"]
+||i.imgur.com/ClxOIJJ.png$domain=discordrep.com
+imx.to##.btnimxtoad
+||dyncdn.me/static/20/js/expla*.js$important
+vidsrc.*###adbox_desktop
+btcwin.online##.mx-auto
+||gplinks.co/sw.js
+autofaucet.dutchycorp.space,firefaucet.win##.sticky-ad-728x90
+||hdtube.porn/hdt/hdt.js
+kitsapsun.com,lcsun-news.com##.story-taboola-related-module
+||pervclips.com/tube/static_new/js/new/customscript.js
+filecr.com##.google-ad-area-list
+||xxxbunker.me/xxx.php
+shrinkhere.xyz##a[href][rel="nofollow norefferer noopener"]
+cam4.com##div[class^="Directory__adds_"]
+||rtyznd.com/get/*?zoneid=$script
+scotchwhisky.com##.adcore
+pcmag.com##aside[class^="zmgad-"]
+||moonicorn.network^$domain=birdurls.com
+birdurls.com###link-view > center > p:not([style*="font-size:"])
+birdurls.com##center > p > a[href][target="_blank"]
+tel-no.com,pdfforge.org##.adsense
+playhub.com##span[class^="ad-title-"]
+||moviesand.com/player/html.php?aid=*_html&video_id=*&*&referer
+sciencenews.org##section[class^="ad-block-leaderboard__wrapper"]
+woozworld.com###ads_iframe
+dlapk4all.com##div[align="center"] > a[href][target="_Blank"] > img
+||dlapk4all.com/img/1xbet.gif
+dignited.com###sab_wrap
+dl-android.com##a[href][target="_blank"].xs-btn-dl
+vjav.com##.rek__link
+ontools.net,writedroid.eu.org,doibihar.org,freemagazines.top,forexlap.com,torkitty.com,torrentkitty.se,torrentkitty.vip,torrentkitty.tv###fixedbanner
+torkitty.com,torrentkitty.se,torrentkitty.vip,torrentkitty.tv##a[href*=".affiliatescn.net/"]
+/images/vpn.gif$domain=torkitty.com|torrentkitty.se|torrentkitty.vip|torrentkitty.tv
+eztv.yt,eztv.io##.forum_header_border_normal > tbody > tr > td[align="center"] > div[id] > div[style*="background-color:"][style*="padding-top:"]
+tuberel.com##.vda-link
+ffmovies.ru##a[href^="https://ffmovies.ru/stream/"][target="_blank"]
+userupload.net##.row div[href*="apk"]
+www.msn.com##iframe[width="300"][height="350"]
+/assets/js/mob.js$domain=uptostream.com|uptobox.com
+cwtv.com###ad_728x90
+9gag.com##iframe[src^="https://9gag.com/static/ads/"]
+torrentz2.is,unblockit.me##div[class$="onToleratds"]
+||xvideos-cdn.com/*/js/static/header/sda/ppsuma*.js
+smarter.com##.PartialContentFeed-ad-wrapper
+nextofwindows.com##.td_block_ad_box
+nextofwindows.com##.Hot_random_image > a[href*="?utm_source="] > img
+10play.com.au##.content__ad__content
+porndr.com##.above-player-spot
+uploadrar.com##a[role="button"][href^="http://"]
+||solarmovie.to/sw.js
+||images.cointelegraph.com/images/2280_
+||images.cointelegraph.com/images/1454_
+cointelegraph.com##.layout__leaderboard
+cointelegraph.com##.post-preview-item-banner
+cointelegraph.com##.sb-area > a[rel="noopener"] > img
+tokyoghoulre.com,demonslayermanga.com##.js-pages-container > div.flex.text-center > div[style="width: 450px;"]
+luckyvaper.com##a[href*="&utm_medium=banner"] > img
+||static.airmail.news/video/2019-12-28/2019-12-28-moncler-001.mp4
+airmail.news##am-display[fetched="fetched"]
+coinmarketcal.com##.banner_medium
+||coinmarketcal.com/images/clients/asset/bitcasino/
+yourbittorrent2.com##.card-footer > div.row > div.text-center > a[href^="http://"]
+haldimandmotors.com##div[style="width:100%;height:90px;"]
+||yts.mx/atag*.js
+||yts.lt/atag*.js
+stun:34.70.28.179^$domain=yts.lt
+||sss.xxx/poppy/$script
+wsj.com##.snippet-right-ad
+wsj.com##div[class*="-adWrapper-"]
+animelab.com##.progress-bar > div[class="aip"]
+||asp.animelab.com/*.php?do=vast*&vastver=
+||cloudfront.net/pre_rolls/*.mp4$domain=animelab.com
+macrumors.com##div[id^="adplaceholder"]
+imleagues.com##.im-ads250
+imleagues.com##.im-ads90
+||happy-porn.com/str/*/jqv*.js
+happy-porn.com##div[class^="on-player-wrap"]
+||donstick.com^$domain=hdpornvideos.su
+sxyprn.net###content_div > div[class] > a[target="_blank"] > div > img
+||static.newsnation.in/images/webtech.gif
+btcmovies.xyz,grammarist.com###sidebar > #custom_html-5
+grammarist.com###sidebar > #custom_html-3
+||grammarist.com/*/*.jpg$script
+||deviants.com/player/html.php?aid=*_html&video_id=*&*&referer
+babestube.com,deviants.com##.spot_panel
+||semawur.com/download3.png
+1337x.is,1337x.to##.no-top-radius > .clearfix > ul[class*=" "] > li > a[href^="/v-pn"]
+1337x.is,1337x.to##.no-top-radius > .clearfix > ul[class*=" "] > li > a[href^="/st-rd-"]
+1337x.is,1337x.to##.no-top-radius > div[class]:not([class*=" "]):not([class*="-"]) > a[href^="/v-pn"][id]
+semawur.com##.col-md-12 > div[style="text-align:center"] > span[style^="background-color:#fff;color:"]
+hotgirlclub.com##div[class^="spnsrd-block-"]
+||imgur.com/Bs86dFv.png
+||chaturbate.com^$domain=zoomgirls.net,important
+torrentz.eu.com###torrentz2
+creatorlabs.net##div[data-container="sidebar"] > div[id^="cc-matrix-"] > div.j-module.j-hr
+creatorlabs.net##a[href^="https://billing.apexminecrafthosting.com/"]
+myshows.me##div[id^="clickioadunit"]
+myshows.me##a.DefaultLayout-promo
+myshows.me##.kinopoiskBanner
+myshows.me##.wrapper > div.branding
+zkillboard.com###adsensebottom
+zkillboard.com##div[style="width: 100%"] > a[target="_new"]
+||camseek.tv/live/live.php
+camseek.tv##.navigation > ul.primary > li > a:not([href^="http://camseek.tv/"])
+cloudgallery.net,imgair.net##.qwrcb
+cloudgallery.net,imgair.net##.odlake
+inaporn.com##.container > table[style="padding:20px 20px 0px;"] > tbody > tr > td[style="padding:0px 0px 0px 30px;"][width="360"]
+vizzed.com##.boxadbox300
+vizzed.com##.boxadsides
+vizzed.com##.header > .headerBanner
+ur-files.com##.recdowdisplay
+ur-files.com##.blockdowright > center > a[href] > img
+1ink.cc##body > div[id^="Ad"][style^="position:fixed;"]
+wallpaperwaifu.com###elementor-popup-modal-250
+wallpaperwaifu.com##.pt-cv-page > .pt-cv-content-item[data-pid^="ad-"]
+videzz.net,vidoza.net,vidoza.org##.prevent-first-click
+mydirtyhobby.to##.col-md-4 > .well.tt-body
+||mydirtyhobby.to/banner/$image
+||starfaucet.net/banners/$image
+||starfaucet.net/images/banners/
+||3movs.com/player/html.php?aid=*_html&video_id=*&*&referer
+loveroms.online##div[id^="freshwp-"][id$="-sidebar"] > div[id^="text-"].freshwp-side-widget
+xda-developers.com###twig-top
+||cam69.com/images/*x*sexedchat.gif
+||static.selfpua.com/mnpw.js
+androidcentral.com,windowscentral.com##.article-body__suppl_content--inline-cta-ad
+||imagefruit.com/includes/js/layer.js
+||ifbbpro.com/wp-content/uploads/*/*OlympiaChampions_*x*.jpg
+privatemoviez.buzz,yugen.to,technicalatg.com,hitbits.io##iframe[src^="//ad.a-ads.com/"]
+dailywire.com##div[style="width: 300px; height: 600px;"]:empty
+dailywire.com##div[style] > div[style="width: 728px; height: 90px;"]:empty
+dailywire.com##div[style] > div[style="width: 300px; height: 250px;"]:empty
+dailywire.com##div[id^="zergnet-widget"] + div[class^="css-"] > div[style="width: 300px; height: 250px;"]:empty
+dailywire.com##article[class^="css-"] > div[style="width: 728px; height: 90px; margin: 0px auto 32px;"]
+||vd.7vid.net/*.js$domain=vidoza.org
+mariogames.be##.bigcolumn > div[style]:not([style="clear:both"]):not(.thumb)
+channelmyanmar.org##div > .code-block > a > img
+channelmyanmar.org##.myResponsiveAd > a[target="_blank"] > img
+hentaigasm.com,channelmyanmar.org##div[id^="custom_html-"]
+1movies.is###quality_vote
+||1movies.is/sahdsd^
+msn.com##li[data-yvef*="adblockMediumCardContainer"]
+msn.com##div[data-positions^=".shopping"]
+msn.com##div[data-yvef*="stripe"][data-yvef*="ad"]
+||mediausamns-a.akamaihd.net/*.mp4$redirect=noopmp4-1s,media,domain=crackle.com
+||thehentaiworld.com/fro_lo*.js
+freelive365.com##a[href$="://www.tvbarata.club/"]
+cryptlife.com##div[style^="float:none;"] > font[color="#D3D3D3"] > center
+mybrowseraddon.com##.container > div[style="text-align:center;min-height:90px"]
+mybrowseraddon.com##.container > div[style="text-align:center;margin:5px auto;min-height:90px"]
+mybrowseraddon.com##.container > div[style="color:#777;text-align:left;margin:0;height:16px;line-height:16px"]
+||horsedrawnhearse.uk/images/download1.gif
+||myreadingmanga.info/home.js
+||tsyndicate.com/*/vast?$redirect=nooptext,important,domain=hentaiworld.tv|myreadingmanga.info
+wionews.com,hiphopza.com,gplinks.co,icutlink.com##p[style="text-align: center;"] > a[target="_blank"] > img
+themehits.com##img[alt="728×90"]
+themehits.com##img[alt="970×250"]
+themehits.com##img[alt="300×250"]
+themehits.com##.wzifdceusx
+/supertotobet*.mp4$redirect=noopmp4-1s,domain=closeload.com
+||closeload.com/*/js/closeplayer/js/video.rek.js
+||closeload.com/*/js/closeplayer/js/vast-new/src/videojs-preroll.js
+kissasian.*,lifestylehack.info##.ksAds
+jame-world.com##.small.text-muted > small
+onlyfullporn.com##.video-embedded > .a-opa
+onlyfullporn.com##.video-embedded > .a-embed
+onlyfullporn.com##.video-embedded > .over-close
+thekisscartoon.com,kisscartoon.info##.adkiss
+dogemate.com##.page-content > div.fixed-a
+mstream.xyz##.player--container > div[id][style^="position: absolute;"][style*="z-index: 999"]
+pinflix.com##.video-player-overlay
+pinflix.com##.under-video-channel-link
+simpleflying.com##.afw_ad
+rpcs3.net##.landing-con-adsense
+||solarmovie.fun/addons/banner/
+bravoteens.com##.main > noindex
+0gomovies.to##.md-top > div#bread + style + div[id][class] > div[class*=" "] > *:not(div)
+||bravoteens.com/if2/
+||bravoteens.com/js/bi.js
+||bravoteens.com/b_track.js
+||bravoteens.com/js/clickback.js
+bravoteens.com##div[class^="inplb"]
+||cyber-hub.pw/b_images/
+rule34.xxx##a[href^="https://track.afcpatrk.com/"]
+insideevs.*##.myevFeedContainer
+insideevs.*##.sellwild-container
+insideevs.*##a[href^="https://www.myev.com/cars-for-sale"]
+coopgames.eu##table.table-condensed > tbody > tr > td[colspan="6"]:only-child:empty:not([class]):not([id])
+stltoday.com##.scrbbl-post-type-advertisement
+thefappeningblog.com##a[href^="https://join3.bannedsextapes.com/track"]
+foxsports.com.au##div[class^="styles__BettingFooter-"]
+foxsports.com.au##a[href^="https://kayosports.com.au/?marketing="]
+foxsports.com.au##.fiso-sc-article-scorecards [href^="http://www.bet365.com.au/"]
+||content.foxsports.com.au/fs/match-centre/promotions/cricket/mobile.gif
+||content.foxsports.com.au/fs/match-centre/promotions/cricket/desktop.gif
+||startcrack.com/wp-content/uploads/2018/05/sidebar-banner.jpg
+||fetishshrine.com/js/customscript.js
+||static-ss.xvideos-cdn.com/*/js/skins/min/default.pp.static.js
+/pornpictureshq\.com\/[A-Za-z]+\d+\.html/$domain=pornpictureshq.com
+joe.ie##div[id^="div-gpt-joe"]
+||cdn.netcatx.com/bid^
+||cdn.netcatx.com/adxchange^
+||native.propellerclick.com^$domain=manhwa18.com,redirect=nooptext,important
+jetvis.ru##.stick-banner
+porcore.com##.adddscolumn
+porcore.com##div[style^="text-align:center;"] > div > a[rel="nofollow"]
+||gamcore.com/pzdc/$popup
+dbupload.co##.innerpart a[href][target="_blank"] > img
+||static-itsporn.woxcdn.com/static/vast.xml
+||hentaivideos.net/imp/
+hentaivideos.net,freehentaistream.com##.aside-banner
+freehentaistream.com##.video-banner-dt
+||anime.freehentaistream.com/content/pdz.js
+zerohedge.com##.contributor-teasers > .view-content > .carousel-placement
+vidoza.net###videotop > iframe
+royalroad.com##.portlet.text-center[style^="padding"][style*="!important"]
+youpornru.com,you-porn.com,youporn.*##.adLinkText
+youporn.*##.ad-remove + .responsiveIframe
+fandom.com##div[class^="aff-unit"]
+biguz.net##iframe[src^="https://ads.exosrv.com/"]
+ownedcore.com##.block-below-so-wrapper
+apkpure.*##.adsbypure
+avalanche.state.co.us##.sky_banner_ad
+whowhatwear.co.uk##.ad-mount
+gigacalculator.com,247hearts.com##.aspace
+||teenpornvideo.fun/*.php|
+teenpornvideo.fun###mo-ave
+deleted.io##.amirite-embed
+celeb.gate.cc###sidebar > div[style="width: 200px; height: 200px;"]:not([class])
+||go.hpyrdr.com/smartpop/$domain=celeb.gate.cc
+owllink.net##center > a[href][target="_blank"]
+allsex.xxx##div[class^="block-"] > .table
+||allsex.xxx/adv/
+||zooredtube.com/zr*.js
+utorrent.com,windowscentral.com##a[href^="https://go.nordvpn.net/"]
+nuvid.*##iframe#spot_video_livecams
+vivatube.com,nuvid.*##iframe#spot_video_underplayer_livecams
+nuvid.*##.video-options > div[style="position:relative;"] > span[style="width: 100%;text-align: left;display: inline-block;position: absolute;top: -12px;font-size: 10px;"]
+washingtonpost.com###leaderboard-wrapper
+lifehack.org##.ad-wrap-transparent
+tpbaysproxy.com,pirateproxy.*##.nord-message-wrap
+||online-protection-now.com^$popup,domain=pirateproxy.space
+www-thewindowsclub-com.cdn.ampproject.org##amp-anim[height="60"]
+namethatporn.com##div[class][data-flba^="https://landing1.brazzersnetwork.com/"]
+gayforfans.com,namethatporn.com##iframe[src*="//a.adtng.com/"]
+avanderlee.com##span.swiftlee-ad
+9now.com.au##.vjs-cuepoints-bar
+povvldeo.*,steampiay.cc,pouvideo.cc,pomvideo.cc###oly
+powvideo.net##iframe[src^="//wontent.powvideo.net/apw.hh"]
+steampiay.cc,pouvideo.cc,pomvideo.cc,powvideo.net,powv1deo.cc##iframe[src^="/ben/mgnat.html"]
+powv1deo.cc##iframe[src^="//tontent.powv1deo.cc/"]
+||powv1deo.cc/player*/*/vast.js
+||powv1deo.cc/js/dpu*/pu*.min.js
+/ben/mgnat.html$domain=powvideo.net|pomvideo.cc|pouvideo.cc|steampiay.cc
+techrepublic.com##section[class^="content-mpu"] > div
+techrepublic.com##.ad-active + div[style="width:100%"]:not([class]):not([id])
+||bestfreetube.xxx/tmp/
+||rat.xxx/xdman/
+||rat.xxx/rpi/rat.js
+hdtube.porn##.footer__banners
+xxxonxxx.com,pornhat.*##.player-bn
+mobifap.com,ok.xxx##.bn
+/img/banners/*$domain=fullporn.online|tmail.gg|mega4upload.com
+heavy-r.com##.a-d-holder-new
+heavy-r.com##.first-row > a[href][target="_blank"]:not([href="http://pornedup.com/"]):not([href="https://www.mrporngeek.com"])
+heavenmanga.org,holymanga.net##.svl_ads_right
+dl-android.com##iframe[src="https://dlandroid.com/mello.php"]
+happymod.com##a[style*="/static/img/ad"]
+||pcworld.com/www/js/messaging.js
+wired.com##.full-bleed-ad
+letsupload.co##.mngez_upgradepage > div.content > h3
+letsupload.co##.mngez_upgradepage > div.content > h3 + a[rel="nofollow"]
+mhktricks.org##aside[id="text-3"]
+mhktricks.org##.widget-area > aside[id^="media_image-"]
+stackabuse.com##.sidebar > .widget > .ad
+stackabuse.com##.sidebar a[ga-event-category="Sponsorship"]
+y2mate.com###ads_spot1
+||jizz.us/loco/
+spycock.com,jizz.us###alfa_promo_parent
+uiporn.com###UIP-Nat
+jo2win.com##span[style="color:#8e44ad;"]
+||gplinks.in/sw.js
+||cdn.rekkerd.org/img/a/rkkrdprm/
+troypoint.com,vladan.fr###wpfront-notification-bar-spacer
+vladan.fr##section[id^="advads_ad_widget-"]
+agar.io###adsLeft
+gousfbulls.com##.stickybar
+gousfbulls.com##.buzz + #slide
+gousfbulls.com##.row > ads-component
+||usf_ftp.sidearmsports.com/custompages/live-headers/bg.png
+||vidazoo.com^$domain=blackclovermanga.com|readheroacademia.com|demonslayermanga.com
+cleantechnica.com###omc-full-article > center
+sneakernews.com##.advertisement-section
+shrtz.me##div[style*="padding-top:10px;"][style*="width:300px;"]
+omglyrics.com###externalinject-gpt-passback-container
+mangajar.com##div[data-ads-provider]
+isekaiscan.com##.advance-ads
+timesofindia.indiatimes.com##.main-paisa
+torrentfreak.com##.widget-1.widget_custom_html
+||ytmp3.cc/ad/|
+||megatube.xxx/atrm^
+megatube.xxx##a[href^="https://www.megatube.xxx/go/"] > img
+megatube.xxx##.widget-sponsor-sticky
+megatube.xxx##iframe[id^="inp_iframe"]
+empflix.com##.col-xs-6:not([data-vid])
+tnaflix.com##.rightBarBannersx
+empflix.com##.mewZa
+porn.com##div[class$="-znr"]
+hdsex.org##.player-section__ad-block
+hdsex.org##.inline-video-adv
+xozilla.com##.banner-top
+xozilla.com,analdin.com##body > .popup
+hellporno.net##span[id^="HT-TAB-"]
+hellporno.net##span[id^="HT-Native-Under-Player-"]
+hellporno.net##div[style="width:100%;margin:0 auto;text-align:center;"]
+txxx.com##div.text > a
+privatehomeclips.com,porntop.com,thegay.*##.video-page__content > .right
+timesofindia.indiatimes.com##.most-searched-section
+timesofindia.indiatimes.com##div[data-cb="processCtnAds"]
+vimeo.com##a[target="_blank"] > img[src*="house-ads"]
+airmore.com##.thead
+||bit-url.com/*/sapphirum1.js
+mixdrop.to##div[style^="position:absolute;"][style*="z-index:"][onclick]
+getbukkit.org##.col-md-offset-2 > div.limit
+news.com.au###story > .iseDiv
+zeebiz.com##.daburbanner
+nature.com##.leaderboard-or-billboard-container[data-container-type="banner-advert"]
+motorplus-online.com##.ads-on
+motorplus-online.com##.ads__boxr
+motorplus-online.com##.ads__horizontal
+hentaigasm.com##a[href^="https://www.hentaiheroes.com"]
+ohentai.org##div[id*="detailad"]
+ohentai.org##.detailleftadcontainer
+multiup.org##.content-body > .alert-info
+upload.ac##.download .fmore
+disboards.com##.js-notices
+socceronline.me,vipleague.*,vipbox.*,strikeout.*##button[data-open="_blank"]
+acefile.co###btmx
+acefile.co###kelik
+analyticsindiamag.com##img[src="https://www.analyticsindiamag.com/wp-content/uploads/2019/02/Blue_03.jpg"]
+analyticsindiamag.com##div.post-content > div[class][style="clear:both;float:left;width:100%;margin:0 0 20px 0;"]
+||besthugecocks.com/a1/
+shockingmovies.com##body .video-list-ads
+shockingmovies.com##body .ads-block-bottom-wrap
+||oxy.st/images/bannr.png
+gadgetsnow.com##.affiliateBannerAds
+gadgetsnow.com##.amz-box
+mi-globe.com##.td_block_wrap[style="display: none !important;"] + .td_block_separator
+birdurls.com,gplinks.co,owllink.net,gplinks.in###link-view > p
+owllink.net,birdurls.com,gplinks.co,gplinks.in##.box-main > p
+marketrealist.com###Track\.End + div[class]
+marketrealist.com##.gXgoom > div
+marketrealist.com##div[id^="ad-"]
+marketrealist.com##div[id*="_cfu_"]
+revolvermag.com##.full-ad-wrapper
+oko.sh###link-view > center
+adrinolinks.in,oko.sh##.box-main > a > img
+megalink.*,1link.vip,oko.sh##.box-main > center > a > img
+gadgetsnow.com,m.timesofindia.com,timesofindia.indiatimes.com##.gn-affiliate-box
+m.timesofindia.com,timesofindia.indiatimes.com##.bottomnative.colombiaRequestSend[data-ad-id]
+thepornarea.com,porngo.com##.video-side
+||mangahere.us/mgid_
+pesgaming.com###top_content_advert
+premiumleech.eu###d-spc.cf
+||pornicom.com/new_js/customscript.js
+vipleague.lc,vipbox.lc,vipstand.se,worldcuplive.stream##.text-center > button.btn[data-longurli][data-open="_blank"]
+bangx.org##div[style*="height:100px;"][style*="overflow:hidden;"]
+riotpixels.com###wasdslider1
+jav.guru##.inside-right-sidebar > aside.widget_custom_html
+ip-tracker.org##div[class^="adunit"]
+hentaimoe.me##.videoad
+mi-globe.com##div[class^="seb-ad-"]
+||hentaianime.tv/push.js
+iboysoft.com##.js-article-wrap > div.streamer
+inoreader.com##.ad_size_leaderboard
+inoreader.com##.leaderboard_ad
+imgbaron.com,picbaron.com##iframe[src^="//a.exosrv.com/"]
+||toots-a.akamaihd.net/priority/*.mp4$redirect=noopmp4-1s,media,xmlhttprequest,domain=itv.com
+redtube.com,redtube.net##.search_upper_right_ad
+hentaiworld.tv##.support-ad
+watchanime.video,animeporn.tube,hentaiporn.tube,hentaivideo.tv,naughtyhentai.com,hentaianime.tv,pornxxx.tv,cartoonporn.tv,hentaimovie.tv###myContent
+watchanime.video,animeporn.tube,hentaiporn.tube,hentaivideo.tv,naughtyhentai.com,hentaianime.tv,pornxxx.tv,cartoonporn.tv,hentaimovie.tv##.under-video
+gamecopyworld.com##.lb#lb
+movies123.pro##body > main + script + div[class]:not([style]):not([id])
+movies123.pro##online > div[class] > div[class] + div[class]:not([style]):not([id]) > div[class*=" "]:not([style]):not([id]) > div[class*=" "]:not([style]):not([id])
+||movies123.pro/addons/partners^
+||movies123.pro/addons/try^
+familyporn.tv##.media_spot_holder
+familyporn.tv###player_adv
+m.timesofindia.com,timesofindia.indiatimes.com##.asAffiliate
+asian-teen-sex.com##.gavtantnsx-23or
+porno-usa.com##img[alt="chaturbate"]
+dailyxporno.com##div[class*="wps-player__happy-inside--"]
+||interviewmania.com/web-resources/img/interview-mania-mobile-app-download.png
+xxxmaturevideos.com##.XMV_player_ads
+xxxmaturevideos.com##.XMV_video_hors
+xxxmaturevideos.com##.XMV_hor_bl
+||xxxmaturevideos.com/ab_fl.js
+||xxxmaturevideos.com/ab_bl.php
+eroticmv.com,xfantazy.com,analdin.com,xtits.com,sexu.com,javrave.club,mangamelon.com,vidoza.co,vintagetube.xxx,vidoza.org,xxxmom.pro##iframe[src^="//a.o333o.com/"]
+iframeplayer.tubepornstreaming.com##.video-container > .inner-wrap[style="display: flex;"]
+bitetheass.com,nitroflare-porn.com##center > noindex
+nitroflare-porn.com##center > a[href^="https://www.nitroflare.com/view/"]
+||rainmaker.production-public.tubi.io/rev/WEB?app_id=tubitv*&pub_id=*&*vpaid_enabled=true
+||ark.tubi.video/*.mp4$redirect=noopmp4-1s
+||paella.adrise.tv/*.mp4$redirect=noopmp4-1s
+7torr.com##a[href^="get-down?"][title="Direct Download"]
+||isohunt2.net/nordvpn/
+isohunt2.net##.banner-wrp
+torrentdownloads.co##a[href^="https://track.ultravpn.com/"][rel="nofollow"]
+||appspot.com/torrentdownloads/horizontal-banner?$domain=torrentdownloads.co
+ettv.to##.kr_cr
+ettv.to##.download_links_a
+opencritic.com##app-advertisement
+opencritic.com##app-advertisement + hr
+||exe.io/files/glasss.js
+windowscentral.com##.holidays.panels-flexible-row
+||script.hentaicdn.com/cdn/*assets/js/Feinee
+pornlib.com##.footer_web_adv
+vibexxx.com##.bpbanner
+vibexxx.com##.page > .ntv
+sexy-youtubers.com##.meetfuck
+productkeyfree.org##center > input[type="button"][onclick^="window.open("]
+||zipfileservers.info/boot/loader.js
+muzamilpc.com,cracxpro.com##button.button-red
+pirate-bays.net###vpnModal
+hawkbets.com##.new_aside_block
+babestube.com##body > div#_iframe_content
+moviesand.com,babestube.com##.twocolumns > div.viewlist + div.aside
+fagalicious.com##[width="300"][height="250"]
+fagalicious.com##a[title="Gay Games at Nutaku"]
+putlockers.bz###play-button-ad
+||exe.io/files/cplylive.js
+series9.to##.main-content > div[style^="padding:"] > a[href="javascript:void(0)"][target="_blank"]
+hdzog.com##.video-container > div[id^="__"] > a[target="_blank"] > img
+salon.com##.proper-ad-unit + hr
+||fmovies.gallery/jkndsgsasdadsgh
+matureporn.com,machotube.tv##.b-randoms-col
+machotube.tv##.b-main-nav > .row > .b-main-nav__mi
+go99tech.com##.col-md-10 a[href] > img
+bloggif.com##.sky
+||api-v*.soundcloud.com/audio-ads?
+||promoted.soundcloud.com/event?*=audio-ad-web-vast-api-
+||newepisodes.co/sw.js
+dailynewshungary.com##.dnh-ad-header-banner
+||videogreen.xyz/asset/default/player/plugins/vast*.js
+openplayer.net###pauseModal
+openplayer.net###pauseModal ~ .modal-backdrop
+3dzip.org##img.sphyerf-image
+freeallcourse.com,3dzip.org##.better-ads-listitemad
+typingtestnow.com##a[href$=".clickbank.net/"] > img
+fifermods.com###masterPage > :not(footer) .tpaw0
+brantfordexpositor.ca##.sponsored-wrap > .sponsored
+codeshare.io###codeshare > .sp-tile
+porn4days.net##body .navbar-nav > li > a[rel="nofollow"]
+adn.com##.pb-f-embedded-geotix-widget
+adn.com##.taboola-well
+freegames66.com##.Ad300 + .AV
+||vidmoly.net/*.php?*=*&*&$xmlhttprequest,other
+||vidmoly.to/*.php?*=*&*&$xmlhttprequest,other
+||coubsecure-s.akamaihd.net/get/*/promo_background/
+coub.com##.promo-background
+||xmoviesforyou.com/01ed00c5.js
+laidhub.com##.preroll
+laidhub.com##.subplayer-ban
+laidhub.com##.main-inner-col > .box-container + .slider-row
+laidhub.com##.main-nav-list > li.menu-el > a[href][rel="nofollow"]
+xopenload.video###video_ads
+wowclassicbis.com##.Banner
+||nudemodelsx.com/nudemodelsx.js
+||xnmodels.com/xnmodels.js
+fuckamouth.ru##a[href*="&offer_id="]
+streamty.com##div[class^="video_adp"]
+||api-feed.com^$domain=slutload.com
+slutload.com##.player-related-videos
+inoreader.com###article_below_dialog_wrapper.inno_dialog_overflow
+fakedetail.com,manga-raw.club,telegraphindia.com,ltnovel.com##.adsbox
+megacloud.tv,divicast.com,moviesjoy.plus,zoechip.com,dokicloud.one,fmoviefree.net,goku.sx,fmoviefree.net,vidcloud.*###overlay-center
+vidcloud.co###overlay-bottom
+rushbitcoin.com,speedcoins.xyz,btcbunch.com,getdoge.io,ccurl.net##div[id^="wcfloatDiv"]
+icutlink.com##.col-md-10 > div[style="text-align: center;"] > .row > .col-md-12 > form#link-view > .form-group ~ br
+||icutlink.com/team.js
+||icutlink.com/img/download-now.gif
+||steepto.com/mghtml/framehtml/$important
+||mgid.com/mghtml/framehtml/$important
+freesoftpdfdownload.blogspot.com##a[href^="http://wap4dollar.com/ad/"]
+searchenginejournal.com##.avert-text
+ultrahorny.com,veporn.com##.ads-on-player
+||payskip.org/sw.js
+picshick.com,imagetwist.com,imagexport.com###rang2
+imagexport.com##p[style="display: block; text-align:center;"] ~ br + div[class="text-center"]
+imagexport.com##.top-menu > li > b > a[class]
+mapquest.com##.showing-top-ad
+mapquest.com##.sponsored-banner-ad
+mapquest.com##.main-ad-728x90-container
+mapquest.com##.route-sponsor
+mapquest.com##.branded-image[ng-if="$ctrl.showBanner()"]
+mangazuki.online##.body-top-ads
+softfamous.com##.container_ads
+gottanut.com##[class^="reclam-"]
+sexy-youtubers.com##iframe[width="300px"][height="250px"]
+||static.showheroes.com/pubtag.js
+||static.showheroes.com/publishertag.js
+fritchy.com,imagebam.com##div[id^="ad-header"]
+owlcation.com,history.com##.m-adaptive-ad-component
+history.com##.m-in-content-ad-row
+||get-to.link/delicate-water-5f5b/
+shrinkme.*###imgAddDirectLink
+tech.dutchycorp.space##div[id^="floating_ads_"]
+cumilf.com##.visibility
+||cumilf.com/regarding.asp$script
+||exe.io/files/shazme.js
+||s3.amazonaws.com^$domain=game3rb.com
+srt.am##.text-center > center > a[target="_blank"] > img
+washingtonpost.com##wp-ad[class]
+washingtonpost.com##main > aside.grid-item > div[style="height: 1250px;"]
+theverge.com,washingtonpost.com##.outbrain-wrapper
+hentaitoday.com##.widget_random_banner_widget
+||hentaitoday.com/wp-content/uploads/*.gif?v=
+hentai.cloud###footer_columns
+ohentai.org##.listadcontainer
+bolasport.com##div[class^="ads__"]
+hentaistream.com##.skin-hold
+||deloplen.com/afu.php?$important
+appuals.com##.appua-reimage-top
+||aiosearch.com/vpn/warning*.html
+popsci.com##.arcAdsContainer
+popsci.com##.arcAdsBox
+speakingtree.in##.amazonProduct
+speakingtree.in##.amazonProductSidebar
+bravotube.net##span[id^="BT-Native-"]
+digit.in##.adsAdvert
+techrrival.com##.techr-aff
+inforum.com###origami
+inforum.com##.origami
+||exe.io/files/avenhunt.js
+ddl.to##a[href^="https://ddl.to/download.html"]
+indiatimes.com##.custom_ad
+coolmathgames.com##div[class^="panel-pane pane-block pane-cmatgame-advertisement-cm-g-"]
+wrw.is##.site-header-inner > a[rel="nofollow"] > img
+wrw.is##.widget_sp_image > a[rel="nofollow"] > img
+||bstatic.com^$script,domain=abril.com.br
+||pervertslut.com/contents/other/player/embed/*.gif
+ipornia.com##.tcats > ul > li.fel-vd
+tapatalk.com##.post_content > div.pb3 > div[style="margin-top:10px;padding:10px;background-color:#f8f8f8;font-size:1rem;color:#333;"]
+slate.com##.ad--inArticleBanner
+mumbaimirror.indiatimes.com##.colombiaSuccess[data-slot-type="organicAds"]
+moneycontrol.com##.advertise_brand
+tagmp3.net##.tagsadd
+blisseyhusband.in,novelmultiverse.com,phoneswiki.com##.adace-slideup-slot-wrap
+desktophut.com##.gridlove-sidebar > #text-18
+tvchoicemagazine.co.uk,heatworld.com##.drw-ad
+heatworld.com##.sticky-ad-unit-spacer-default
+porn.com##.s-znr
+porn.com##.f-znr
+timesofindia.indiatimes.com##div[data-primead]
+timesofindia.indiatimes.com##.toi-amazon
+timesofindia.indiatimes.com##.asprime1
+timesofindia.indiatimes.com###reverseads
+timesofindia.indiatimes.com##.mid_ads
+timesofindia.indiatimes.com##.fromaroundwebrhs
+||megaurl.in/sw.js
+notebookreview.com##aside#todaysPromos
+swatchseries.to##a[href^="http://takelnk.com/"]
+||aii.sh/sw_*.js
+imgspice.com###interdiv
+yugatech.com##a[href^="https://yugatech.ph/"][target="_blank"] > img
+yugatech.com##.sidebar-content > div[id^="text-"] > .textwidget > p > a[href^="https://yugatech.ph/"] > img
+dubizzle.com###top-leaderboard
+spider-solitaire-game.com##div[id^="banner"]
+thisvid.com##.video-holder span.message > a[href][target="_blank"]
+||lnk.news/links/flash-ad?u_id=
+imgtaxi.com##iframe[src^="frame.php?"]
+manytoon.com###floating_ads_bottom_textcss_container
+manytoon.com##.text-center > a[href][target="_blank"] > img
+socks24.org###crosscol > .HTML:not(.PageList)
+||embed.dramaz.se/jwplayer-*/vast.js
+||cpopchanelofficial.com/wp-content/uploads/*/Banner
+capage.in##.single_post table[style="height: 100%; width: 100%; border-collapse: collapse;"]
+||movies123.pro/xcbdhdasdfr
+mangarock.com###bottom-banner-ads
+||thejournal.ie/media/hpto/*roidesignerofferssuperdryvrpageskin1.jpg
+||lkop.me/sw.js
+apkgod.net##.ads-parent
+||bit-url.com/special*/*.html$subdocument
+||exe.io/files/urafes.js
+scotsman.com,wakefieldexpress.co.uk##.bottom_leaderboard
+forvo.com##.li-ad
+pictoa.com##a[href="https://www.pictoa.com/o/live-footer.html"][rel="nofollow"]
+pictoa.com##a[href="https://www.pictoa.com/o/live-gallery.html"][rel="nofollow"]
+sankakucomplex.com##iframe[src^="//c.otaserve.net/"]
+||sankakucomplex.com/*as/s.js
+||netdna-cdn.com/wp-content/uploads/*/ssdreview_SX6000Lite.jpg$domain=thessdreview.com
+||oko.sh/sw_*.js
+wuxiaworld.com##[href^="https://go.onelink.me"]
+wuxiaworld.com##.container-fluid .pw-container > a[target="_blank"]
+||wuxiaworld.com/images/pw^
+dailystar.co.uk##amp-iframe[height="40"]
+dotnetfiddle.net##.container-sponsor
+167.99.71.200##tbody > tr > td[style] > a[href][target="_blank"] > img
+film21.online##a[href*="&utm_medium=Banner"] > img
+forums.hardwarezone.com.sg#$##sphm_overlay { display: none !important; }
+forums.hardwarezone.com.sg#$?#body { overflow: visible !important; }
+game-debate.com##.scrolling-ad
+game-debate.com##.scrolling-ad-square
+gottanut.com##.reclamUndervideo
+gottanut.com##.reclam-overlayVid-desktop
+||gottanut.com/addons/blad.php
+||gottanut.com/assets/js/fdl.js
+||pornkino.cc/wp-content/themes/retrotube/nex1.js
+forums.watchuseek.com##body > a[rel="nofollow"][target="_blank"]
+uploadrar.com###commonId > a > img
+mangadog.club##a[onclick*="ad_config"]
+kolombox.com,payskip.org,aii.sh,ckk.ai,oko.sh##img[class^="ziggy_"]
+mangakakalot.com##div[style="float: left;width: 100%;text-align: center;"] > div[style*="width: 728px; height: 90px;"]
+mangakakalot.com##div[style="float: left;width: 100%;text-align: center;"] > div[style*="width: 300px; height: 250px;"]
+mangapark.net##.ad-page-3x
+mangapark.net##div[claass="ad-970x250"]
+cb.websiteforever.com###id_cntobs
+cb.websiteforever.com##.add_item
+cb.websiteforever.com##.wrapper > div[style^="width:100%; height:90px;"]
+nosteamgames.ro##body > div[id^="c_window_"][style="width: 300px; height: 280px;"]
+venea.net##.ag_content
+mangabat.com##div[style$="overflow: hidden;"] > div[style^="width: 728px; height: 90px;"]
+mangabat.com##div[style$="overflow: hidden;"] > div[style^="width: 300px; height: 250px;"]
+||chaturgirl.com/affiliates/$subdocument,redirect=nooptext,important,domain=imgtorrnt.in
+/poppy^$script,domain=pornq.com|see.xxx
+thegay.com##.wrapper + section
+thegay.com##.navigation > ul.primary > li > a[href][target="_blank"]
+apkpure.*##.ad-box-auto
+pornyfap.com##div[class="ad"]
+pornyfap.com##.grid-container > div.item4-1
+xtube.com##.offerHolder
+biqle.ru##a[href="https://savevk.com/biqle.ru"]
+watchpornfree.info##aside > #execphp-2
+||watchpornfree.info/wp-content/themes/toroflix/nex1.
+shameless.com##.player > .pause-gift
+videos.freeones.com##.vjs-banner-overlay
+photos.freeones.com##a[href^="http://click.payserve.com/"]:not(#sponsorHref)
+riotpixels.com##.br-new
+1377x.to###pc-down-wrap
+1377x.to##a[href^="/anonymous-download/?"][target="_blank"][id]
+mywebtimes.com##div[class^="piano"]
+||scatboi.com/banner/
+scatboi.com##a[href="https://crackstuffers.com/"]
+palmtube.com##.Player_Bn
+palmtube.com##.Content > .Sub_Title.Sub_Title_Bottom
+||adt.reallifecam.com^$domain=palmtube.com
+pornflixhd.com##.custom-html-widget > a[href][rel="noopener noreferrer"] > img
+simsdom.com##.pbcd
+einthusan.ca###html5-player > #load-status-screen
+userbenchmark.com##.be-mr
+userbenchmark.com##.be-caption
+||adtival.network^$third-party,subdocument
+||imgadult.com/img/46860.png
+geomica.com##.box-main > .banner-728x90 + center[style^="box-sizing:border-box; color:#"]
+cloudstorageoptions.com##.adslot_left
+||adee.hit.gemius.pl/gdejs/xgde.js$domain=sportacentrs.com
+||webgate.tn/getlink/*.js
+||webgate.tn/promo/*.gif
+tokyoghoulre.com,watchgoblinslayer.com,watchnoblesse.com,watchtowerofgod.com,watchdrstone.com,demonslayeranime.com,watchblackclover.com,watchkaguyasama.com,haikyuu3.com,watchoverlord2.com,watchsao.tv,watchrezero2.com,semawur.com,idzone.site##center > a[href] > img:not([class^="alignnone"])
+tube8.*##.js-pop[data-esp-node="content_partner_video"]
+tube8.*##.rightColBanner
+tube8.*##.footerBanner
+tube8.*###main-nav > li > a[rel="nofollow noopener"][onclick^="pageTracker"]
+tube8.*##.gridBanner
+northumberlandgazette.co.uk##div[class^="sc-"]::before
+rule34porn.net,mangoporn.net##a[href="https://theporndude.com"]
+milffox.com##.signup
+milffox.com##.offer
+pantagraph.com##a.btn-success:not([href="/members/join/"])
+||marketrealist.com/*/adrules.js
+sendvid.com###ftr
+sendvid.com##a[target="_blank"][style*="position: fixed"][style*="z-index:"]
+sendvid.com###video-js-video > a[href="javascript:void(0)"][style*="z-index: 99999"]
+hcbdsm.com,motherporno.com,momvids.com##.aside
+||momvids.com/player/html.php?aid=
+gamerant.com##.ad-zone-container
+speed-down.org,earn4files.com##center > div[style="width:336px; height:280px; background-color:#ffffff; text-align:center"]
+||a.o333o.com/api/spots^
+||pub.javwide.com/UN4DlQ5.js
+accuweather.com##.ad-lr
+vkspeed6.com,vkspeed5.com,vidwatch.me###over_main
+forum.wordreference.com##.js-replyNewMessageContainer > li.message:not([id^="js-post-"])
+||fijivillage.com/images/ad_pshx.png
+gamecopyworld.eu##.t0 > div[style] > table > tbody > tr > td[align="center"] > #lb
+winporn.com##.relatedvideos ~ .relatedvideos:not([style])
+maxconsole.com##.secbanner-wrapper
+/banners/*$domain=biertijd.com|biertijd.xxx|waskucity.com
+biertijd.com,biertijd.xxx##div[style="text-align: center"] > a[target="_blank"] > img
+||autocar.co.uk/sites/autocar.co.uk/files/styles/body-image/public/save_you_money_148.jpg
+wikifeet.com##.dashad
+||exe.io/files/p*.js
+||animefrenzy.net/static/jquery.js?v=
+||shawmediahomes.com^$domain=mywebtimes.com
+mywebtimes.com##iframe[src^="https://shawmediahomes.com/"]
+mywebtimes.com##.roadblock
+cinespot.net##.ad-image
+cinespot.net##td[width="10%"]
+cinespot.net###gsContent > b
+cinespot.net###gsContent + b
+cinespot.net##td[align="center"] > b
+eroxia.com,hypnotube.com##[class^="aff-"]
+||hypnotube.com/images/*Ad*$image
+playtube.pk##.videoPlayerAd
+fmovies.to##.mbtn.stream4k > a[href^="https://www9.fmovies.to/stream/"]
+graduatez.com##.slot-box-marker-ad
+ptinews.com##div[class^="adddiv"]
+wotinspector.com##div[style*="background-color:#5a0000;"][style*="font-size:0.7em;"]
+wotinspector.com##div[style="background-color:#5a0000;line-height:1;font-size:0.9em"]
+oko.sh##a[href^="http://sundhopen.site/"]
+||thecambabes.com/js/mypop2.js
+camwhores.video,camwhores.tv,thecambabes.com##.list-videos > div.margin-fix > div.place
+thecambabes.com##.navigation > ul.primary > li > a:not([href*="thecambabes.com/"])
+porndig.com##.vjs-toolbar
+||adsafelink.com/js/webscript.js
+coub.com##.coub--promoted
+imguur.pictures##a[href^="https://mojamor.xyz/"]
+||imguur.pictures/allads/
+||imguur.pictures/UXLLOWERT_lo.js
+||threepercenternation.com/*/*.jpg$script
+||freee-porns.com/f.js
+upload.ac##.col-md-4 > .boxa > center > a[href] > img
+racefans.net##.text-above-ad
+||data.gblcdn.com/data/*gblcdn*.js
+mcloud.to,hotpornfile.org##body > div[id][style^="position: fixed;"][style*="z-index:"]
+hotpornfile.org##article.post > footer + div[id] > div[style] > iframe[style*="border-box; border: none;"]:not([src])
+cutlinks.pro##center > a[href=""] > img
+||cutlinks.pro/banner.png
+||up-load.io/ds1/js/nt.js
+kickassanime.ru/codea/
+||kickassanime.ru/sime*/$subdocument
+userupload.net##form .fileBottom
+stechies.com##.ad_mark
+smwebs.xyz###link-view > center
+smwebs.xyz###link-view > center + div[style="text-align: center;"]
+||clips4sale.com^$image,domain=ticklingforum.com
+||ticklingforum.com/*/*Banner$image
+ticklingforum.com##div[id*="_banners_"]
+goal.com##a[href^="https://ad.doubleclick.net/"]
+||gdriveplayer.co/ads.xml
+||playerseo.club/luxury*.mp4
+eroticasearch.net###grid > .column > div[style]:not([id])
+pornxs.com##.video__container > .video__inner > div > div[data-place^="ntv"]
+rapidgatorporn.net##.full-block > center > [href][target="_blank"] > img
+||rapidgatorporn.net/templates/rapidgatorporn/images/Flashbit.gif
+thisvid.com##.main-nav > li > a[target="_blank"]
+webcamshows.org##.Dvr300
+hackforums.net##.mam-header > a[href][target="_blank"] > img
+||hackforums.net/uploads/mam/*.gif
+||headfonics.com/wp-content/*/Banner-*.gif
+manatelugumovies.cc##.laptopad
+||linuxtopia.org/includes/tools.js
+||linuxtopia.org/images/eBookStore_*.png
+linuxtopia.org##a[href*="ebookfrenzy.com/"]
+meteoblue.com##main > div > div > div > div[style="width: 300px; height: 250px;"]
+sexy-youtubers.com##a[href^="https://secure.chewynet.com/"]
+sexy-youtubers.com##.td-ss-main-sidebar > aside.widget > div.textwidget > p a:not([href*="sexy-youtubers.com"])
+severeporn.com##.fp-player > div[style*="inset:"][style*="z-index:"][style*="position: absolute;"]
+sexcelebrity.net,3movs.com,filtercams.com,watchmygf.me,porndr.com,fpo.xxx##.fp-player > div[style^="position: absolute;"][style*="overflow: hidden; z-index:"]:not([class])
+||porntopic.com/player/html.php?aid=pause_html&*video_id=*&*referer=
+/^https?:\/\/(www\.)?pornorips\.com\/[a-z\d]+\.js$/$domain=pornorips.com
+||xxxmoviestream.xyz/wp-content/themes/dooplay/nex1.
+fux.com##iframe[src^="/nativeexternal/"]
+fux.com##nav > ul > li > a[target="_blank"]:not([href="http://www.fuxhd.com"])
+||fux.com/nativeexternal/
+||gelbooru.com/extras/
+gelbooru.com##div[style^="width: 728px; height: 90px"]
+youtrannytube.com##.random-td
+frprn.com,youtrannytube.com##.footer-spot
+/iframe.php?spotID=$domain=youtrannytube.com
+escortbook.com##body #ebsponAxDS
+escortbook.com##div[id^="escortbook_ads_type"]
+||bigleaguepolitics.com/wp-content/plugins/adtoniq/
+||ultraurls.com/dev/dev*.html$subdocument
+xfantasy.tv##.adds_ban
+icegay.tv,gayporno.fm##a[href*="kepler-37b.com/"]
+kickassanime.ru,kickassanime.io##div[class^="ka-ax-wr"]
+||kickassanime.io/sime*/$subdocument
+||unblocked.to/testi.php
+slant.co##._SummaryPageSponsoredOptionView
+prostylex.org,ettvcentral.com,skytorrents.to###vpnvpn
+tranny.one##.container-content > div[style^="padding-top: 10px; overflow: hidden; height:"]
+yesvids.com,tranny.one##.flirt-block > div[class^="ads"]
+nudevista.at,nudevista.be,nudevista.com,nudevista.com.pl,nudevista.es,nudevista.it,nudevista.net,nudevista.nl,nudevista.se,nudevista.tw###paysite
+thegay.com##.poper_show
+gogoanime2.org##.adsverting
+||extramovies.wiki/wp-content/uploads/*/red.png
+g-status.com##.topadv_placeholder
+||cdn.performit.club/scripts/nwm-pw.min.js
+upscpdf.com##.e3lan-below_header > a[href^="http://bit.ly/"] > img
+imtranslator.net##div[style="width:315px;text-align:center;"]
+antivirussoftwareguide.com##.sidebar-block__top-product-block
+meteomedia.com##.promo_service
+thecambabes.com,celebsroulette.com,camuploads.com,heroero.com,thebestshemalevideos.com##.block-video > .table > .opt
+camuploads.com##a[href^="https://reactads.engine.adglare.net/"]
+||mangatensei.com/propbig.php
+||mangatensei.com/propbot.php
+carsguide.com.au,lightnovelworld.com,coinranking.com,tutorialrepublic.com,adz7short.space,short.croclix.me,milesplit.com,adz7short.space,forum.xda-developers.com,countle.com,chron.com,picmix.com,pornsfw.com##.leaderboard
+kmbc.com##.ad.rectangle
+mycast.io##.graphic-big-holder
+||yourlust.com/m/js/mobile.min.js
+||ecpms.net^$popup
+apk4all.com##.ny-down > a[rel="nofollow"][class="more-link"][title="Download"]:not([href*="?app_id="])
+latimes.com##.GoogleDfpAd-wrapper
+.com/js/customscript.js|$domain=wankoz.com|sleazyneasy.com
+nutritiondata.self.com##.around_the_web
+free-mockup.com##div[class^="ad-affiliate-"]
+||free-mockup.com/wp-content/themes/checkout/images/placeit-mockup-15off.png
+||free-mockup.com/wp-content/themes/checkout/images/placeit-mockup-horizontal.png
+porngun.net##.menu > li > a[href][target="_blank"]
+porngun.net###player-container > #video-pause
+ultimate-guitar.com##bidding-unit[id^="ad_cs_"]
+findagrave.com##.fg-prad
+vpnranks.com###sticky-banner
+||compare.thecrazytourist.com/*/javascripts/intent_media_sca_ads.js
+||imglnkd.com^$domain=amateurporn.me
+gematsu.com##iframe[data-src^="https://www.play-asia.com/"][data-src*="iframe_banner-"]
+||play-asia.com/*iframe_banner-$domain=gematsu.com
+erome.com##.free-space
+||erome.com/35.js
+hdporncomics.com###sidebar-right > #text-3
+hdporncomics.com###sidebar-right > #custom_html-9
+||analyticsindiamag.com/wp-content/uploads/2019/02/Blue_03.jpg
+analyticsindiamag.com##.textwidget > p > a[rel="nofollow external noopener noreferrer"] > img
+||activistpost.com/*/*.jpg$script
+flyingmag.com##.arcAdsContainer
+flyingmag.com##.article_ad_text
+||besthindisexstories.com/bhk.js
+besthindisexstories.com###widgets-wrap-sidebar-right > #enhancedtextwidget-3
+besthindisexstories.com###widgets-wrap-sidebar-right > #enhancedtextwidget-5
+techgenix.com##.pp_ads_single_before_related
+uploadrive.com##a[href*="/?token="][href*=".exe"]
+skysports.com##div[data-ad-format="mpu"]
+lesbianexpert.com##.kck
+/^https?:\/\/(www\.)?lesbianexpert\.com\/[a-z\d]+\.js$/$domain=lesbianexpert.com
+flagandcross.com###klicked-shopify-widget
+flagandcross.com##.mvp-side-widget a[target="_blank"]
+||tempest.services.disqus.com/ads-iframe^$important
+||uploadrar.com/banner.gif
+||uploads4u.net/images/download_ads.png
+naturallycurly.com##.google-dfp-adspace
+||cdn.thejournal.ie/media/hpto/*skin*.png
+||xyzcomics.com/vixaizcomehpefw.php
+socialblade.com##div[style^="width: 860px; height: 90px;"]
+allcelebs.club##table[width="330"][border="1"]
+allcelebs.club##table[width="300"][border="1"]
+allcelebs.club##table[border="1"][width="310"]
+allcelebs.club##.demo3
+allcelebs.club##table[align="center"][style="width: 700px;"]
+allcelebs.club##a[href^="http://www.searchcelebrityhd.com/"]
+ettv.to##.vp_ab
+ettvcentral.com,ettv.to##.imdb > div[class^="download_liinks"]
+looper.com##.recommended-heading
+||xxxdessert.com/tube/player/html.php?aid=pause_html&*video_id=*&*referer=
+||imgmercy.com/folo.js
+sexu.*##.player__side.player-related
+sexu.com##.content__body .info
+://s3.amazonaws.com/*?trkch=*&visitor_id=*-aff0-*&client=*&u=$redirect=nooptext,important
+lookmovie.ag##.plr-ad-stripe
+lookmovie.ag##.bottom-message-container
+||sexy-youtubers.com/fronfrontfront.js
+sexy-youtubers.com##a[href^="http://aj1070.online/"]
+sexy-youtubers.com##a[href="https://theporndude.com/"]
+sexy-youtubers.com##a[href="http://weknowporn.com"]
+htpcguides.com##.inside-right-sidebar > #text-18
+crystalmark.info##a[href^="https://suishoshizuku.com/"]
+saveur.com##div[class*="arcAds"]
+watchcartoonsonline.eu##.sidebar_list > #text-7
+||watchcartoonsonline.eu/inc/ggz/ffa.js
+celebritygalls.com##.articles-container > article.card[style="border:5px solid black;"]
+||bitco.world/brave2.gif
+||imgoutlet.pw/lksgx.js
+all81soft.com##.header + div[data-op^="/go/"]
+pornid.*##.cs-under-player-link
+pornid.*##.rsidebar-spots-holder
+||pornid.*/azone/
+||pornid.*/pid/dev.js
+fatherly.com##.article__leaderboard-ad
+fatherly.com##.in-article-ad
+dictionary.com##aside[id$="-top-300x250"]
+namethatporn.com##div[onclick^="FAB"]
+||static.namethatporn.com/assets/prod/fab
+||jelajahinternet.me/download3.png
+rawstory.com#?#.rs_ad_block
+rawstory.com#?#.container_proper-ad-unit
+opjav.com##.float-ct
+opjav.com###ads_location
+||opjav.com/bet/*_728х90.gif
+||rapidvideo.is/genads.php
+protoawe.com##.pausedView
+||awestat.com/npt/banner^
+||taboola.com^$domain=1fichier.com|espn.com|gamespot.com|popsci.com
+healthline.com##aside[class="css-bzwr8d"]
+healthline.com##div[class="css-y4sdpf"]
+healthline.com##div[class="css-1vcjrad"]
+||rule34.xxx/images/pro.png
+||kickassanime.io/homeside*/$subdocument
+01fmovies.com##.jw-logo-top-left[style^="background-image: url(\"https://01fmovies.com/addons/"]
+||imagezilla.net/gqwxtancgwaiet.php
+gumtree.com.au##.user-ad-row.user-ad-row--featured-or-premium
+||kshow123.net/assets/*.html$subdocument
+/images/banner_$domain=cna.org.cy
+||cdn-assets.bittorrent.com/*-banner-
+||adshort.co/proxy-service-ab1.php
+||1337x.unblock2.xyz/z.js
+||1337x.unblock2.xyz/ab*.js
+radio.net###section-ad
+||smarthomebeginner.com/images/*300x250_
+smarthomebeginner.com##div[class^="shb-"][class*="-placement"]
+digit.in##.hot_deals
+hdzog.com##.rek-link
+new.lewd.ninja##.box.has-aids
+bikeradar.com##.sticky-advert-widget
+bikeradar.com##div[data-adtargets]
+linkedin.com##.ad-banner-container
+||toplessrobot.com/wp-content/themes/smart-mag-child/js/vmg-ads.js
+||winporn.*/templates/base_master/js/jquery.shows.min.js
+||xozilla.com/player/html.php
+autotrader.com##div[data-cmp="fixedAdContainer"]
+uploadrive.com###content > center > a.btn[onclick]
+sexgifs.me,mysanantonio.com##a[target="_blank"] > img[width="300"][height="250"]
+nekopoi.care##a[href^="https://bit.ly"] > img[alt*="iklan "]
+vladan.fr##a[href*="banner"][href*="utm_source"][target="_blank"]
+||vladan.fr/wp-content/uploads/images/veeamskin3.png
+vladan.fr##a[href^="https://www.vladan.fr/go"] > img
+oko.sh##.banner + center > a[target="_blank"] > img
+xfantasy.tv##nav > ul > li > a[target="_blank"]
+xfantasy.tv##a[class^="join_banner"][target="_blank"] > img
+seedpeer.me##.content > iframe[width="800"][height="200"]
+instadp.com##.promoted-modal
+.com/pu/$script,domain=smutr.com
+||backgrounds.wetransfer.net/brand/
+youx.xxx##.player-banner
+||pornalin.com/*.php
+pornalin.com##.block_spots
+pornalin.com##.section_spot
+pornalin.com##.aside_spots
+pornalin.com##.js-banner-player
+/^https?:\/\/[a-z0-9]+\.rumormillnews\.com\/images\/(make_my_day.JPG|banner3kevinremade.jpeg|banner3kevinremade.jpeg|africanfamily3.jpg|acm-homeworkshop.jpg)/$domain=rumormillnews.com
+indianexpress.com##.m-story-ad
+forums.whirlpool.net.au##.replyblock > .reply[style="padding: 0;"]
+xtube.com###xtubePlayer > div[id] > div[id][class][style="display: none"]:not(.recommendedVideosOverlay) > div
+xtube.com###tabVideos > .rowSpace > li.stamp:not(.deleteListElement):not([data-plid])
+.blogspot.com/*/*ADtulo-2.jpg
+sportsplays.com##.bannerZone
+fux.com,porntube.com##.native-footer
+uiporn.com##.top-sponsor
+theroar.com.au##.pm-ad-unit
+bulbapedia.bulbagarden.net###laptop-box
+yifymovies.tv##.sidebar .textwidget > div[style*="width: 300px; height: 600px;"]
+kimovil.com##.kau
+||hd21.*/templates/base_master/js/jquery.shows.min.js
+freepik.com###main > section[class=""][id*="_"]:not([class*="spr"])
+gamerguides.com,instaud.io##.spons
+texastech.forums.rivals.com##.sectionMain.funbox .funbox_forum_view_above_thread_list > div > a[href][target="_blank"] > img
+tryfist.net##aside > a[target="_blank"] > img
+jawcloud.co##.loloba
+putlockerstoworld.com##a[href^="https://deloplen.com/"]
+star-telegram.com,sacbee.com###zerg-target
+new-movies123.link,gomovies.tube##a[href^="/user/profile/premium-membership"] > img
+gomovies.tube##.jw-logo-top-left[style^="background-image: url(\"https://gomovies.tube/addons/try-premium"]
+||ecoimages.xyz/furs/mastiff.js
+||ecoimages.xyz/furs/mortgage.php
+||theseotools.net/sponsors/$image
+youramateurporn.com##.menu > ul > li > a[rel="nofollow"]
+youramateurporn.com##a[target="_blank"][rel="nofollow"]
+porndr.com##iframe[id="inp_iframe-pd-nat-h"]
+porndr.com##.content > .bottom-pct
+encurta.eu,oko.sh###link-view > a[href][target="_blank"] > img
+||oko.sh/sw.js
+audioz.download###leaderboard > li > a[href] > [src^="/templates/Default/img/promotional/"]
+audioz.download###inSidebar > a[href][target="_blank"][rel="noFollow external"][style*="/promotional/"]
+||audioz.download/templates/Default/img/promotional/
+||cut-urls.com/files/p1.js
+msn.com##div[data-m*="RiverMarketPromo"]
+yts.mx##div[class$="-bordered"]
+speedtest.net##.eot-box-wrapper > div.pure-g
+bootcampdrivers.freeforums.net###wrapper > div[style^="display: flex; width: 700px; max-width: 100%;min-height: 250px;"]:not([class]):not([id])
+slidehunter.com##.itm-ads
+slidehunter.com##.sticky > .ad
+msn.com##li[data-m*="NativeAdHeadlineItemViewModel"] > a.nativead
+msn.com##div[data-section-id="shopping stripe"]
+tubev.sex##.sp_block_3-300-250
+||tubev.sex/static/js/abb.js
+/wp-content/themes/dooplay/nex1.$domain=mangoporn.co|playpornfree.xyz
+||movcpm.com/watch.xml?key=
+||displayfusion.com/ImagesCommon/Content/FileSeek/
+||hdeuropix.com/hdmgor.js
+||hdeuropix.com/hdmdol.js
+flix555.com##body > a[style="position: fixed; top: 0; left: 0; right: 0; bottom: 0"][target="_blank"]
+pornxs.com##div[data-ad-index-parent]
+leechall.com###overly
+||vidbob.com/player*/vast.js
+||cdn.cloudfrale.com/Managed/*.mp4
+pornhub.com,pornhub.org,pornhub.net##a[href^="https://weedmaps.com"]
+pornhub.com,pornhub.org,pornhub.net###hd-rightColVideoPage > .clearfix:first-child
+msn.com##div[aria-label="property by domain"]
+msn.com##div[aria-label="from our partners"]
+zuketcreation.net,bestprosoft.com,cracksmod.com##.affiliate_download_imagebutton_container
+macrotrends.net##.adx_top_ad
+cricfree.sc##.links-buttons > .watch.live-color > a[href="http://iptvlive.com"]
+cricfree.sc##.kbps > .watch.live-color > a[href="https://cricfree.live/"][target="_blank"]
+||cricfree.sc/banner.png
+tekrevue.com##.ad-post-trail
+jigsawplanet.com##.ts-ad-wrap
+trueachievements.com###sidebar > .side-unit
+||stfly.io/download.png
+winkawaks.org##.google-adsese
+letmejerk.com##.video-wrapper > aside[class]
+highporn.net,javhub.net##.fel-playclose
+javhub.net##div[class*="banner-"]
+staticice.com.au##td[align="center"] > a[href^="http://www.staticice.com.au/cgi-bin/redirect.cgi?"][target="_blank"] > img
+coolrom.com.au###td-top-mpu-1
+coolrom.com.au##table[width="100%"][height="100%"] > tbody > tr > td[style="margin:0px;padding:0px;"][width="336"]
+coolrom.com.au##table[width="980"] > tbody > tr > td[width="100%"][bgcolor="#000000"][colspan="2"][align="center"]
+coolrom.com.au##table[width="980"] > tbody > tr[height="100%"] td[width="100%"] > font > center > div[style="min-height:250px;"]
+oregonlive.com##.revenue-display--wide
+javdragon.com##.aft_bnr
+||wantedbabes.com/fload.js
+||wantedbabes.com/images/wantedbabes.com/p2_parent.js
+||aweproto.com^$domain=kodiak.top
+||protoawe.com^$domain=kodiak.top
+||awestat.com^$domain=leporno.org
+||pussytorrents.org/js/striptools/t*_*.js
+||whenisgood.net/static/pics/ycbm-ad.jpg
+||xxxdessert.com/*_fe.js
+||tvbarata.club/ads/
+wwwstream.pro,gamehub.pw###localpp
+girlsofdesire.org##div[style="margin: 0 auto;font-size: 0px; height: 255px;"]
+girlsofdesire.org##a[href^="http://refer.ccbill.com/"]
+||girlsofdesire.org/php/*_fl.js
+||movies123.pics/addons/partners/
+new-123movies.net##._forFree > ._online > div[class] div[class]:has(> span > a[href="/user/profile/premium-membership"])
+123movies.domains,new-123movies.live,gomovies-online.link,new-123movies.net,solarmovie-online.*,real-solarmovie.com,couchtuner.*,1primewire.com,new-movies123.link,01fmovies.com,putlocker.style,movies123.pics,gomovies.bid,solarmovie.fun##div[id] > .close.ico
+123movies.domains,new-123movies.live,gomovies-online.link,new-123movies.net,solarmovie-online.*,real-solarmovie.com,couchtuner.*,1primewire.com,new-movies123.link,01fmovies.com,putlocker.style,movies123.pics,gomovies.bid,solarmovie.fun##div[id] > .close.ico + a[href="/user/profile/premium-membership"]
+fmovies.gallery,123movies.gallery,01fmovies.com,123movies.domains##div[style="display: block;"] > .close.ico
+fmovies.gallery,123movies.gallery,01fmovies.com,123movies.domains##div[style="display: block;"] > .close.ico + a[href="/user/profile/premium-membership"]
+123movies.domains,new-123movies.live,gomovies-online.link,new-123movies.net,solarmovie-online.*,real-solarmovie.com,couchtuner.*,1primewire.com,putlocker.style,movies123.pics,gomovies.bid,fmovies.gallery,123movies.gallery,01fmovies.com,01fmovies.com,123movies.domains##a[href="/user/profile/premium-membership"] > img
+123movies.domains,new-123movies.live,gomovies-online.link,new-123movies.net,solarmovie-online.*,real-solarmovie.com,couchtuner.*,1primewire.com,new-movies123.link,putlocker.style##.jw-logo[style^="background-image: url("][style*="/addons/"]
+movies123.pics##.jw-logo[style^="background-image: url(\"https://movies123.pics/addons/"]
+gomovies.bid##.jw-logo[style^="background-image: url(\"https://gomovies.bid/addons/"]
+fmovies.gallery##.jw-logo-top-left[style^="background-image: url(\"https://fmovies.gallery/addons/"]
+movies123.pro##.jw-logo-top-left[style^="background-image: url(\"https://movies123.pro/addons/"]
+123movies.gallery##.jw-logo-top-left[style^="background-image: url(\"https://123movies.gallery/addons/img/"]
+123movies.domains##.jw-logo-top-left[style^="background-image: url(\"https://123movies.domains/addons/img/"]
+123movies.domains,new-123movies.live,gomovies-online.link,new-123movies.net,couchtuner.*,1primewire.com,new-movies123.link##.jwplayer > div.afs_ads ~ div[style*="z-index"][style*="position: absolute;"]
+msn.com##.provAd
+otakusan.net##.fixed-ad
+otakusan.net##.pages div[style="margin: auto;width: 605px;max-width: 100%;text-align: center;height: 250px;overflow: hidden;"]
+otakusan.net###chap_view > div[style="margin: auto;width: 605px;max-width: 100%;text-align: center;height: 252px;overflow: hidden;max-height:260px;overflow-y:hidden;"]
+aajtak.intoday.in##.amp-ad-inner
+||ytmp3.cc/p/|$popup
+myjoyonline.com##.article-text > div[id^="in-article-"]
+myjoyonline.com##.article-text > div[style="float:right;z-index: 996;height:340px; width:250px;margin-bottom: 10px;"]:not([class]):not([id])
+||myjoyonline.com/ghana-news/img/glauc-new.jpg
+kissasian.*##div[style^="float:left; width: 300px; height: 250px;"]:not([class]):not([id])
+kissasian.*###leftside > div[style="margin-bottom: 10px; overflow: hidden; width: 728px; height: 90px;"]
+||unblocked.*/abd.js
+||unblocked.*/abe.js
+zooqle.unblocked.icu##a[href^="/b/?http"][style="font-weight: bold;"]
+||cdn.sexygame66.com^$media
+||cdn.sagame66.com^$media
+/wp-content/uploads/*.gif$domain=037hdd.com
+037hdd.com##.bireklam
+037hdd.com##div[class="filmborder"][style="height: 200px;"]
+mangaowl.com,037hdd.com##div[id^="ads_"]
+037hdd.com###sidebar > div[class="widget_text sidebarborder"]
+||goalclub.tv/videos/Macau*.mp4
+pornclipsxxx.com##div[align="right"][style="color:#333;text-align:center;"]
+||xtremeserve.xyz/*.php$xmlhttprequest,other
+||muhammadyoga.me/download3.png
+twitchtracker.com##.abracadabra
+porndr.com##.we_are_sorry
+||porndr.com/player/html.php
+tryboobs.com##.two-rcol
+||uploadrar.com/dating.jpg
+chrispederick.com###sponsor
+windowscentral.com##.panels-flexible-region-inside > a[href^="https://www.awin1.com/awclick.php?"]
+happi.com,nutraceuticalsworld.com###exposeMask
+happi.com,nutraceuticalsworld.com###dfpoverlay_wrap
+subtitlebank.net##a[href^="http://trk.globwo.online/"]
+||subtitlebank.net/2.gif
+digiday.com##.wrapper > article div[class^="ad_"]
+||thekat.ch/c.js
+shotcut.org##.col-md-8 > div[style="background-color: #ddd; padding: 6px; text-align: center"]:not([class]):not([id])
+is123moviesfree.com,putlocker.digital,123movies.gallery,1movies.is###p_native
+sexvid.*##.bottom_spots
+||xxxonxxx.com/a.php|
+chess24.com##.ad3rdParty
+closeload.com###clk_btn
+cutpaid.com###link-view > center > iframe
+||filez.cutpaid.com/bt*.html
+sozosblog.com###banner-lad
+sozosblog.com###load-featured-content
+sozosblog.com###sidebar a[href="/go.php"][rel="nofollow"] > img
+youx.xxx##.thumb_banner
+||youx.xxx/*.php|
+mp4upload.com##.video-js > .vjs-over.vjs-fade
+||mp4upload.com/vjs/ada2.html
+||mp4upload.com/vjs/iframe2ad.html
+file-up.org##.row > div[class] > #countdown + div[style="margin: 10px 0;"]
+||vkprime.com/player*/vast.js
+||greedseed.world/vast_tag/*.php
+ottawacitizen.com##.adsizewrapper
+dummies.com##.ad-post > section.ads
+pornoflix.com,lapagan.net,kaplog.com###v-overlay
+hentaiprn.com,kaplog.com##.Thumbnail_List > .xtact
+hentaiprn.com,kaplog.com##.Thumbnail_List > .aft_bnr
+||statics.javhihi.com/assets/love/index.
+cpmlink.net##.site-main > .container a[href][target="blank"] > img
+||blogspot.com^$image,domain=cpmlink.net
+sex3.com##.search-page-adv
+anyporn.com,sex3.com##.inplb3x2
+vivatube.*##.livecams
+vivatube.*##.clear + .mt15.container[style="margin-top:15px; border-bottom:0;"]
+vivatube.*##.thrcol > .thr-rcol
+||tvmovieflix.com/468__60-Orange-
+||protoawe.com/vast/
+||youtubeloop.net/img/banner/*-banner.gif
+myhdporn.net##.afc_popup
+myhdporn.net##a[href="http://myhdporn.net/other.php"][rel="nofollow"] > img
+||myhdporn.net/sss.gif
+||myhdporn.net/ccc.gif
+hdpornvideo.xxx##.lika
+||hdpornvideo.xxx/static/js/abb.js
+||hdpornvideo.xxx/nbb/serve
+superherohype.com##.wrapper > #js-leaderboard
+||dailyimages.xyz/crackle/carouseal.js
+||dailyimages.xyz/crackle/graduation.php
+||1373837704.rsc.cdn77.org/mobilead.js
+||1373837704.rsc.cdn77.org/entry2.js
+watchonetreehillonline.com,watchhowimetyourmother.online###contenedor > #keeper2
+reblop.com##[href^="https://t.frtyo.com/"]
+||filerio.in/images/logo_bw.png$popup
+||kickassanime.io/codea/
+file-up.org##.page-wrap > .dareaname ~ .text-center
+pcsteps.com##a[href^="https://www.pcsteps.com/cyberghost-pcsteps-deal"]
+speed4up.com##.adstop > center > a > img
+hgtv.ca,mapquest.com,pornhub.com,pornhub.org,pornhub.net##.adWrapper
+||ckk.ai/sw.js
+ups.com##.ups-tracking_banner_img
+cointiply.com##iframe[src^="/api/ads/"]
+apkmos.com##.td-header-sp-recs
+allthatsinteresting.com##.post-content > .pbh_inline
+allthatsinteresting.com##.banner-row
+3movs.com##.nav > li.cams
+||ouo.io/js/adv
+||xcafe.com/jkzx/VCYQAfEIoJ.js
+||xcafe.com/*.jsf?m=
+ouo.press,ouo.io##.content a[href][target="_blank"]
+||ouo.press/js/*.js?
+||ouo.io/js/webpush.ma.js
+||floater.playstream.media^$domain=ouo.io
+javrank.com##.home-featured-ad
+livesport.ws##a[href^="http://clickstats.online/"]
+||xopenload.me/wp-content/themes/PsyPlay/nex1.
+||content-cdn.y2mate.com/themes/js/pa.js
+porn555.com##.vda-x2
+3prn.com##iframe[src^="//ads.exosrv.com/"]
+3prn.com##iframe[src^="https://syndication.exosrv.com/"]
+||3prn.com/even/ok.php
+bobs-tube.com,tubsexer.*##.sponsored_top
+tubsexer.*##.header_link > a[href="https://tubsexer.com/link/limited-1-offer-or-exclusive-1-deal/"]
+pornj.com,see.xxx,pornl.com##.vda-item
+opensubtitles.org###search_results > tbody > tr[style^="height:115px"][style*="background-color:"]
+imagefap.com##a[href^="https://awejmp.com"]
+firstpost.com##.fixBtm
+firstpost.com##.add_placeholder_300_600
+firstpost.com##.add_placeholder_300_250
+teachertube.com##.removeAd
+||uii.io/js/health.js
+tarifi.kiev.ua##body > div.plus
+slashdot.org###announcement
+||freshscat.com/images/*scat*.jpg
+||freshscat.com/images/livefetishcams.jpg
+freshscat.com##.menu > li > a[target="_blank"][rel^="nofollow"]
+gamcore.com##a[rel="nofollow"] > img[src*="fgn.me/common/images/"]
+gamcore.com##.warningbox
+gamcore.com##.side_fls
+gamcore.com###centerwrap > div#center > div#blurb
+gamcore.com##.flashes > li.foxtrotuniform_block
+gamcore.com##.warningbox ~ a[rel="nofollow"] > img
+gamcore.com##canvas[width="350"]
+gamcore.com##div[id$="_tvadbody"]
+gamcore.com###tvnotice
+||coub.com/assets/promo/
+coub.com##.viewer__das
+/[a-z0-9]{32,}.js/$domain=biqle.ru
+sslproxies24.top##iframe[name="banner"][src^="http://affiliate.strongvpn.com/"]
+taxi69.com##.menu-button-cams-icon2
+||taxi69.com/nb^
+||slutload.com/kvs-container/camsoda^
+||slutload.com/spots^
+pornvibe.org###menu-main-navigation-1 > li > a[target="_blank"]
+pornstreams.eu###menu-menu > li > a[target="_blank"]
+pornclassic.tube,tubepornclassic.com,xanimeporn.com,blackmod.net,multiup.eu,orbz.io##div[style="width: 300px; height: 250px;"]
+blackmod.net##.p-body-content > div[class="lSSlideOuter noticeScrollContainer"]
+||pornhd.com/*.php?$script
+gizchina.com##.vwspc-section-sidebar > .vw-sticky-sidebar > div[id^="text-"]:not(#text-29)
+forums.androidcentral.com##.mn_postbit > .row > .mn_deals__widget
+||bubble*life$redirect=nooptext
+||check-prizes-now*.life^$redirect=nooptext
+cambabe.video##.primary > li[style^="background-color:"][style*="color: #fff;"]
+camwhores.video,camwhores.tv##.primary > li > a[target="_blank"]:not([href*="camwhores.chat"])
+camwhores.video,camwhores.tv##.footer-wrap > div[style="text-align:center;margin-top:5px;margin-bottom:5px;font-size:20px;"]
+hentaiporn.one,povaddict.com,myxclip.com##.adv-square
+myxclip.com##.adv:not(#adv-2)
+||blameless.work/gorge/approval.js
+||blameless.work/gorge/conqueror.php
+4pig.com,levelsex.com##.banner_page_right
+japvid.xxx##.thumb-banner
+anime-planet.com##.video-banner
+software-on.com##._ning_cont > ._ning_inner
+streamzz.*,vidlink.org,streamz.*,nullpk.com,mitly.us,merdekaid.online,software-on.com##a[href^="http://deloplen.com/"]
+al.com,oregonlive.com,nj.com##.main-wrapper > #belowToprail
+||propvideo.net/vast.php
+||streamporn.pw/wp-content/themes/PsyPlay/billo.
+weather.com,argusleader.com,azcentral.com,battlecreekenquirer.com,baxterbulletin.com,bucyrustelegraphforum.com,burlingtonfreepress.com,centralfloridafuture.com,citizen-times.com,clarionledger.com,coloradoan.com,courier-journal.com,courierpress.com,dailyworld.com,delawareonline.com,delmarvanow.com,desertsun.com,desmoinesregister.com,floridatoday.com,freep.com,fsunews.com,greatfallstribune.com,guampdn.com,hattiesburgamerican.com,hometownlife.com,indystar.com,jconline.com,kitsapsun.com,lansingstatejournal.com,lcsun-news.com,montgomeryadvertiser.com,mycentraljersey.com,naplesnews.com,news-leader.com,news-press.com,newsleader.com,pal-item.com,pnj.com,portclintonnewsherald.com,press-citizen.com,redding.com,rgj.com,sctimes.com,shreveporttimes.com,statesmanjournal.com,stevenspointjournal.com,tallahassee.com,tcpalm.com,theadvertiser.com,thecalifornian.com,thegleaner.com,thenews-messenger.com,thenewsstar.com,thespectrum.com,thestarpress.com,thetimesherald.com,thetowntalk.com,usatoday.com,vcstar.com,visaliatimesdelta.com##.taboola-module
+torrentdownloads.me##.advv_box
+||torrentdownloads.me/templates/new/images/titl_tag2.jpg
+lowyat.net##.wpb_wrapper > #custom_html-7
+lowyat.net##.wpb_wrapper > #custom_html-9
+lowyat.net##.sidebar_inner > #custom_html-4
+lowyat.net##.sidebar_inner > #custom_html-6
+springfieldspringfield.co.uk##.additional-content2
+nbastream.io##.w-100
+filecrypt.cc##.support_2
+||live-sports-stream.net/media-resources/other/scripts/tsc-widget-v1.min.js
+forums.crackberry.com##.mn_deals__widget
+bulma.io##.bd-partner.bd-is-carbon
+||scoresinplay.com/366unibet.html
+||scoresinplay.com/366bwinad.html
+||leechpremium.link/iframe.php
+||gamecopyworld.*/games/js/tc_*.js$important
+vipleague.pw,vipbox.im,vipleague.bz##div.text-center > button[data-open="_blank"]
+thenewsminute.com##div[class*="_ads_block"]
+gizchina.com##.vw-content-sidebar > div.vw-sticky-sidebar.theiaStickySidebar > div[id^="text-"][class="widget widget_text"]
+taxidrivermovie.com##.category-taxi-fares
+taxidrivermovie.com##.fares-heading
+sciencealert.com##div[class^="priad"]
+||mp4upload.com/b3.html
+musicbusinessworldwide.com##.mb-interstitial--popup
+||xcum.com/*/s/s/adhs.php?
+||nu-bay.com/static/js/born.js
+||nu-bay.com/static/js/abb.js
+nu-bay.com##.gal-banner
+uploadever.com###container > center > .btn-success
+home-barista.com###page-header-banner
+home-barista.com###footer_leaderboard
+home-barista.com##.forum-billboard-resp
+home-barista.com##.forum-banner-container
+home-barista.com##.related-topics-resp + .responsive-hide[style="display: inline-block; text-align: center; vertical-align: top;"] > i
+ashemale.one##iframe[src^="https://acdn.ashemale.one/ashm/frms/"]
+||acdn.ashemale.one/ashm/frms/
+moviesand.com###ggf-aside > .inner-aside-af
+moviesand.com###ggf-aside > span[class^="af-"]
+moviesand.com###main-item > .loadMoreRelated[style^="display: inline-block;"]
+coub.com##.viewer__sad
+ibizaglobalradio.com##.banner-publi
+sexu.com###nv_ads
+||sexu.com/ifrm/
+||watchonlinemovies.com.pk/wp-content/uploads/2016/10/logo.png$popup
+||xxxkingtube.com/*/ban/json/
+||pci.xxxkingtube.com/v*/a/*/js|
+gotporn.com##.sidebar > .image-group > .external-img-300x250 + span.caption
+stileproject.com##.sponsor-btn
+||stileproject.com/frexo.js
+||stileproject.com/baexo.php
+||stileproject.com/boom/d-*.html
+||clik.pw/bomb.png$popup
+pacman.io###adEnvelope
+||watchpornfree.ws/wp-content/themes/toroflix/nex1.
+musicbusinessworldwide.com##body .mb-advert
+musicbusinessworldwide.com##body .mb-block--advert-side
+sciencedaily.com##.sidebar > .half-page
+sciencedaily.com##.sidebar > .bottom-rectangle
+sciencedaily.com##.left-skyscraper
+kaotic.com###overflowIdVideo
+thisvid.com##.main-nav > li > a[href^="//servtrending.com/"]
+thisvid.com##.main-nav > li > a[href^="https://reactads.engine.adglare.net/"]
+gadgetsnow.com##.ad.colombia[data-cb="processCtnAds"]
+||fmovies.cab/asdfasgdUUy
+||loadshare.org/custom/*/fmovies_480p.mp4$domain=fmovies.cab
+uploadev.com##form #downloadBtnClick ~ a[target="blank"][rel="nofollow"]
+uploadev.com###direct_link > a[target="blank"][rel="nofollow"]:not(.directl)
+agar.io###mainui-ads
+wjla.com##div[class^="ddb_300x250_"][class*="largeRectangleAd_container_"]
+epaper.timesgroup.com##.GoogleDFP
+europixhd.net###MyImageId
+||europixhd.net/js/propadbl
+||hdeuropix.io/hdm*.js
+||nzbindex.nl/i/top_*_*?_=$xmlhttprequest
+||nzbindex.com/i/top_*_*?_=$xmlhttprequest
+nzbindex.*##.inner > a[href] > img
+psprices.com###Psprices_ATF
+psprices.com###Psprices_MID
+psprices.com###Psprices_BOT
+kmph.com,kfoxtv.com,fox17.com##div[class^="index_displayAd_"]
+kmph.com,kfoxtv.com,fox17.com##div[class^="index_ad"]
+boardgamegeek.com###main_content .amazon_search_ad
+||fmovies.*/sw.js?
+1movies.is##.sp-cont > a[href*="banner"][target="_blank"] > img
+arcadepunks.com##.footer-widget-style-1 > aside#custom_html-41
+xxxdan.com,jizzbunker.com###content .banner
+anyporn.com##.container .native-footer-desktop-6x1
+fetishshrine.com,youfreeporntube.net,reallifecam.vip##.nav > li > a[target="_blank"]
+hdzog.com##.main-content > .block-thumbs:not([class*=" "])
+4tube.com###ad_player
+||shaggyimg.pro/crackle/carouseal.js
+pornbimbo.com###kt_player > .fp-player + a[href$="?play=true"][target="_blank"][style]
+||pornbimbo.com/player/html.php?aid=pause_html&*video_id=*&*referer=
+thescore.com##div[class^="Ad__bigbox--"]
+kawowo.com##.g-single > a[href][target="_blank"] > img
+||wp.com/www.kawowo.com/wp-content/uploads/*/topbet_web_*.gif$domain=kawowo.com
+noypigeeks.com##div[align="center"] > a[href][target="_blank"][rel] > img
+||noypigeeks.com/wp-content/uploads/*/*/*-*-*-NoypiGeeks*.gif
+coub.com##div[adfox-featured-banner]
+media.esc-plus.com###leader-wrap
+timesofmalta.com##body .ad_takeover
+fashionista.com##.m-fixedbottom-ad--container
+||display.netbina.com/banner/
+kickassanime.io##ins[id][style^="text-decoration: none;"] > div[id^="adsrg-"]
+||safelinkconverter.com^$third-party
+viprow.net##button[data-lnguri*="banner"]
+usgamer.net##.below-comments > .recommendations
+pornoxo.com##div[class*="advi"]
+pervclips.com,pornicom.com##.thumb_spots
+olympicchannel.com##.adv__300x300
+yesnetwork.com###sponsored-takeover-container > .header-stats
+||fun1.arcadeprehacks.com/*/*_d.js
+torrentdownloads.me##.inner_container > a[href][rel="nofollow"] > img
+||syndication.dynsrvtbg.com^$popup,domain=tnaflix.com
+fangraphs.com##form > div.fg-ra-desktop
+forum.wordreference.com##.messageList > li.message[id$="_mid"][style]
+ctv.ca##.dfp_block
+||uploadever.com/images/down.png
+1movies.is##.superButton
+1movies.is##a[id^="adimg"]
+||chan.sankakucomplex.com/p/pre.js
+adultlook.com###ad_pb
+||xaoutchouc.live/await/sluggard.js
+||xaoutchouc.live/await/notwithstanding.php
+||wordcounter.icu/js/health.js
+wordcounter.icu,passgen.icu##div[style^="z-index:99"][style*=";position:fixed;"][style*="left:50%;transform:"][style*="translateX(-50%)"]
+shurt.pw,uii.io,short.pe,clik.pw##div[style="z-index:99999;position:fixed;bottom:10px;left:50%;transform: translateX(-50%)"]
+nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion##.e12j3pa50
+nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion###stream-panel ol > div[id^="mid"][type="supplemental"]
+nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion##body > #app > div[class^="css-rpp"][class*=" "] > div[class^="css-"][class*=" "]
+nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion##.eaca97t1v
+nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion###mktg-wrapper.eaca97t0
+nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion###mid2-wrapper.eaca97t0
+nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion###mid1-wrapper.eaca97t0
+nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion##.css-1yvwzdo
+1001tracklists.com##.img15ad
+1001tracklists.com##.bannerFP
+derpibooru.org###imagespns
+||derpicdn.net/spns/*.gif
+adultwalls.com##a[href^="/links/go"]
+||adultwalls.com/istripper^
+plusone8.com##a[href="http://bongacams2.com/track"]
+rankedboost.com##.ArticleTopInsert
+rankedboost.com##div[class^="ArticleInsert"]
+||playbuzz.com^$domain=javarevisited.blogspot.com|nsfwyoutube.com|sportsplays.com|dailyhive.com|straightdope.com
+||speedporn.net/wp-content/themes/retrotube/nex1.js
+amateur8.com,nudespree.com##.top-links
+nudespree.com##.main-menu > li > a[rel="nofollow"]
+||animehub.ac/api/pop.php
+forebears.io##.banner-h
+||forebears.io/data/*/dna-h.html?*&ads=
+biqle.ru##.message-container
+||pornorips.com/pr7ab49db374.js
+heroero.com##a[href^="https://assist.lifeselector.com/"]
+heroero.com##img[alt="avatar11"][width="300"]
+luxuretv.com###menu2 > #lien
+gaming-age.com,infotelematico.com,thumb8.net,hindian.net,bestjoblive.com,geekermag.com###ai_widget-3
+pornpics.com##a[href^="https://www.pornpics.com/to/"]
+windowscentral.com##.header-top-alert-bar--close-disabled
+androidpolice.com##.ap-post-footer-banner
+androidpolice.com##a[href^="https://www.visible.com"][target="_blank"] > img
+putlockers.co##.videoAreac > div[class^="glx-in-player-"] > div[id^="glx-"][id$="-container"]
+||putlockers.co/sw.js
+||uploadev.com/mngez/images/banner
+inoreader.com##div[id^="column_ad-"]
+inoreader.com##.ad_footer_remove
+torrentdownloads.cc##a[href^="https://cybertool.co/"][rel="nofollow"] > img
+||torrentdownloads.cc/templates/new/images/one*.gif
+hd21.*##.aside_video > .wrap > .title
+simply-hentai.com##.page-leave
+simply-hentai.com##.text-center > div[id] > div[class]:empty
+empireproleague.com##a[href="https://www.venerablelawfirm.com/"]
+empireproleague.com##a[href="https://empire-pro-nutrition.goherbalife.com/Catalog/Home/Index/en-US/"]
+goalnepal.com##.inner-local-ad
+goalnepal.com##.sticky-footer-ad
+smh.com.au,brisbanetimes.com.au##.noPrint div[data-widget^="plista_widget_underArticle_"]
+thefappening.wiki##a[href^="/bst-red.php?"]
+sysnettechsolutions.com###header-widget-area > .hw-widget > a[href^="https://bit.ly/"][target="_blank"] > img
+mrskin.com##.sk-wallpaper
+mrskin.com##.sk-wallpaper-top-container
+myreadingmanga.info##center > a[href][target="_blank"][rel="nofollow noopener"] > img
+||myreadingmanga.info/mrj.js
+||myreadingmanga.info/script30may.js
+||eontent.streamplay.to/apv.hh?$important
+extramovies.host##a[href^="http://ghoto-12.win/"]
+||tornadomovies.co/site/kasdl7asd
+||loadshare.org/custom/*/tornadomovies_video.mp4$domain=tornadomovies.co
+||dredown.com/images/youtube.png$popup
+mydramaoppa.com###fakeplayer
+ultimate-guitar.com##.js-ad-alternative
+equity.today##.popup_module_container
+equity.today##.read_carefully_subcontent > a[rel="noopener"] > img
+myupload.co###mytest
+openspeedtest.com##.ad-block
+||skylineservers.com/images/banners/skyline-servers728x90_02.jpg
+oaoa.com###blox-right-col > div[id^="rail-"] > div[style="width:300px;height:250px;margin-bottom:20px;"]
+jazzradio.com##.one-third > .bare
+offerup.com##.db-ad-tile
+||idtbox.com/js/wire.js
+flix555.com##.flix_fadein
+adsrt.me##div[id*="ScriptRootC"] > div[id*="PreloadC"]
+fmovie.cc##a[rel="nofollow norefferer noopener"][style^="position: fixed; z-index:"]
+vg247.com##.content > .low-leader-container
+pornbimbo.com,mangovideo.pw##.fp-player > .fp-ui > a[href][target="_blank"][style^="position: absolute; left:"]
+||mangovideo.pw/v*/*/pop/js/
+||pandanetwork.club/v*/*/pop/js/
+/^https?:\/\/ftopx\.com\/[a-z\d]+\.js$/$domain=ftopx.com
+cryptomininggame.com##a[href^="https://coinad.com/"]
+cryptomininggame.com##body > .row.text-center > .col-lg-6 > a[href][target="_blank"] > img
+washingtonpost.com##div[class*="pb-f-ad-leaderboard"]
+addoncloud.org##.well.vpn
+addoncloud.org##.vertical-left
+courant.com##div[data-pb-name="DFP Ad"]
+astrorace.io,stream4free.live###promo
+player.javbraze.com,stream4free.live###closeButton
+||goo.gl/jvPtF2$domain=stream4free.live
+||static.depositfiles.com/js/utar*.js$important
+peeplink.in###thin_border > article > div > h5
+peeplink.in###thin_border > article > div > h5 + a[rel*="external"]
+||katmovie.de/wp-content/uploads/2018/02/katmoviecologo2-min.png$popup
+||tubecomplet.com/wp-content/uploads/2018/08/Logo-Y.png$popup
+app.appvalley.vip##.notification-item
+comicbook.com##.modernInContent
+salon.com###posts > .flex-center.header-wrapper
+salon.com##.black-container > .flex-center.header-wrapper
+||mixi.media/data/js/*.js|$domain=rt.com
+audiobookbay.*##a[href^="/dirddl-now?"]
+/images/fr.jpg$domain=audiobookbay.*
+/images/bz.jpg$domain=audiobookbay.*
+/images/bin.jpg$domain=audiobookbay.*
+/images/d-t.gif$domain=audiobookbay.*
+/images/shs.jpg$domain=audiobookbay.*
+/images/hides.jpg$domain=audiobookbay.*
+/images/dct.gif$domain=audiobookbay.*
+/images/drt.gif$domain=audiobookbay.*
+/images/shield$domain=audiobookbay.*
+/images/dir.gif$domain=audiobookbay.*
+/images/d-r.gif$domain=audiobookbay.*
+gmanetwork.com##.ad-hldr
+gmanetwork.com##psst-ad > .mrec > span
+gmanetwork.com##crowdy-news > .crowdy-hldr
+gmanetwork.com##psst-outbrain > div > #ob-title
+gmanetwork.com##.sidebar-main > #mrec-container
+download.cnet.com###download-fd-leaderboard-ad-top
+a2zcrack.com###header-banner468
+googleitfor.me,a2zcrack.com##center > a[href][target="blank"] > img
+a2zcrack.com##a[href][target="blank"][rel="nofollow"] > h3
+uploadev.com##a[href^="https://wronsironhow.club/"]
+imtranslator.net###topframe
+imtranslator.net##td[align]> div[style="padding:5px;margin:5px;border:1px solid #21497D;"]
+minecraftforum.net,gamepedia.com##.xt-placement
+minecraftforge.net##.promo-container
+fetishshrine.com,vikiporn.com##.adv-aside
+pornwhite.com,wankoz.com,pornicom.com,sleazyneasy.com,fetishshrine.com,vikiporn.com##.text_adv
+||solarmovie.*/images/button.png
+worldcuplive.stream,strikeout.nu##.embed-responsive > .position-absolute > div
+thefreedictionary.com##section > div > div > a > img[src^="//img.tfd.com/wn"]
+yttalk.com##.funboxWrapper a > img
+yttalk.com##.uix_mainSidebar div.secondaryContent > div.sided1
+||freefansitehosting.com/ads/
+||static.tellerium.com/close-icon.png
+timesofindia.indiatimes.com##iframe[id^="google_ads_iframe"]
+||3movs.com/player/html.php?aid=post_roll_html
+||picturesboss.com/f.js
+vidzstore.com,moviesroot.club,kissmanga.*,mangastream.mobi,clicksbee.com,cutlinks.pro,leechpremium.link###myModal
+vedbex.com,adomainscan.com,clicksbee.com,cutlinks.pro,btc.ms##.modal-backdrop
+kimochi.info##body > script + div[style="margin-top:10%"]:empty:not([class]):not([id])
+travelmarketreport.com##.topcenter_ad
+travelmarketreport.com##.contentpayPalAd
+travelmarketreport.com##.DestinationsRightAdSlide
+earnz.xyz##.fadeInRightBig > a[href] > img
+liveleak.com##div[class^="runative-banner-"]
+quikr.com,theync.com,all-that-is-interesting.com##.header-banner
+maxcheaters.com##.sa_link_overlay
+maxcheaters.com##.ipsAdvertisement
+maxcheaters.com###popupcontent_16 img
+||maxcheaters.com/applications/easypopup/interface/popup200.js
+||maxcheaters.com/uploads/monthly_2019_01/ezgif-5-a8ea8efcb8c0.jpg.fd373ccbe260d53b1d2dad88d4755f62.jpg
+spendmatters.com##.sidebar-widgets > .widget > .fullwidth[style="text-align: center;margin-bottom:5px;"]
+clikern.com,oceantech.xyz,adnangamer.com##.banner ~ .blog-item
+||bit.ly^$popup,domain=adnangamer.com
+||vidlox.me$popup,domain=aniwatcher.com
+aniwatcher.com##main > h2.h2episode+div[class*=" epsa"]
+basenotes.net##.advertblock
+mydramalist.com##.spnsr_right
+mydramalist.com##.spnsr-wrapper
+mydramalist.com##.nav-item >.dropdown-menu #dp-store-tag
+||xozilla.com/sw.js
+javhub.net##.nav > li > a[href="https://bongacams.com"]
+javhub.net##.nav > li > a[href^="http://media.r18.com/track/"]
+javhub.net##div[id^="r18" ] > a[href][target="_blank"] > img
+kickassanime.io###hideshow
+kickassanime.io###hideshow2
+kickassanime.io###smallAds
+kickassanime.io##div[class^="col-md-"] > .ka-ax
+kickassanime.io##.comments-block > .embed-container2
+||dailymotion.com/embed/video/x70pzw0?$domain=kickassanime.io
+anyflip.com,fliphtml5.com##.fh5---banner---container
+cnet.com##.amzn-native-container
+||youtube6download.top/adx.php^$popup
+||javwide.com/underpl.js
+||123lnk.com/post/jsx.js
+||xpee.com/application//assets/scripts/sgunder.js
+||solarmovie.one/Public/img/solar_btn_
+||solarmovie.*/templates/Solar/images/solar_btn_
+solarmovie.vc,solarmovie.one##div[style*="text-align:center"] > a.textb
+||ycapi.org/p/|$popup
+anime-sugoi.com##center > a[rel="nofollow"]~br
+gametracker.com##.block_ad303x1000_left
+gametracker.com##.block_ad303x1000_right
+gametracker.com##.page_content > div[style="width:980px; height:48px; margin-bottom:5px; overflow:hidden; border-radius:6px;"]:not([class]):not([id])
+dvdgayporn.com##.sidebar a[href^="http://join."][href*=".com/track/"] > img
+egmnow.com##.a-single > a[href^="http://bit.ly/"].gofollow > img
+al4a.com##a[href^="http://as.sexad.net"]
+al4a.com##a[href^="http://ezofferz.com"]
+gotporn.com##a[href="https://www.gotporn.com/webcams"]
+pornerbros.com##a[href^="https://as.sexad.net"]
+pornerbros.com##a[href="http://pornerbros.idealgasm.com/"]
+pornerbros.com##iframe[src^="https://as.sexad.net/"]
+sleazyneasy.com##a[href^="https://ab.advertiserurl.com"]
+tubedupe.com##a[href^="https://www.studio20cam.com"]
+||tubedupe.com/js/ppnr.js
+foxtube.com##a[href^="https://webcams.muyzorras.com"]
+foxtube.com##body > .pds.pb_footer
+foxtube.com##footer > #pie
+foxtube.com##footer > #pie_top
+alphaporno.com##.sort-menu > li > span > a.pignr
+alphaporno.com##a[href="https://hellmoms.com/"]
+xrisetube.com##.wrapper > .floating
+xrisetube.com##.container > .floating
+xrisetube.com##.container > .bottom-blocks
+xrisetube.com##.container > .video-wrapper > .video-aside
+perfectgirls.xxx,hentaihaven.xxx,hentai.tv,animeidhentai.com,hanime.tv##iframe[src^="https://a.adtng.com/"]
+hanime.tv##iframe[src^="https://ads.trafficjunky.net/"]
+hanime.tv##.full-page-height > .int[style^="width:"]
+celebheights.com##a[href="https://donsfootwear.com/"] > img
+celebheights.com##a[href="https://www.donsfootwear.com/"] > img
+techposts.org,findaudiobook.com,omgfoss.com###sidebar > #text-2
+omgfoss.com###sidebar > #text-9
+filthybritishporn.com##.bnnr
+ettv.tv##div[class^="vp_a"]
+ettv.tv##.imdb > div[class^="download_links"]
+/wp-content/uploads/*/download*.jpg$domain=kolompc.com
+/wp-content/uploads/*/download-*.png$domain=kolompc.com
+kissanime.ac###adlink1
+kissanime.ac###adlink2
+||vptbn.com/redirect/?spot_id=*&action=vast
+||vcdn.rivertraffic.com/*.mp4$domain=viptube.com
+masseurporn.com##.video_cums
+masseurporn.com##.video_cums1
+faapy.com##a[href="https://faapy.com/cs/mylf/"]
+faapy.com##.footer > .container > .textlink
+vshare.io##body > [id][style*="text-align: center;"][style*="position: absolute;"][style*="z-index:100;"]
+||instadp.com/images/*-ad.png
+instadp.com##.article > div[style="float:left; width: 100%; text-align: center;"] > a[href][target="_top"] > img
+jav.watch,javjack.com##.banner_top_right
+javjack.com##.nav_top_links > li > a[target="_blank"][onclick^="ga('send', 'event', 'outbound', 'click',"]
+sleazyneasy.com##div[class^="wrapper--"][data-slide-in-from="right"][style^="border: 5px solid"]
+||hotpornfile.org/wp-content/themes/hpf-theme/ex/ex_l.js
+spaste.com##a[href^="javascript:showhide('deals')"]
+imgadult.com,imgtaxi.com##a[href^="http://xapi.juicyads.com/"]
+dramacool9.io,vidcloud.icu##a[href^="https://bodelen.com/"]
+||cdn.globwo.online/scripts/nwm-pw.min.js
+torrentdownloads.info##a[href^="https://cybertool.co"]
+torrentdownloads.cc##a[href*="bit.ly"][rel="nofollow"] > img[alt]
+123movies.la##a[href][target="_blank"][class^="adsbut_"]
+123movies.la##.mvi-content > div[class^="mvi"] > a.btn[target="_blank"]
+123movies.la##.content-kub
+123movies.la##a[href^="http://bit.ly/"]
+123movies.la##script + div > div[style^="position:relative;"]
+myjest.com###Ustad_MJ
+myjest.com###Mj_728x90_div
+cam4.com###videoBannerMidrollAdWrapper
+cam4.com###headerMenuMainUL > li > #sexgames
+cam4.com###headerMenuMainUL > li > .meetandfuck
+pugski.com##.forum-sponsor
+pugski.com##.section.sponsors
+||discord.me/assets/img/units/digitalzealot_ad.png
+kiplinger.com##.kip-banner
+kiplinger.com##.kip-advertisement
+megaurl.in###link-view > .form-group + center
+jolygram.com###mgIdFrame
+readsnk.com##.pages > div.img_container+div[class^="d-flex justify-content-center text-center"]
+yeptube.net,tubeon.*##.thr-rcol
+tubeon.com##.puFloatLine
+tubeon.com##.drt-sponsor-block
+tubeon.*##.envelope-coverap > div.spots
+/:\/\/fmovies.[a-z]+\/[A-Za-z0-9]+$/$domain=fmovies.cab
+pandamovies.pw##.mingplus
+pandamovies.pw##.rightdiv1content > a[href][rel="nofollow"]
+pandamovies.pw##body > div[style^="position: fixed; overflow: hidden;"]:not([class]):not([id])
+||pandamovies.*/125_125.js
+post-gazette.com##div[data-dfpads-position]
+bunnylust.com##a[href^="http://wcrgl.freeadult.games/hit.php"]
+/^https?:\/\/(www\.)?bunnylust\.com\/[a-z\d]+\.js$/$domain=bunnylust.com
+||piratebays.fi/staticproxy/img/download1.png
+dirtyshack.com##.network-sec
+||dirtyshack.com/und/sgunder.js
+javdragon.com##body > .messagge.alert
+javdragon.com##a[href^="https://bit.ly/VIPHD"][target="_blank"]
+movie4u.live##a[href][target="_blank"].options
+news.com.au###header-ads-container
+menhdv.com###rel-ad
+menhdv.com##.videoPalayerOverlay
+menhdv.com###video-player > .right-block
+euronews.com##.js-article-sidebar-content > div.c-article-sidebar__sticky-zone.u-min-height-1200
+tvworthwatching.com##div[id^="cphContent_divAdvertisement"]
+mshare.xyz,mshare.io##.ads_336
+mshare.xyz,mshare.io##.download.file-info > div[style="margin-top : 20px; margin-bottom : 20px; "] > center > div[style="text-align:center;font-size:13px;color:#a1a1a1;"]
+wcofun.com,wcoforever.net,thewatchcartoononline.tv###sidebar_r1
+||ad.kisscartoon.su^
+uploadfiles.io##.external-holder
+techtablets.com###gp-page-wrapper > div[id$="area"] > div.gp-container > center > a > img
+tamilmv.cz,vidbob.com,igg-games.com,clipconverter.cc,s.to,revivelink.com,clickndownload.*,clicknupload.*,yalla-shoot.com,ffmovies.ru,fmovies.to##a[href^="//"][rel="nofollow norefferer noopener"][style^="position: fixed; z-index:"]
+download.mokeedev.com##.ad-wrapper+div[class="center-align"] > span[class="grey-text text-darken-2"]
+/asset/revad.js$domain=asianclub.tv|fembed.com
+||maxedtech.com/promo*.php
+maxedtech.com###sidebar-activate > aside[id^="custom_html-"]
+gomostream.com##.adtimes
+/vast/*.xml$domain=mangovideo.pw
+||mangovideo.pw/player/html.php?aid=*_html&video_id=*&*&referer
+mangovideo.pw##.fp-ui > div[style^="position: absolute; overflow: hidden;"] > a[href][target="_blank"] > img
+review-hub.co.uk##a[href^="http://shrsl.com/"] > img
+phoneworld.com.pk##.theiaStickySidebar > #stream-item-widget-1
+phoneworld.com.pk##.theiaStickySidebar > #stream-item-widget-4
+udemydownload.com,phoneworld.com.pk##.theiaStickySidebar > #stream-item-widget-6
+dl-android.com##center > button.btnDownload
+||uptostream.com/assets/ads.xml
+msn.com##.articlebody > .floatleft > iframe[src^="https://products.gobankingrates.com/r/"]
+msn.com##.articlebody > .floatleft > iframe[src^="https://widgets.informars.com/"][src*="/mortgage/widgets/MiniMortgageTable.aspx?"]
+||widgets.informars.com/*/mortgage/widgets/MiniMortgageTable.aspx?$domain=msn.com
+awsubs.co###floatcenter
+awsubs.co###btm_banner
+awsubs.co##.klnrec
+awsubs.co##a[rel="noopener"] > img[src*="bp.blogspot.com"]
+anime-sugoi.com,awsubs.co##a[rel="nofollow"] > img[src*="bp.blogspot.com"]
+apkmirror.com##.google-auto-placed
+||roforum.net/youtube/banner.php$popup
+seehd.uno##.s_right > div[id^="custom_html-"]
+pictoa.com##a[href="https://www.pictoa.com/o/dating.html"]
+pictoa.com###tab-gallery > a[href][rel="nofollow"]
+/:\/\/[A-Za-z-0-9]+.[a-z]+\/[A-Za-z-0-9]+\/\d+$/$domain=shaanig.se
+||shaanig.se/sw.js
+zerohedge.com##.placement-header-container
+zerohedge.com##aside[id^="sidebar"][class^="placement"]
+digit.in##.inside-container > .gift > a[href^="https://www.digit.in/tracker/"][target="_blank"]
+sexwebvideo.me##.uk-navbar-nav > li > a[href^="https://p.hecams.com/"]
+sexwebvideo.me##.page-header > a[href^="https://bongacams.com/track?"]
+redtube.com,redtube.net###top_main_menu > li > a[id^="paid_tab_"]
+porntube.com##.navbar-nav > div > a[rel="nofollow"]:not([href^="http://www.hdporntube.com"])
+4tube.com###main_navigation > li > a[rel="nofollow"]:not([href*="4tubehd.com"])
+toptenreviews.com##div#prime-day-deals[data-widget-type="deals"]
+daftsex.net,kissjav.*##.is-12-touch.is-narrow-desktop.has-text-centered
+retail-insider.com###headban
+retail-insider.com###sidebar-one div.intrinsic
+retail-insider.com###footban
+retail-insider.com##div[class="sqs-gallery sqs-gallery-design-stacked"] > div[class^="slide content-fit"]
+techradar.com##.slot-leaderboard
+techradar.com###sidebar > .slot-top_of_sidebar
+techradar.com###sidebar > div[class^="slot-"][class$="_popular_box"]
+techradar.com##div[class^="slot-attemp-slot-"][style^="position: relative; box-sizing: border-box; height:"]
+techradar.com##div[class^="slot-double-height-"][style^="position: relative; box-sizing: border-box; height:"]
+livescore.com##.top-add
+livescore.com##.right-bar > div[data-type="dfpbnr"]
+javpost.net,javmost.*##div[style="overflow: hidden !important;"] > center > div[style="width:100%; height: 100px;overflow: hidden !important;"]
+ip-tracker.org##td[style="height:135px; padding-left:2%"]
+ip-tracker.org##.lookup-ad-holder > #map + .track
+salon.com##.posts > div[data-salon-ad][data-ad-unit]
+itsfoss.com##.sidebar #text-11 .wp-coupons
+comnuan.com##.cmnnsticky
+gsmchoice.com###left-con > div[style="min-height:280px;"]
+cointelegraph.com##.container > a[href="javascript:void(0)"][data-link] > img
+thurrott.com###announcement-bar-container
+megaleech.us##.ad_code2
+theglobeandmail.com##.container-with-ad
+toolson.net##.adaptad
+tvbanywherena.com,encoretvb.com##div[id^="square-ad-"]
+||powforums.com/js/hta.php
+pornbimbo.com,anon-v.com##div[class^="list-"] > .margin-fix > .place
+anon-v.com##.content > div[style="padding:5px 5px 8px 5px;"] > a[href][style]
+anon-v.com##.video-holder > div[style="padding:5px;margin:5px;text-align:center;"] > a[href][style]
+clk.ink,clk.icu,123link.pro##.box-main > .banner > .banner-inner
+||123pandamovie.*/125_125.js
+5movies.to##.watch-now
+valueresearchonline.com###fixed_footer
+forum.lowyat.net##.style_ad
+tonymacx86.com##.responsiveAdCentered
+u.gg###af-click > .af-left
+||u.gg/affiliate/amazon/*.jpg
+iresearchnet.com##a[href*="/order.html?pid="] > img[src*="/banner"]
+||iresearchnet.com/wp-content/uploads/*/banner-discount-300-300-.png
+westernjournal.com##div:not(.after-article) > div[id$="-ad"].sponsor
+smutr.com##.header-menu > li a[rel^="nofollow"]
+mylivecricket.live###bannerfloat2
+rediff.com##.advtcell
+geeksultd.com##.theiaStickySidebar > #text-html-widget-3
+geeksultd.com##.theiaStickySidebar > #text-html-widget-4
+apkpure.*##.left > .ad-left ~ div[style^="margin: 0 auto 20px auto;position: relative;width:100%;overflow: hidden;height: 150px; background: #fff;"]:not([class]):not([id])
+gamecopyworld.com##iframe[src^="$_news.php?"]
+||gamecopyworld.com/games/*.mp4
+ymovies.to###banner_publi
+yeswegays.com##.twocolumn > .r-col > .side-spot
+likeporno.me,yeswegays.com##.video-spot
+yeswegays.com##.spot-bottom
+yeswegays.com##a.btn-offer[href^="https://www.men.com/"]
+yeswegays.com##.header > .nav > ul > li > a[href^="https://www.flirt4free.com/"]
+sportsvideo.net##.container > #banner
+sportsvideo.net##.admin-content > .container-fluid > div[style="width:970px;height:90px;margin: auto; margin-top: 50px;"]:not([class]):not([id])
+vshare.io###xxas
+||gamezhero.com/promo|$subdocument
+proboards.com##div[style="display: flex; width: 700px; max-width: 100%;min-height: 250px; margin: 0 auto 10px; text-align: center; justify-content: space-around;flex-wrap: wrap"]
+snopes.com##.card-body > p+div.creative
+pcgamer.com##div[class^="slot-"][style*="background-color: rgb(237, 237, 237);"]
+last.fm##.chartlist-row--interlist-ad
+mtlblog.com###article-text > div.awrapper
+mangarock.com###taboola-below-article-thumbnails-last-page-vertical
+independent.co.uk##.section-content .premium-content
+audiobyray.com##.cat-carousel
+||imgoutlet.pw/amload.js
+||imgoutlet.pw/ckkenkxrhem.js
+||temp-mail.org/images/site-banners/
+temp-mail.org##.side-plugin-banner
+||extratorrent.si/ecd.js
+||extratorrent.si/webmr*.js
+timesnownews.com##.right-block > .square-adv
+timesnownews.com##.content-block > .add-wrap
+timesnownews.com##.artical-description > #inline_video_ads
+timesnownews.com##.right-block > div[class^="ad-section-"]
+youzik.com##a[href^="https://adsrv.me/"]
+gotporn.com##.nav > li > a[href="https://www.gotporn.com/casino"]
+tmearn.com##iframe[src*=".tmearn.com/"][style^="overflow:hidden;"]
+collectionofbestporn.com##.main-nav-list > li > a[rel="nofollow"]
+wikihow.com##.ad_label_related
+wowhead.com##.page-content > div.sidebar-wrapper
+gceguide.com##.tringdad-main
+popculture.com##body .modernInContent > div[id^="oas_FC"]
+monoprice.com##body .global-adsense
+||1373837704.rsc.cdn77.org/flash.js
+thefappeningleak.com##a[href^="https://888celebs.com/"]
+mustangnews.net##.widget_thbadsingle > a[href] > img
+||wing.kmplayer.com/cache/json/kmp_tvbox.json
+updatesmarugujarat.in###adsense-target #adsense-content
+eporner.com##.dropdown > li > a[rel="nofollow"]
+||truvidplayer.com^$domain=mangafox.fun
+vidoza.net##.download-green
+vidoza.net##.in-block[style*="z-index:"]
+fantrax.com##.placeholder--300
+fantrax.com##.cell--placeholder
+fantrax.com##.placeholder--skyscraper
+fantrax.com##.placeholder--leaderboard
+fantasy.espn.com###games-footercol > .fantasy-sponsored-headlines
+amazon.com,amazon.de,amazon.co.uk###ADPlaceholder
+||gaypornempire.com/inthefront.js
+gaypornempire.com##.block-300x250-ads
+gearslutz.com###crawler
+gearslutz.com###noticesContainer
+anyshemale.com##.section > .wide + .sidebarv
+anyshemale.com##.wide > .af
+bmoviesfree.ru##body > div[style*="base64"][style*="z-index: 99999"]
+porntrex.com##.show.exclusive-link
+||22pixx.xyz/l^
+gayforit.eu###navigation > div > a[camstarget]
+gayforit.eu###navigation > div > a[target="_blank"]
+manhub.com##.floatLeft > .mlinks > a[target="_new"]
+search.yahoo.com##.ds_promo_newtab
+xxxdan.com##a[href^="https://www.pornhubpremium.com"]
+masterani.me##.hero-726x90
+masterani.me##a[href^="https://www.masterani.me/out/"] > img
+||masterani.me/static/neenee/*-*.$image
+sunderlandecho.com##.slab__block > #adSlotMainContent1 + .backfill-cta
+history.com##.m-header-ad
+postandcourier.com##.dfp-ad-div
+postandcourier.com##div[itemprop="articleBody"] #queryly_campaign
+nudogram.com##ul.primary > li > a[target="_blank"]:not([href*="nudogram.com"])
+mirror.co.uk###div-gpt-native:not([id*="recommendation"])
+birminghammail.co.uk,mirror.co.uk###taboolaRightRailsResponsive
+bitchute.com##.rcad-container
+faucetcrypto.com###fixed_ad_custom
+neoseeker.com###ads_page_top
+softserialkey.com##center > input[type="button"][onclick^="window.open"]
+denofgeek.com##.block-taboola
+livesport.ws##.ads-full-right
+forums.techguy.org##div[style="text-align:center;"] > div[style="font-size:80%;"]
+forums.techguy.org##.messageList > li.message[id^="post-"]+li.message:not([id^="post-"])
+digit.in##.cashify-holder
+fixya.com##.locked-footer-ad-wrapper
+privateindian.net##.movie > #on_video
+exclusiveindianporn.com###divclose
+||exclusiveindianporn.com/f_exclusiveindianporn.com.js
+indianpornfuck.com##.spots.appeared
+iceporn.com##.drt-video-player > .drt-sponsor-block
+xcafe.com##.leftbar > .content_source.no_pop
+xcafe.com###fluid_video_wrapper_main_video > #main_video_fluid_html_on_pause
+flyordie.com##div[style="padding:10px; font-size:8px; xline-height:20px; color:#c0c0c0"]
+apkdom.com##.adslot_right
+celebsroulette.com###kt_player > a[target="_blank"]
+celebsroulette.com##.player + .sponsor
+za.gl##.winwin
+za.gl##.winbig
+||megatube.xxx/ai^
+megatube.xxx###sponsor-sticker
+megatube.xxx##.alert-panel
+porn.com##a[href*="delivery.porn.com"]
+kizi.com##.category_banner
+nettruyen.com##.yanad
+||dailymotion.com/embed/video/x649mo1?$domain=nettruyen.com
+webgradients.com##.phoenix_popup
+webgradients.com##a.js-reach-goal.jumbo--phoenix
+telecomtalk.info##.second_post_adv_main
+||justjared.com/tools.js
+||justjared.com/index_revive.php
+||taboola.com^$domain=wgrz.com
+||flyordie.com/games/online/iframeafg*.html
+anon-v.com##div[style="max-width: 640px; text-align: center; margin: 0 auto;"]
+yugioh.com###sidebar > .ad-01
+xbjav.com,javdragon.com##.poplayer
+csgo-stats.com,hdmp4mania1.net,adultbay.org##a[href^="http://bit.ly/"] > img
+||uii.io/js/u3.js
+gayfuror.com,pornjam.com##.publis-bottom
+gayfuror.com##.menu > li > a[target="_blank"]
+gayfuror.com##a[id^="promotedlink_"]
+gayfuror.com##.right-player-169
+camgirlbay.net##.list-videos > .margin-fix > .place
+camgirlbay.net,camwhores.adult##body > .top[style="text-align:center;font-size:16px;"]:not([id])
+/camgirlbay.net\/[a-z]{1,2}[1-9]{1,4}[a-z]{1,2}[1-9]{1,4}[\s\S]*.js/$domain=camgirlbay.net
+/camwhores.adult\/[a-z]{1,2}[1-9]{1,4}[a-z]{1,2}[1-9]{1,4}[\s\S]*.js/$domain=camwhores.adult
+dl.a2zcity.net##.entry-content > center > a[href^="http://"]
+mangarock.com##.row > .col-lg-8 > div[style="height:90px"]
+mangarock.com##.row > .col-lg-8 > div[style="height: 90px;"]
+mangarock.com##.row > .col-12 > div[style="margin-top:0;height:90px"]
+mangarock.com##.row > .col-12 > div[style="margin-top: 0px; height: 90px;"]
+voirfilms.ws##a[href="javascript:;"]
+/images/banners/*$domain=free-strip-games.com|buzz50.com|linuxsecurity.com
+/^https?:\/\/(ww.\.)?m4ufree\.tv(\/[a-z\d]{0,2}){3}\/[a-z\d]+\.js$/$script,domain=m4ufree.tv
+trueachievements.com###topad-wrap
+||adbull.me/js/prb.js
+formula1.com##.f1-DFP--banner
+pornhub.com,pornhub.org,pornhub.net##.sectionWrapper > .videos[id] > li[class^="sniper"]:not(.videoblock):not(.videobox):not([id^="playlist_"])
+||xxxdan.com/aa474eaa.js
+||akaihentai.com/fro_lo*.js
+||api.whizzco.com/demand/*/rtads
+debka.com##.ads_single_side
+thesaurus.com##aside[id*="_serp_"][id*="tf_"][class]
+desipapa.tv##.video-tb > .video-col
+freepornxxxhd.*##.phdZone.zone
+pornhdin.com##.remove-ad-block
+pornhdin.com##.video-player-overlay
+pornhdin.com,pornhd.com##.vp-under-video-spot
+pornhd.com##.main-nav li[onclick='headerUtilities.callAnalytics("mainmenu","click","Casino",1)']
+/^https?:\/\/(www\.)?pornhd\.com\/[a-z\d]+\.js$/$domain=pornhd.com
+piccash.net##.pcash-user > div[id^="pcash-block"]
+whackit.co##.adcon
+whackit.co##.adconleft
+whackit.co##div[class^="sideadvertdiv"]
+||andovercg.com/images/join-ebay-600-120.gif
+cmyip.com##a[href*="&utm_campaign"]
+||cmyip.com/img_partner^
+cmyip.com##.jumbotron > a[href^="go/"] + p
+cmyip.com##.jumbotron > a[href^="go/"]
+mangahelpers.com,walterfootball.com##.sovrn-onetag-ad
+walterfootball.com##.container > div[style="display: block; text-align: center;"]
+||walterfootball.com/images/draftkingsad.jpg
+iogames.space###HomeRectAdMod
+iogames.space##.banner-ad-contain
+iogames.space###v2-impTopBanner
+besttechinfo.com##.sidebar > div.theiaStickySidebar > div[id="custom_html-5"]
+besttechinfo.com##.sidebar > div.theiaStickySidebar > div[id="custom_html-6"]
+readshingekinokyojin.com###main > .code-block-1 > center > div[style="width: 336px; height: 280px; position: relative;"]
+ragalahari.com##div[style="font-size:11px;line-height:15px;color:#CACACA"]
+pcgamesn.com###pcgamesn_ad_billboard
+pcgamesn.com##.ad_bgskin
+pcgamesn.com##.flow_ad_wrap
+pcgamesn.com##.sl_wrap
+pcgamesn.com###pcgn_custom_slots
+pcgamesn.com###pcgnAF-_af
+football.fantasysports.yahoo.com##a[class*="yfa-rapid-module-"][class*="Promo"]
+123movies.la##.content-kusss
+hardocp.com##a[href="https://www.hardocp.com/redirect.php"]
+hardocp.com###content-left > div[style="height:280px; width:336px; margin-left: 10px; clear: both;"]:not([class]):not([id])
+||images.hardocp.com/images/ASUS-2018-COD-BO4-Website_Skins-HardOCP-v3.jpg
+milfzr.com##.wpfp_custom_ad
+milfzr.com##a[rel="noopener"] > img[height="125"]
+||anyporn.com/aa/$xmlhttprequest,redirect-rule=nooptext
+||anyporn.com/aa/s/s/suo.php$redirect=nooptext
+||anyporn.com/aa/s/s/su.php$redirect=nooptext
+||anyporn.com/player/related_videos.php
+18pornsex.com##.video-page > .ad
+||teenporn.ws/a_nevbl^
+teenporn.ws##.pause-block
+porn300.com##.aan__video-units
+porn300.com###multitubes-ad
+porn300.com##.aan
+||pornohammer.com/cpanel^
+||pornohammer.com/static/script/*/video-cust-ad.js
+||pornohammer.com/script/*/am.js
+pornohammer.com##.video_header > div[id^="wa_"]
+thewpclub.net##.style1 > .note2_sp
+thewpclub.net##.widget_better-ads
+script-stack.com,thewpclub.net##.bsac
+bing.com###b_content > main[aria-label] > #b_ims_bza_pole
+bing.com##.shop_page .br-poleoffcarousel
+bing.com##.b_spa_adblock
+bing.com###b_content > div#pole > div[class="ra_car_block ra_pole"] > div.ra_car_container
+bing.com###pole > .productAd[data-ad-carousel]
+bing.com##.b_adPATitleBlock + div
+bing.com##a.sb_meta[href^="http://advertise.bingads.microsoft.com"]
+bing.com##.promotion-panel-inner
+icutit.ca##.banner-captcha > .banner-inner > #headlineatas
+||youtube.com/embed/$domain=icutit.ca|sxyprn.net
+/^https?:\/\/hentaigo\.com\/[a-z\d]+\.js$/$domain=hentaigo.com
+||hentaigo.com/wp-content/themes/Gameleon-child/ads-random/
+||hentaigo.com/wp-content/themes/Gameleon-child/ads-interstitial/
+porntube.com##.cppBanner
+porntube.com##iframe[src^="https://as.sexad.net/"]
+viprow.net,vipleague.pw,vipleague.bz##button.btn[onclick^="landPage("]
+viprow.net,vipleague.pw,vipleague.bz##button.btn[onclick^="opendefuser"]
+||s3.amazonaws.com/www.top-games.me/player.js
+gamesofdesire.com##a#img_left
+gamesofdesire.com##a#img_right
+gamesofdesire.com##[alt="banner"]
+kitploit.com##.post-footer > div[style="text-align:center;"] > a[target="_blank"][imageanchor][style]:not([href^="//www.kitploit.com"])
+kitploit.com##.post-header > div[style="text-align:center;"] > a[target="_blank"]:not([class])
+||14powers.com/images/EEOG.png
+moviewatcher.is##a#show-button[target="_blank"][rel][href^="/"]
+sportsbay.org###site-contenedor
+addictivetips.com##.bottomdeal
+addictivetips.com##a[href^="https://www.addictivetips.com/go"] > img
+citethisforme.com##.sbm-ad
+||haxhits.com/gdata/ad-vast.xml
+healthline.com##.article-body > div[class^="css-"][class*=" e"]
+healthline.com###site-header + div + section.css-9vohld
+adsrt.com##div[id^="M"][id*="Preload"]
+adsrt.com##.SC_TBlock
+adsrt.com###frme1
+||powvideo.net/bun/$important
+amazon.co.uk,amazon.de###ape_Detail_ad-endcap-1_Glance_placement
+||creative.speednetwork*.com/speednetwork*/tags/x*/x*.js?ap=
+eurogamer.net,eurogamer.de##.game-spotlight-advertising
+||crazyshit.com/js/pu^
+||crazyshit.com/static/js/ab^
+digit.in###sidebar > .advertisements + .scoPannel > .specs-box
+tnaflix.com##.menu-paid-tab
+androidpolice.com###sbar-content > li#ai_widget-6 > .ains > a.no_ul[href^="http://andp.lc/"] > img
+androidpolice.com##a.no-style[href^="http://andp.lc/"][target="_blank"]
+bdcraft.net###bottombanner
+gifs.com###gifsad
+cpmlink.net##.panel-body > center iframe[width="300px"]:not([src])
+vidup.io##.sponsored-container
+||mp4upload.com/tabn.html
+||wp.com/vfxdownload.com/wp-content/uploads/*-ads-
+||wp.com/vfxdownload.com/wp-content/uploads/*-banner-
+aidownload.com##div[class^="googleads"]
+bgr.com##.entry-content > .dont-miss
+||qdownloader.net/img/dl-btn-banner-
+bitdownloader.com,qdownloader.net##.bannera
+mylust.com###wrapper > div[style*="color:#7f7f7f;font-family:Arial,Tahoma;font-size:14px;"]:not([id]):not([class])
+amc.com##.ad-tag-text
+apherald.com##.top-story-list > li[style="height: 120px;max-height: none;"]
+apherald.com###closeDiv
+apherald.com###body-section > div[style*="position: fixed;"][style*="bottom: -76px;"][style*="width: 122px;"][style*="height: 223px;"][style*="right: 98px;"][style*="overflow: hidden;"][style*="background: #fff;"][style*="z-index: 99;"]:not([id]):not([class])
+mlb.com##.ad--article
+prepostseo.com##.text-center > .text-uppercase.text-muted
+brokenlinkcheck.com##td[id^="mainform"] tr[bgcolor="#FFFFFF"]
+rockpapershotgun.com##.below > #recommendations
+fileflares.com##form[method="POST"] > button[type="button"][id] + div[style="margin-top:10px;"]
+||handjobhub.com/assets/paysites^
+||www.dm5.com/wxhfm.html^
+javrom.com##.div-relative
+||bp.blogspot.com/*-300x250.$domain=myreadingmanga.info
+intowindows.com##.entry-content > div[style="float: none; margin:10px 0 10px 0; text-align:center;"]
+ultrahorny.com##.hentai_pro_float
+ultrahorny.com##a[href*="brazzersnetwork.com"]
+sheamateur.com##.banners_col
+yespornplease.com##div[class^="col-"] > .well:not([class*=" "])
+||imgsmarts.info/bast^
+||mangoporn.net/125_125.php
+||mangoporn.net/125_125.js
+redtube.com,redtube.net,pornhub.com,pornhub.org,pornhub.net###main-container > .abovePlayer
+indiatoday.in##div[id^="block-itg-ads-ads"]
+bgr.in##.essel_logo_div
+bgr.in##.bgr_featured_phones
+bgr.in##.bgr_newArrivals_block
+bgr.in##div[data-widget="91m_multi_store"]
+goodreturns.in##.oneindia-coupons-block
+$domain=adserver.juicyads.com
+123moviesfree.sc##a.btn-successful[target="_blank"]
+nzherald.co.nz##.pb-f-ads-native-ad
+bigleaguepolitics.com##.tpd-box-ad-d
+bigleaguepolitics.com##.z-lockerdome-inline
+growmap.com##.sidebar > section[id^="media_image-"]
+||copypastecharacter.com/assets/*-banner-
+||watchpornfree.ws/125_125.js
+||watchpornfree.ws/beea.js
+economictimes.indiatimes.com##.internalAd
+m.economictimes.com,economictimes.indiatimes.com##.amz-list
+economictimes.indiatimes.com##.byd-spotli
+||multporn.net/baki_ladur_pss.php
+||multporn.net/frunti_punti_lad.js
+oneindia.com##.oi-header-ad
+||securepubads.g.doubleclick.net/gpt/pubads_impl_rendering_$domain=epaper.timesgroup.com,important
+nhl.com##.ad-responsive-slot
+unblocked.lol##.video_player > a[style^="color:inherit;display:block"]
+motorcyclenews.com##.google-ads
+motorcyclenews.com##.mpu-ad
+parkers.co.uk,motorcyclenews.com##.site-header-ad-notification
+||voyeurhit.com/js/2704.js^
+thehackernews.com##.right-box > .zoho-box
+||yurivideo.com/hclips/nvb_*.js
+losmovies.*###nwmedia
+losmovies.*##.aPlaceHolderOnlay
+cambabe.me###list_videos_videos_watched_right_now_items > noindex
+teenxy.com,alotporn.com,tubsexer.*,cambabe.me##.block-video > .table
+cambabe.me##ul.primary > li[style^="background-color"][style*="color: #fff;"]
+cambabe.me##.list-live-models
+/cp/webcam_gallery^$domain=cambabe.me,third-party
+cmacapps.com##a[href*="offer.php?"] > img
+wired.com##.sponsored-stories-component
+gamerant.com##[class^="ezoic-ad.medrectangle"]
+briefmenow.org##aside#secondary > a[href="https://www.prepaway.com/"][rel="nofollow"] > img
+toros.co,2ddl.ws##.trtbl
+2ddl.ws##.postarea > div[align="center"] > a[rel="nofollow"]
+yahoo.com##li[class^="Bgc(geminiBgc)"]
+yahoo.com###rawad-gemini-wrapper
+mlb.com##.p-ad
+||api.wikia.nocookie.net/*/wikia.php?controller=AdEngine*ApiController&method=getBTCode
+polygon.com##.c-related-list__video
+raagalahari.com##.off-canvas-content > .row > .columns > div[style="font-size:11px;line-height:15px;color:#CACACA"]:not([class]):not([id])
+||cdn-aimi.akamaized.net/mr/overlay.js
+ndtv.com##.ins_storybody > #checked
+rulesofcheaters.net,actressgalleryfcs.xyz,visionias.net###HTML11
+||images-eu.ssl-images-amazon.com^$domain=sharespark.net
+sharespark.net##center > div div[id^="randomContentServeId"]
+etherealgames.com,androidmakale.com,tutorialspots.com,vivahentai4u.net,thetruedefender.com,nimtools.com,javhoho.com,thefappeningblog.com###text-4
+||imgtornado.com/backener.php
+||imgtornado.com/fronter.js
+chron.com##.ctpl-fullbanner
+chron.com###ctpl-fullbanner-spacer
+wowhead.com##img[src^="//pixel.advertising.com/"]
+cepro.com###cedia
+cepro.com###cedia-small
+geekrar.com,techspite.com,professionaltutorial.com##.navigation-banner
+youramateurporn.com##a[href*="out.php?"]
+porns.land##.brazzersR
+pornqd.com##.menu > li > a[href^="http"][target="_blank"]
+porndoe.com##.nav-page li > a[href^="http"][target="_blank"]
+xxxstreams.org##.nav-menu > li > a[href^="http"][target="_blank"]
+youfreeporntube.com##.nav > li > a[href^="http"][target="_blank"]
+porn4days.com##a[href*="landing"][href*="campaign"]
+porn4days.com##.navbar-nav > li > a[href^="http"][target="_blank"]
+thisvid.com,pornhd8k.net##a[href^="https://theporndude.com"][target="_blank"]
+t3.com,gamesradar.com##.sponsored-post
+||allcoins.pw/js/ref.js
+shortit.pw##a[href^="./out.php?w=a&id="]
+pornrewind.com##.header-menu > .container > ul > li > a[href="https://www.theporndude.com"]
+analdin.com##.brazzers-link
+porntrex.com##li[class] > a[target="_blank"][rel]
+youjizz.com##a[href^="//"][target="_blank"]:not([href*="https://www.youjizz.com"])
+txxx.com##a[href^="http://bongacams.com"]
+||stream2watch.org/images/watch_now_button.gif
+proporn.com,drtuber.com##.abtext
+||media.porn.com/system/files/images/*.gif
+bobs-tube.com##a[onclick*="_gaq.push(['_trackEvent',"]
+bobs-tube.com##.social-bookmarks
+xcadr.tv,fapnow.xxx,bobs-tube.com##.fp-brand
+popsugar.com,popsugar.co.uk###pubexchange_below_content
+weightlossgroove.com##.adsense_wrapper
+bleachernation.com##.row > .post-list > [class^="code-block code-block-"][style="margin: 8px auto; text-align: center; clear: both;"]
+xsexvideos.pro,mature-tube.sexy,pornpipi.com###myads
+readwhere.com###clip-ad
+forums.watchuseek.com##.store-promo
+forums.watchuseek.com###header > a[href][target="_blank"][rel="nofollow"] > img
+forums.watchuseek.com##ol#posts > li[class="postbitlegacy postbitim postcontainer"][id^="yui-gen"]:not([id="post_"])
+laptopmedia.com##.lm-single-ad
+laptopmedia.com##.lm-single-page-ad
+bitcq.com##div[class="img-responsive center-block"] > a > img
+expresspharma.in,gamertweak.com,thelivemirror.com,nullpress.net,frendx.com##div[itemtype="https://schema.org/WPAdBlock"]
+sexwebvideo.me##.uk-panel-box > .trailer-sponsor
+sexwebvideo.me##.footer-content > .uk-container-center .list-spots
+||a1tb.com/300x250ntv
+||kissasian.*/Ads/
+tinypic.com##.ad_banner
+camwhores.video,camwhores.tv##body > .top[style="text-align:center;font-size:16px;"]
+camwhores.video,camwhores.tv##.primary > li[style="background-color:#ff4040; color: #fff;"]
+camwhores.tv##.row-models
+camwhores.video,camwhores.tv##.list-live-models
+camwhores.video,camwhores.tv##.container > .content ~ .headline
+javacodegeeks.com##.foobar-container
+arangscans.com##body > div[class="font-sans"]
+teenager365.com,stockingfetishvideo.com##.video-archive-ad
+stockingfetishvideo.com##a[href^="https://stockingfetishvideo.com/"][href*=".php"]
+stockingfetishvideo.com###menu-main-menu > li > a:not([href*="stockingfetishvideo.com"])
+ablogtowatch.com###mfc_widget-2
+||binomo.com/promo^$third-party
+mirror.co.uk##div.teaser[data-link-partner][data-element-type]
+christianforums.com##.ctaFtListItemsPage > div[style^="padding: "][style*="text-align: center;"]
+christianforums.com##.message > div[style^="padding: "][style*="text-align: center;"]
+accuweather.com##.panel-ad-mr
+||shon.xyz/js/p.js
+||fembed.com/revenue?_=
+porntrex.com##.content > .link-holder-top
+toucharcade.com##a[href^="https://toucharcade.com/ads/adtrack.php?"]
+toucharcade.com##header > #header > div[class^="ta_heroSkin ta_heroSkin--"]
+yourporn.sexy##body > #wrapper_div ~ a[href*=".rocks"]
+thecambabes.com##.head_ifr
+||thecambabes.com/images/Banners^
+/t63fd79f7055.js$domain=jesseporn.xyz|kendralist.com|erotichdworld.com|freyalist.com|doseofporn.com|guruofporn.com|steezylist.com|moozporn.com|sharkyporn.com|lizardporn.com
+sexysluts.tv##body > .wrapper ~ div[style*="z-index: 9999999;"]
+watchseries.*,123movies.la##.bottom-bnr
+pornboss.org##a[href^="https://bullads.net/"]
+pornboss.org###secondary > .widget_execphp
+pornboss.org###menu-menue-1 > li > a[href^="http://toplist.raidrush.ws/"]
+||pornboss.org/is*.gif
+dedoimedo.com###container > #content ~ #mon
+mp4upload.com##div[id^="data_"][style="border:1px solid grey;width:300px;height:250px;"]
+||upapi.net/pb/ex?w=*&uponit
+mycujoo.tv##div[class^="TvApps__root_"] div[class^="TvSponsors__root_"]
+sexwebvideo.net,porntopic.com,sexwebvideo.com,sexwebvideo.me,camsexvideo.net###kt_player > .fp-player + a[href$="/?play=true"][target="_blank"][style]
+porndoe.com##.channel-link
+porndoe.com##.news-ticker-wrap
+||empressleak.biz/script.js
+||empressleak.biz/popunderscript.js
+||empressleak.biz/wp-content/uploads/2017/10/newskin.jpg
+rockpapershotgun.com###page-wrapper > .leaderboards
+igg-games.com##div[id][style^="overflow:"] > div[style="position: relative"] > a[href^="/wp-includes/"][href$=".jpg"][rel="noindex nofollow"] > img
+caminspector.net##.block-video > .table .spot
+caminspector.net##.box > .list-videos.list-live-models
+caminspector.net##.box > .list-videos > .margin-fix[id^="list_videos_"] > noindex > div.place
+||camsoda1.com/promos/iframe/$domain=caminspector.net
+/cp/webcam_gallery/index.php?$third-party,domain=caminspector.net
+/assets/cp/js/webcam_gallery/iframe_handler.js$third-party,domain=caminspector.net
+||yourdailypornvideos.com/wp-content/uploads/20*/*/*.gif
+||yourdailypornvideos.com/wp-content/uploads/*/videoaccessbrazzers.jpg
+||zotabox.com^$domain=yourdailypornvideos.com
+yourdailypornvideos.com##.span4.column_container > .widget_custom_html a[href][rel="noopener"] > img
+||ultrahorny.com/media/videos/brazzers
+ultrahorny.com##a[href^="https://static.babesnetwork.com/landing"]
+ultrahorny.com##.player_nav > div[id^="player"]
+dreamamateurs.com##.media-box > .cs-link
+app.myreadit.com###options > .ng-star-inserted
+mangarock.com###taboola-article-thumbnails
+@@||imgadult.com/anex/alt2.js
+imgdrive.net##.if > iframe
+imgdrive.net##a[href*="juicyads"]
+imgdrive.net,imgadult.com,imgwallet.com##iframe[src^="frame.php"]
+imgdrive.net,imgadult.com##.sidebar > h3 > a[href="#"]
+goodtoknow.co.uk,nme.com,trustedreviews.com##.header-advert-wrapper
+||lexozfldkklgvc.com^$domain=camwhores.tv
+||lite-iframe.stripcdn.com^$domain=camwhores.tv|caminspector.net
+horriblesubs.info##.rls-sponsor
+horriblesubs.info##.latest-sponsor
+horriblesubs.info##.homepage-sponsor
+||horriblesubs.info/images/b/
+firmwarefile.com##div[style*="width:728px"]
+firmwarefile.com###ad2logo
+firmwarefile.com##div[style^="width:300px;height:250px;"]
+firmwarefile.com###pagelist > div.code-block+blockquote > div[style^="float:none;margin:10px -20px -20px -20px;"]
+androidmtk.com###fbhide[style^="width:300px;height:600px;"]
+androidmtk.com###relatedpost
+androidmtk.com##.in-article-adsense
+slice.ca###ad-DoubleBigBox
+smithsonianmag.com##.special-offers-from-advertisers-ad-showcase
+slice.ca###videoAds.ad-labeled-dark.bigbox
+247sports.com##.sidebar .article-list__list > .article-list__list-item--ad
+tetris.com##.horizontalAxContainer
+tetris.com##div[class^="verticalAxContainer"]
+tetris.com###gameAxDivContainer
+||cluster-*.cdnjquery.com*sha256_$script,domain=theultralinx.com
+theultralinx.com##aside[phx-content-rail-ad-block]
+cwtvembeds.com,caminspector.net##.hola_top_element
+caminspector.net##body > .footer ~ div[style*="background-color: rgb(0"][style*="opacity"]
+sexwebvideo.net,sexwebvideo.com,camsexvideo.net##.trailer-sponsor
+xgaytube.tv##.b-header > .b-row > .b-main-nav > ul > li > a[href^="https://hd100546b.com/"]
+||icy-veins.com/prolix^
+||nudespree.com/t57f52d401ce.js
+cinejosh.com##.googleAdPanel
+cinejosh.com##.googleAdsSponsered
+sport7.pw##.helldiv
+dict.hinkhoj.com##.dict_add
+tech-faq.com##.prl-entry-content > div:not(.adblock) > .adsbygoogle
+||s3-ap-southeast-1.amazonaws.com/statis8duj5z/full-page-script-vx.js
+ipsw.me##div[class="col-md-12 alert alert-info"][style="background-color: #0a84ff; margin-top: 10px;"]
+currencio.co##.adb_wrapper
+thehindu.com,radiotimes.com,theargus.co.uk##body .dfp-ad
+kicdam.com##.article-body > .sia[data-ad="true"]
+pixlr.com##body > .pro-app-wrap
+bloomberg.com##.leaderboard-ad-dummy
+etherealgames.com,androidphone.fr,esports.net,movilforum.com,apkmb.com,snat.co.uk,coursesxpert.com,thefappeningblog.com,nimtools.com,javhoho.com###text-2
+courseboat.com,courseforfree.net,majav.org,bestcouponhunter.com###text-8
+freetutorialonline.com,bestcouponhunter.com,courseforfree.net,analogictips.com,mangadeep.com###text-9
+datingsitespot.com,utilitymagazine.com.au,mangadeep.com###text-16
+thesurfersview.com##.mid-section > .right-part
+||nudespree.com/a^
+nudespree.com###inplayer-banner
+nudespree.com##footer > .container > div[style*="height: 240px; background: white"]
+neoseeker.com##tr.messagerow.alt[style="background-color: #E0E3EB;"]
+||easyview.eu/sw.js
+rdxhd.me##.add_poster
+gamepedia.com##div[aria-labelledby="p-sitePromos-label"]
+bravotube.net##.wrap > .bravo-vids + .titleline > h2
+bravotube.net###BT-Native-Footer
+darkscene.org##.full-adv-block
+galaxy.gala100.net##.metaRedirectWrapperTopAds
+||amaturetube.net/from.py
+lesbian8.com##.invideo
+||mycut.me^$domain=shortadd.com
+3movs.com##div[class="3M-textlink"]
+pinsystem.co.uk##.mh-sidebar > div[id^="enhancedtextwidget-"]
+ebay.co.uk##div[title="ADVERTISEMENT"]
+alphr.com##.block-dfp
+ninjakiwi.com##.local-skin
+ninjakiwi.com###lightbox_all
+ninjakiwi.com###lightbox_osx_only
+ustream.to,upstream.to,playtube.ws,ninjakiwi.com##.overlay
+||shink.me/p/ifr^
+asiancorrespondent.com##.article-mpu
+||y5p6d9k6.ssl.hwcdn.net/holiday^$domain=trueanal.com
+||rule34.xxx/aa^
+dailymotion.com##div[class^="AdWatchingRight__container"]
+crunchyroll.com###slidebox
+shemalemodelstube.com##.barContAll
+||shemalemodelstube.com/images/review
+shemalemodelstube.com##.wrapper > .main-video ~ .heading.cf
+shemalemodelstube.com##.featured-sites
+shemalemodelstube.com##.wrapper > .sidebar-video
+||shemalemodelstube.com/fun^
+||thebestshemalevideos.com/images/visuals^
+/ancensored.com\/js\/[-_a-zA-Z0-9]{12,}.js/$domain=ancensored.com
+camvideos.tv##.thumb-live-model
+||camvideos.tv/*ad300_250.php
+ultimate-guitar.com##.js-ad-criteo
+fortune.com##div[data-partial="sponsored-list-item"]
+people.com,cnycentral.com,news3lv.com,upnorthlive.com,wcyb.com,wjactv.com,fortune.com##.outbrain
+fortune.com##.bottom-recirc > .bottom-recirc[data-endpoint^="https://"][data-endpoint*="ads"]
+hellporno.net##.main > .block-videos + div[style="margin:0 auto;text-align:center;"]
+itsfoss.com##.Campaign
+business.financialpost.com###section_2 > .adsizewrapper
+countrylife.co.uk##.ipc-advert-class
+mariomayhem.com###content > div[style*="width:300px; height:250px"]:not([id]):not([class])
+||zdnet.com/m3d0s1/recommendation/
+||taboola.com^$domain=livemint.com
+androidpit.it,androidpit.com.br##.bannerSidebar
+msn.com##.adprocess
+||static.mytuner.mobi/media/banners/
+afterschoolafrica.com,asianhobbyist.com###ai_widget-4
+lifehacker.com##.splashy-ad-container
+||hqq.tv/js/betterj/ban^
+||vg247.com/wp-content/themes/vg247/scripts/mvg247-fsm.js
+lifehacker.com##.ad-non-sticky
+vivads.net##form ~ .row > .col-sm-4
+vivads.net###my_div
+||vivads.net/links/popad$popup
+shemaleporn.xxx##a[href^="https://theporndude.com/"]
+shemaleporn.xxx##.content-inner-col > .aside-itempage-col small
+jizz.us,shemaleporn.xxx##.aff-content-col
+||tubedupe.com/td_fl.js
+shemaletubevideos.com##.buttonsale
+shemaletubevideos.com##.mainvt > .right-2
+||pc180101.com/gen/banner
+||tranny.one/api/direct^$popup
+tranny.one###atop
+||tranny.one/bd.php
+||livejasmin.com/pu$popup
+||tranny.one/js/fd.js
+nend.io,shemaletubevideos.com,tube.shegods.com###advert
+tube.shegods.com##.main-gal > .right-gallery
+jizzez.net##.footer > .inner
+its.porn,jizzez.net##.oneBanner
+||jizzez.net/ai/s^
+||peggo.tv/static/js/admaven.min.js
+||peggo.tv/ad^
+||primewire.life/gohere.php$popup
+||bebi.com/js^$redirect=nooptext
+tempr.email##.af-table-wrapper
+hifivision.com##.p-body-pageContent > center
+hifivision.com##.block-body center
+hifivision.com##.block-body center ~ br
+pushsquare.com,nintendolife.com##.google-mc
+nintendolife.com##.item.item-insert
+vipleague.bz##div.my-1[style="display: none !important;"] ~ .my-1
+||namethatporn.com/assets/dev_popscript.js^
+embedy.me##.center-block > #xel1
+efukt.com##.header_menu_items > li.menu_item > a[target="_blank"]
+efukt.com##.hardlinks.font700
+javhay.net###sidebar > #custom_html-2 center > a[href] > img
+gestyy.com,sh.st##.skip-advert
+||hdmoza.com/nb^
+apkpure.*##.left > .box[style="overflow: hidden; padding-bottom: 20px"]
+||static.livesport.ws/uploads/*240x400$image
+||hotpornfile.org/*/b_l.php
+alphaporno.com##.movies-block > div[style*="text-align:center;"]
+||celebrity-leaks.net/*.php$script
+||thefrappening.so/sproject/sproject.php
+.com/ads/$domain=pornbraze.com|hdbraze.com
+aruble.net###middle-adspace
+||static.nitropay.com/nads^
+sorcerers.net##td.right_nav > .nocontent ~ .nocontent ~ table.right_nav
+sorcerers.net##a[href^="http://www.sorcerers.net/Supporters/index.php"]
+sorcerers.net##.content > div[align="center"]
+sorcerers.net##td.left_nav > table.left_nav
+trend-chaser.com##.primary-ad-widget
+trend-chaser.com###primary-under-title-wrapper
+trend-chaser.com##div[class="attribution attribution-over attribution-center"]
+||anysex.com/assets/script.js
+/^https?:\/\/anysex\.com\/[a-zA-Z]{1,4}\/[a-zA-Z]+\.php$/$image,script,domain=anysex.com
+momsextube.pro##.bt-hs-col
+momsextube.pro##.prev[style^="width:320px;height:254px;"]
+fpo.xxx##.fp-player > .fp-ui > div[style^="position: absolute; overflow: hidden; display: block; left:"]
+||fpo.xxx/contents/other/player/porngame*.mp4
+||fpo.xxx/player/html.php?aid=pause_html&*video_id=*&*referer=
+ndtv.com##.newins_widget > div[id][data-wdgt][class^="__pcwgt"]
+pornhub.com,pornhub.org,pornhub.net##.realsex
+jav1080.com,sex-leaks.com,gay1080.com,javsister.com###boxzilla-overlay
+jav1080.com,sex-leaks.com,gay1080.com,javsister.com##.boxzilla-container
+fapality.com##.nativefooter
+fapality.com##.columns.large-3 > .simple:not(.video_view):not(.list_comments)
+||fapality.com/b^
+||fapality.com/wsoz^
+fapality.com,yourlust.com##.native-aside
+||yourlust.com/iszw^
+||cartooncrazy.net/mg*.html?
+hanime.tv##.htv-flag
+gizchina.com##.spotim_siderail
+||img.gizchina.com/*/*_300x300
+hyphenation24.com,gematsu.com,videogameschronicle.com,kongregate.com,wikihow.com,gamermatters.com,curiouscat.me##.adcontainer
+smallnetbuilder.com##iframe[src^="//ws-na.amazon-adsystem.com/"]
+coub.com##.coub__banner-timeline
+cryptomininggame.com###sticky_bot_right
+speakerdeck.com,gifdb.com,tickertape.in,websiteplanet.com,nimbusweb.me,playtube.pk,mangareader.site,mangafox.fun,wallpaper-house.com,mangahub.io##.ads-container
+poe.trade###main > div > .row#contentstart
+||xbooru.com/x^
+||xbooru.com/ex.js^
+||static.winporn.com/upload/banners^
+||winpbn.com/redirect/^
+||3movs.com/ai/
+3movs.com##iframe[src^="/ai/s/s/su.php"]
+||realthaisluts.com/*.php?z
+/simply-hentai.com\/javascripts\/[_-a-zA-Z0-9]{5,}.js/$domain=simply-hentai.com
+dressupmix.com##.banner300x600
+||safelinku.net/fullpage/script.js
+pornrabbit.com##.txt-a-onpage
+/pornrabbit.com\/[a-z0-9]{1,2}.php/$domain=pornrabbit.com
+asiananimaltube.org##.view_block > .right_block.rightBs
+shooshtime.com##.video_sponsor_anchor
+shooshtime.com##.wrap > ul > li > a:not([href*="shooshtime"])
+shooshtime.com##.primary > .plugs + .plugs
+motherless.com##div[data-action="OurFriends"]
+healthline.com##.css-g8s93n
+healthline.com##.css-1031od0
+healthline.com##.css-15wdjsy
+zooqle.com##.panel-body li.text-nowrap > a[target="_blank"]
+||cartoonporno.xxx/cont/js/pun-abc.js
+thebrickfan.com###text-14
+proxydocker.com##.container .adsbygoogle
+proxydocker.com##.row[style*="margin-top: 0px;"] .facebookdiv
+apkmirror.com##.amazon-ad
+momondo.com##.rrc
+momondo.com##div[onclick*="inline.ad"]
+||mediausamns-a.akamaihd.net/*.mp4$media,domain=funimation.com
+vi-control.net##.samBannerUnit > .SamLink > a[href] > img
+||vi-control.net/Spitfire/LABS_*.gif
+citationmachine.net##.container > .row[style="min-height: 120px;"]:not([id])
+coinwarz.com##div#background > div[style="float:left;"]
+coinwarz.com##div#background > div[style="float:right;"]
+coinwarz.com##.well > div[style^="width: 336px; height: 280px; float: left;"]
+animalplanet.com##.bannerFlexHeader__main.banner-flexOne-main
+leagueofgraphs.com##div[id^="cdm-zone-"]
+x-vid.net,thexvid.com##.in-bg-pop > div#morev
+proxydocker.com##.facebookdiv[style="min-height:200px;"]
+flyordie.com##div[style="text-align:center; margin: 0 auto 10px; color:#b0b0b0; font-size: 8px;"]
+flyordie.com###dasb
+flyordie.com##div[style^="position: absolute; width: 180px; height: 600px;"]
+flyordie.com##div[style^="position:absolute;width:180px;height:600px;"]
+laptopmag.com###Ribbon_ad
+laptopmag.com###responsive_ad
+noonsite.com##.portlet-static-global-sponsors
+xcafe.com##.footbnr
+wordreference.com##.adtitle
+||xcafe.com/*.php
+xcafe.com##.divExoCustomLayer
+spyur.am,bestvpn.com##.top_banner
+/gaypornium.com\/bfs[0-9]{1,2}.gif/$domain=gaypornium.com
+/gaypornium.com\/[0-9]{1,2}.gif/$domain=gaypornium.com
+bestvpn.com##div[class^="ulp-"]
+twinfinite.net##.theiaPostSlider_preloadedSlide > div[class][style="clear:both;float:left;width:100%;margin:0 0 20px 0;"]
+macheforum.com,cybertruckownersclub.com,tdpri.com,xbunker.nu,broncosportforum.com,jeepgladiatorforum.com,titsintops.com,nudostar.com,satelliteguys.us,forums.macrumors.com,androidrepublic.org##.samCodeUnit
+livescore.com##.wrapper > .bb:not(.header)
+||zootube1.com/magnn.js
+zootube1.com##[class^="content_aside-ad"]
+searchenginejournal.com##.sej-unit
+searchenginejournal.com##.sej-banner-section
+searchenginejournal.com###scheader.media
+gtaall.com##div[class^="banner-content-"]
+romspedia.com###ad2
+romspedia.com,gdforum.freeforums.net###ad1
+||heroero.com/temp/2ava.jpg
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=skylinewebcams.com,important
+vesselfinder.com###admap
+wololo.net##.content > div[style*="background-color"]:not([class]):not([id])
+||nudevista.com/xhr/xhr.html
+whatleaks.com##aside[class="col-l clr"] > div.banner
+king5.com##div[id^="taboola-below-article-thumbnails-"]
+windowscentral.com##.adunit.inline-text
+maritimeherald.com###right-side-top > aside#text-13
+maritimeherald.com###right-side-top > aside#text-17
+businessinsider.com##.ad-title
+businessinsider.com##.river > .river-post.border-bottom.print-hide
+wololo.net##.entry-inner > center
+phonearena.com##.s_page_content > div > .ad_300_250 ~ br
+businessinsider.com##.targeted-recommended
+businessinsider.com##section.recommended
+||pornofury.com/*/redirect.php$popup
+petitiontime.com##.content > center > a[target="_blank"] > img
+gamesradar.com###sidebar > div[style]:not([class]):not([id]) > div[style*="width: 100%"]:not([class]):not([id])
+||bestialitytaboo.tv/pop2.js
+activistpost.com##.post-ad
+activistpost.com##.post-ads
+bestmalevideos.com##.sidebar > div[id^="ad"]
+highstream.tv##.cover
+tvcatchup.com##.abContainer
+msn.com##.secondary > li[data-m*='NativeAdHeadlineItemViewModel']
+nationalpost.com###sidebar > .adsizewrapper
+wikihow.com##div[id^="rightrail"][style^="height:"][class="rr_container"]
+kitploit.com###MBB-Ads
+kitploit.com##.widget-content > div[style="text-align:center"]
+vidmoly.me###lo_sd
+vidmoly.me###adios_container
+dallasnews.com##.hdr-ad
+eurosport.*,play.typeracer.com,slant.co##.AdContainer
+eurogamer.*##div[class^="commercial-slot-"]
+eurogamer.*##.desktop_mpu
+eurogamer.*##.desktop-mpu
+eurogamer.*##.stack-mpu
+eurogamer.*##.homepage-billboard-container
+gameplanet.co.nz###layoutTopBanner
+gameplanet.co.nz##.sponsor-logos
+followfollow.com,bluemoon-mcfc.co.uk##div[id^="snack_"]
+followfollow.com,downloadcrew.com,eurogamer.net,rockpapershotgun.com##.mpu
+spaldingtoday.co.uk,stratford-herald.com,northern-scot.co.uk##.MPU
+slidetoplay.com###side-bar > div[id^="bl_html-"]:not(#bl_html-6)
+timeextension.com##.item-insert
+timeextension.com,nintendolife.com##.insert-label
+nintendolife.com##div[data-dfp-sizes]
+nintendolife.com##.items > .item-insert
+micloudfiles.com###container > br
+zeoob.com,nasdaq.com,micloudfiles.com##div[class^="ads_"]
+micloudfiles.com###container > [style="text-align: center;"]
+micloudfiles.com###container > h2 > center
+micloudfiles.com###content > br
+||intoupload.com/images/StartDownload.gif
+||mobimart.it/smartbp.html
+/^https?:\/\/xxximage\.org\/[a-z\d]+\.js$/$domain=xxximage.org
+/^https?:\/\/imageboom\.net\/[a-z\d]+\.js$/$domain=imageboom.net
+maturefatporn.com##.h-bns-bl
+maturefatporn.com##.player > .a_all
+maturefatporn.com##.player > div.play
+||maturefatporn.com/max.js
+billiongraves.com##.IMediaSearchAd
+billiongraves.com##.DoubleClickAdWrapper
+freepressjournal.in##.fpj_rshAd
+||livexscores.com/rekban.php
+buzztv.futbol,streamsport.pro,sportsonline.*,hdstreams.club###html1
+escland.proboards.com##div[style^="display: flex; width: 700px; max-width: 100%;min-height: 250px;"]
+speedporn.net##.sbox + #uwee
+||speedporn.net/iamfront.js
+hackedonlinegames.com,ihackedgames.com##.offer-alpha
+pacogames.com###ga_sp_banner
+pacogames.com###ga_sp_preloader
+chyoa.com##.chyoa-adzone
+/^https?:\/\/chyoa\.com\/[a-zA-Z\d]{1,15}\/[a-zA-Z\d]{1,15}\.js$/$domain=chyoa.com
+kodi-tutorials.uk##.entry-content > .code-block
+hydrogenfuelnews.com,kodi-tutorials.uk##.ezo_ad
+hentai-foundry.com,kodi-tutorials.uk##iframe[name="banner"]
+kodi-tutorials.uk###main > .code-block
+justwatch.com##publication-block
+||t.frtyt.com/*offer_id=*&aff_id=
+medindia.net##.related-links > div[style="font-size: 11px;display: block;text-align: left; color: #c1c1c1; text-transform: uppercase;margin-bottom: 1px;"]
+techrepublic.com##div[data-medusa-async-options]
+techrepublic.com###mantle_skin > div > .ad-active + div[style="width:100%"]
+uiporn.com,porngem.com##.bottom-b-s
+||porngem.com/player/html.php?aid=*_html&video_id=*&*&referer
+search.yahoo.com##.grad
+tivocommunity.com###messageList .messageContent .messageText > .tivoBoxMessage
+wstream.video,ouo.io##div[id*="ScriptRoot"]
+amazon.in,amazon.fr,amazon.co.uk,amazon.de##.s-result-list > li[id^="result_"][style*="display: block;"]
+simplemost.com##.vw-related-posts
+mediafire.com##a[href="http://desktop.mftracking.com"]
+||amazonaws.com/mftracker/dl_banner.gif
+pornloupe.com##.banner-column
+||pornloupe.com/images/temp/banner
+porngem.com##iframe[src^="/ai/"]
+||porngem.com/ai^
+intporn.com##iframe[src^="https://chaturbate.com/affiliates"]
+||intporn.com/chaturbate.gif
+||intporn.com/camsoda.gif
+||chaturbate.com/tours^$third-party
+||intporn.com/js/chaturbatebest.js
+||mangoporn.net/iamback.php
+||mangoporn.net/see.js
+||mangoporn.net/iamfront.js
+123movie.cc,fmovie.cc##.bannerR2x
+fmovie.cc##.top_podCon
+cartoon-sex.tv##.f-banner
+||bigholestube.com/rotator/baner.php^
+||bigholestube.com/wp-content/uploads/*/*banner
+||bigholestube.com/rotator/banery^
+theclassicporn.com###jerrys
+theclassicporn.com##.player-container > div[id^="stop"]
+||classicporn.club/ab_fl.js
+||classicporn.club/ab_bl.php
+classicporn.club##.cpc_video_hors
+classicporn.club##.cpc_dark_bl
+||pornwatch.ws/iamfront.js
+||pornwatch.ws/bees.js
+thefreelibrary.com##.yn
+wankoz.com##body > .im_block
+openallurls.com##.nav-content-wrap > .row > div[class]:nth-child(2):not([id]):not([style]) > h5
+migraine.com###secondary > .desktop-only
+homemoviestube.com##a[href^="http://www.gfrevenge.com"]
+||homemoviestube.com/nb^
+erightsoft.com##font[color="#7d7d7d"] > font[size="1"]
+erightsoft.com##td font[color="#666666"] > font[size="1"]
+||stream2watch.org/images/hd-option.png
+123movies.info##.host > a[href="#"] ~ a
+123movies.info##.host > a[href="#"]
+gostream.sc##.container > center > a > img
+3movs.com##div#list_videos_related_videos
+dynamicwallpaper.club##.affiliate
+pictoa.com###searchContainerMenu > .menuTab
+pictoa.com##a[onclick^="trackOutboundLink"]
+||pictoa.com/31.js
+||pictoa.com/*.php
+||pandamovie.co/iamback.php^
+myguidecyprus.com##div[class^="mdAd"]
+iodine.com##.d-show
+drugs.com##.sideBoxStackedAdWrap
+||dropapk.com/download.gif
+dropapk.com##a[href^="https://dropapk.com/download/"]
+surfline.com##.sl-spot-report-page__ad
+||i.cdn-surfline.com/ops/945x*_Dragon_WOTW_mar18.jpg
+||playwire.com^$domain=megagames.com|gamrconnect.vgchartz.com|poelab.com|lcpdfr.com|psu.com|gbatemp.net|sefemedical.com
+gamrconnect.vgchartz.com##.thread_around_network
+gamrconnect.vgchartz.com###network_box_wrap
+businessinsider.com##a[href*="utm_campaign="] > img
+wired.com##div[class^="advertisement"]
+||pururin.io/assets/js/js.betterpop.js
+rentanadviser.com##.rklm_main
+rentanadviser.com##.reklamtitle
+icdrama.se###closeADV
+icdrama.se,vlist.se###vb_adplayer
+||icdrama.se/script.js
+theoutline.com##[data-campaign2]
+spaste.com##.spasteCaptcha h5
+ghanaweb.com##body > div[style^="background:url("][style*="cursor:pointer; display:block; height:100%; width:100%;"]
+rockfile.co##[id^="forgood"] > img#donate
+nfl.com##.bling
+sankakucomplex.com##.vce-ad-container
+gardenista.com##.sticky[data-advert]
+gardenista.com##.promotion[data-advert]
+gardenista.com##.product-aside > div[data-advert]
+gardenista.com##section.articles.has-promotion > article.article.is-promotion
+wololo.net##center[ezoic][style*="margin"][style*="rcnt:"]
+4shared.com##.sideRekl
+hdzog.com###channel-banner
+||imzog.com/sizo^
+bloomberg.com##.native-content-footer
+sportinglife.com##.gpt-container
+||javhub.net/img/r18_banner1.jpg
+marvel.com##footer > .social-bar-container + .ad
+livecricket.is##div[id^="floatLayer"]
+nfl.com##div.rsv-ae9db127[style*="background-color: rgb(221, 221, 221);"]
+medindia.net##div[id^="ezoic-pub-ad-"]
+onvasortir.com###pub_rectangle
+hgtv.ca##div[data-ad-pos]
+hgtv.ca##.blogDetail-ad
+hgtv.ca##.videoCabinet-ad-placeholder
+hgtv.ca##.latestContent-ad
+hgtv.ca##.featureEnhanced-ad-placeholder
+hgtv.ca###videoAd
+hgtv.ca##.video-drawer-bigBox
+hgtv.ca##.js-gptAd
+123freeavatars.com##div[align="center"] > div[align="center"][style*="border"]:first-child
+123freeavatars.com##div[style="float:left;"] > .hd[style]
+voyeurhit.com##.player-container > div[style] > span[class]
+/briefmenow.org\/img\/pa[0-9]{1}.jpg/$domain=briefmenow.org
+||briefmenow.org/img/modal-prepaway.js
+israelnationalnews.com###taboola-3
+israelnationalnews.com##.RightClm > #divin4
+israelnationalnews.com###taboola-mid-main-column-thumbnails
+israelnationalnews.com##iframe[id^="iframe"][src="about:blank"]
+israelnationalnews.com##.RightClm > div[style="height:305px;margin-top:25px;"][id^="avp_zid_"]:empty
+||faselhd.com/va/tag.xml
+||cdn.vidsplay.net/jwplayer/*/vast.js
+paidcoursesforfree.com,odishabytes.com,techcodex.com,cgtips.org,themeslide.com,prajwaldesai.com,onlinefreecourse.net##div[data-adid]
+||imgazure.com/888_super.php^
+||imgazure.com/sro/editorship.php
+hanime.tv##.banner_iframe
+photoshopessentials.com##[class^="members-ad"]
+photoshopessentials.com##.widget-area > #text-2
+||plusone8.com/ardexaae.php^
+avcanada.ca###wrap > #page-header > table[cellspacing]
+avcanada.ca##.postbody > div[id^="post"] > center:not([class]):not([id]):not([style])
+securityweek.com##.simplemodal-overlay
+securityweek.com##.simplemodal-container
+yugatech.com##.blue_square_ads
+yugatech.com##div[class*="sidebox-ads-"]
+yugatech.com##.sidebar-content > #text-57
+yugatech.com##.sidebar-content > #text-76
+yugatech.com###subheader > center > a[href][target="_blank"] > img
+yugatech.com##div[class$="group"] > a[href^="https://bit.ly/"][rel="noopener"] > img
+||yugatech.com/wp-content/uploads/*/V9_digital-ad-placement_*px-x-*px*.jpg
+||wp.com/www.yugatech.com/wp-content/uploads/*/V9_digital-ad-placement_*px-x-*px*.jpg$domain=yugatech.com
+updato.com##.main-article-content > div[class][style*="float: left"][style*="margin"]
+|http*://$image,third-party,domain=rmdown.com
+watchtheofficeonline.net,watchhouseonline.net,watchtopgearonline.net,watchcurbyourenthusiasm.com,watchsmallvilleonline.net,watchpsychonline.net,watchdoctorwhoonline.com,watcheverybodylovesraymond.com,watchseinfeld.com###contenedor > #keeper
+winporn.*##.afsite > .thr-rcol
+hdzog.com##.player-container > div[style] > span[class]:not([id]):not([style])
+voyeurhit.com,hdzog.com###under-pl-ad
+meow-share.com##.adsframe
+ah-me.com##div[id^="ts_ad_"]
+||ah-me.com/pig/oinkoink^
+||res.cloudinary.com/*/raw/upload/*/*-vast*.xml$domain=saruch.co
+||p.jwpcdn.com/*/vast.js$important,domain=fvsvideo.com|gomovies.bid|solarmovie.fun|fmovies.gallery|vidmoly.to|gdriveplayer.co|vidmoly.me|01fmovies.com|123movies.domains|fmovies.cab|tornadomovies.co|timesnownews.com|film21.online|opjav.com|saruch.co|contentx.me|hotstream.club|abc7.su|jeniusplay.com
+||camvideos.tv/homeAD.php
+camvideos.tv##.block-video > .table > div[style="margin:5px;padding:5px;text-align:center;"] > iframe
+ownedcore.com##.bannerBox
+ownedcore.com##div[class^="adosia-"]
+player.livesports.pw###divpubli
+dl.go4up.com###streamList
+dl.go4up.com##a[href^="https://members.linkifier.com"]
+||orgyxxxhub.com/js/objad.js
+orgyxxxhub.com###objad
+||orgyxxxhub.com/eureka^
+fuck55.net##ul[id^="ad_content"]
+androidpolice.com##.home .tag-sponsored
+indianexpress.com##.amazon-widget
+||anysex.com/assets/f.html
+||pornoreino.com/custom/reino_lo.js
+windowscentral.com##div[id^="trc_wrapper_"]
+wololo.net##div[id^="post_content"] > .content > div[style*="padding:5px; border:1px solid #c1c1e1;margin-top:5px;"]
+||jawcloud.co/js/script.js
+theultralinx.com##.m-ad-card--grid-item
+msn.com##div[data-section-id="stripe.shopping1"]
+||toots-a.akamaihd.net/priority/*Sponsor
+||toots-a.akamaihd.net/priority/pushdown^
+||worldsex.com/assets/js/thnb.js
+worldsex.com##.currently-blokje-block
+||faselhd.com/promo_imgs/
+youtrannytube.com##.banner-td
+||camvideos.tv/CAMVID.php
+||camvideos.tv/playAD.html
+xxx-videos.org##.sidebar_main > ul:last-child
+xxx-videos.org##.sidebar_main > ul:first-child
+||multiplayer-games.net^$domain=xxx-videos.org
+||xxx-videos.org/im-pop.js
+||xxx-videos.org/svduwgzizfuv.php
+cambabe.video##.margin-fix[id^="list_videos_"] > noindex > .place
+||ipsw.me/assets/images/external/slide.png
+global.americanexpress.com##.text-align-center.pad-tb
+||watchop.io/*.html|
+rgmechanicsgames.com*VPN.exe
+feed2allnow.eu###fanback
+seriouseats.com##.entry-body > .product-widget
+sheshaft.com##.block-videos > div.content-aside:has(> div.banner)
+sheshaft.com#?#.heading:has(> h2:contains(AD))
+sheshaft.com##.after_adv
+sheshaft.com###yotam
+sheshaft.com,tubewolf.com,zedporn.com,hellmoms.com,alphaporno.com,pornwhite.com,xcum.com,wankoz.com,sleazyneasy.com,katestube.com##.bottom-banners
+wankoz.com,sleazyneasy.com,katestube.com,sheshaft.com##.adv-aside
+sheshaft.com##.player-info > .under-player
+globaltv.com###shawVideo_playbackContainer > #corusVideo_VideoAds
+amazon.co.jp,amazon.cn,amazon.ca,amazon.co.uk,amazon.it,amazon.fr,amazon.de,amazon.com##div[id^="sponsoredProducts"]
+freeppt.net##.ads350
+freeppt.net##.advertgeneral
+dansmovies.com##.addsinside
+nastyrat.com###bn
+||nastyrat.com/*_*.js|
+appuals.com##.ad-popup
+youngsextube.me##.player-ad
+||youngsextube.me/agent.php
+||mature-girls.com/kutstelers.js
+||yourporn.sexy/nbsys3/fsyspp.js
+||watchindianporn.net/fli.js
+||watchindianporn.net/js/watchip.js
+watchindianporn.net##.spots-wr
+mzansi.porn##.dvr-3x2
+cointiply.com##.fl-ad-left
+cointiply.com##iframe[src^="/api/userads/"]
+poki.com##.Ez
+poki.com##.FA
+majorgeeks.com,cheatsheet.com##div[style^="width:728px;height:90px;"]
+cheatsheet.com##.top-ad
+cheatsheet.com##.sidebar
+crazygames.com##.sideCol > .sidePanel.sky
+||images.crazygames.com/ggs-banners/*_*.gif?
+silvergames.com###x-300
+silvergames.com##.box_game_ad
+||silvergames.com/div/ca.php
+||silvergames.com/div/oa.php
+||rcgroups.net/adjsc.php
+rcgroups.com###wrapper > table[width="100%"][height="25"]
+rcgroups.com##a[href*="/adclick.php?bannerid="]
+rcgroups.com###posts > div[align="center"]+table[width="100%"][align="center"]
+watchmynewgf.com##body > section.bb
+||watchmynewgf.com/exo/
+||watchmynewgf.com/js/mes.js
+||watchmynewgf.com/js/cash*.js
+webforefront.com##.adslot_leader
+vipleague.bz##.text-warning
+vipleague.bz##a[onclick="removeOverlayHTML();"]+div
+vipleague.bz##a[onclick="removeOverlayHTML();"]
+vipleague.bz##.container > div.row > div.text-center > div.col-md-4.pull-right.hidden-xs
+tutorialsteacher.com##.header-ad-div
+tutorialsteacher.com##a[href][onclick="handleEFExtAdClick();"] > img
+||tutorialsteacher.com/content/images/ef-ext.jpg
+gumtree.com##.srp-results > div.grid-row > div[class*="grid-col-12"] > h3[id$="-attribution"]:not([data-q])
+livescience.com##body > [id^="bom_footer_ad"][style*="position: fixed; z-index:"]
+digg.com##article[data-primary-tag-display="Sponsored"]
+buzzfeed.com##.item--ad
+||ip-ads.xcr.comcast.net^$media
+nerdist.com###sub-footer-banner-wrapper-300
+advocate.com##.block-heremedia-ads
+investopedia.com##.ad-leaderboard
+tennessean.com,sputniknews.com##.taboola-sidebar
+pickvideo.net##.downloadSection > span[style="font-style: italic; color: #949494; text-align: center;"]
+keepvid.com##.side_adBox
+y2mate.com###adv_box
+y2mate.com##img[alt="advertisement"]
+y2mate.com##div[style$="text-align: center"] > p[style$="text-align: center"] > i
+||cdn.taboola.com/libtrc/$domain=worldlifestyle.com
+worldlifestyle.com##.ams_ad_title
+worldlifestyle.com##.ams_ad_wrapper
+worldlifestyle.com##.ams-ad-full-wrapper
+tw.yahoo.com###util-travelads
+||h2mp3.com/d/as.php
+mashable.com##.stories-strip > #stories-ad
+komando.com##[class^="win-smartphone-ad-"]
+gadgetsnow.com##.atf_ad300
+gadgetsnow.com##.related_story > .cvs_wdt > .ad[data-cb="processCtnAds"]
+dailymotion.com##div[class^="VideoQueue__adWatchingRight"]
+hongkiat.com###promote-bottom
+hollymoviehd.com##a[href^="http://www.tradeadexchange.com/"]
+||ad.kissanime.ac^
+apkmirror.com##.listWidget > div[style="padding-top: 12px;"][class="appRow"]
+ouo.press##.skip-container > .text-center > span[style="display: block;color: #aaa;font-size: 13px;padding-bottom: 2px;"]
+fuckcelebs.net,onlinestars.net##.fp-ui > a[href][target="_blank"]
+yahoo.com##.tabads
+msn.com##div[data-aop*="taboolawidgetvnext"]
+yahoo.com##div[id^="my-ads"]
+yahoo.com##.ecbestbuy
+theultralinx.com##.l-content-recommendation > [id^="revcontent_"]
+acronymfinder.com##.search-results > .tab-content > .result-list > tbody > tr > td[colspan="3"]:not([id]):not([class])
+amazon.de,amazon.com,amazon.fr,amazon.it,amazon.co.uk##.adFeedback
+javseen.com,neowin.net##.footer-banner
+kottke.org##a[href^="http://carbonads.net"]
+msn.com##a[href^="https://clk.tradedoubler.com/"]:not([href*="microsoft.com"])
+hentaicore.org##.side > .full-poster > center > div[style^="width:300px;height:750px;"]
+||imagebam.com/*.php?
+bypassed.eu,bypassed.bz##cloudflare-app[app="flashcard"]
+||iwantmature.com/ixxi^
+hentaicore.org##a[href^="http://gamingadult.biz"]
+||hentaicore.org/pub/bg-$image
+||twincdn.com/special^$third-party
+iwantgalleries.com##.bant
+||iwantgalleries.com/axxa^
+bloomberg.com,speedtest.net##div[data-ad-placeholder]
+||fuqer.com/core/js/pop
+||fuqer.com/b_load.php
+||fuqer.com/nuevo/player/aserve.php
+fuqer.com##.colright > .widget:first-child
+tokyomotion.net,player.javout.net,fuqer.com###nuevoa
+||analust.com/js/istrip.js
+analust.com##a[href^="https://t.irtya.com/"]
+guruofporn.com##.main > div[id^="slides"]
+erotichdworld.com##.main > div[style*="margin-left"]
+viewporn.tv###footer > #ftx
+viewporn.tv###player > #blockpub
+viewporn.tv###col2RightContainer
+||static.mjg.in/widget/widget.js
+||signup.leagueoflegends.com/?ref=$third-party
+||o.aolcdn.com/ads/$third-party
+||kontera.com/javascript/$third-party
+||tcr.tynt.com/ti.js$third-party
+||travian.dk/?uc=$third-party
+||enter.brazzersnetwork.com/track/$third-party
+||ekupon.ba/*urm_source^$third-party
+||babylon.com/*affID=$third-party
+||amazonaws.com/amcdn/admvpopunder.swf
+||360switch.net/b.js
+||filesonic.com/premium-ref/$third-party
+||agacelebir.com/apu.php?$redirect=nooptext,important
+||togenron.com/apu.php?$redirect=nooptext,important
+||stremanp.com/apu.php?$redirect=nooptext,important
+||deloplen.com/apu.php?$redirect=nooptext,important
+||koindut.com/apu.php?$redirect=nooptext,important
+||parumal.com/apu.php?$redirect=nooptext,important
+||dolohen.com/apu.php?$redirect=nooptext,important
+||thterras.com/apu.php?$redirect=nooptext,important
+||bestadbid.com/afu.php?$redirect=nooptext,important
+||bodelen.com/apu.php?$redirect=nooptext,important
+||cobalten.com/apu.php?$redirect=nooptext,important
+||eoredi.com/apu.php?$redirect=nooptext,important
+||go.mooncklick.com/apu.php?$redirect=nooptext,important
+||go.oclasrv.com/apu.php?$redirect=nooptext,important
+||go.onclasrv.com/apu.php?$redirect=nooptext,important
+||moradu.com/apu.php?
+||moradu.com/apu.php?$redirect=nooptext,important
+||deloton.com/apu.php?$redirect=nooptext,important
+||deloton.com/afu.php?$redirect=nooptext,important
+||onclkds.com/apu.php?$redirect=nooptext,important
+||ooredi.com/apu.php?$redirect=nooptext,important
+||storage.googleapis.com/prototype-lib/bin.js$third-party
+||store.bitdefender.com/affiliate.php^$third-party
+||go.pub2srv.com/afu.php?
+||go.pushnative.com/ntfc.php?$redirect=nooptext,important
+hentailove.tv##div[class^="ad-vid-"]
+||hentailove.tv/images/af^
+thevid.net###tbl1
+imgtornado.com##body > div[style="text-align:center;font-family:Tahoma;"]
+fanfox.net##body > a[href^="http://mangazoneapp.com/?utm_source="]
+||acronymfinder.com/*/housebanners^
+analust.com###overlayAdContainer
+||sharkyporn.com/img/11490.gif
+podbean.com##.downloads > .down:first-child
+||xxxstreams.me/wfxfrontend_loader.js
+||xxxstreams.me/bees.js
+||crrepo.com/ban^
+prem.link###img_new
+||amateurs-fuck.com/kutstelers.js
+||damimage.com/t20315e241bf.js
+x1337x.ws##a[href^="/streamredirect.php"]
+sports24.*##a[href^="/vpn"]
+||x1337x.ws/js/eacafdcdbefcdcbd.js
+||imgprime.com/grfl.js
+javhay.net,katestube.com,capital.bg,wankoz.com,tubsexer.*,fetishshrine.com,pornicom.com##.advertising
+pornicom.com###data > #related_videos_col + #related_videos_col
+myhentaigallery.com,hdzog.com,voyeurhit.com##.footer-banners
+updato.com##.post-ad-container
+fusionbd.com##body > .path
+fusionbd.com##body > .tmn
+newsarama.com##.page-top-promo
+mangarock.com##iframe[src^="/iframe/"]
+rappler.com##[id^="story-separator-ads"]
+rappler.com###rappler3-common-desktop-top-ad
+rappler.com##.rappler-light-gray .mm-circle-container > .mm-preloader > #Rappler_Moods
+||pornformance.com/player/html.php?aid=*_roll
+xozilla.com##.JuicyAds-holder
+xozilla.com##.right-video-dvertisement
+myanimelist.net##.amazon-ads
+||camwhores.video/t6e6d2454fa5.js
+readms.net##.msa
+cyclingnews.com##.dfp-plugin-advert
+cyclingnews.com##.global-banner
+||go.pub2srv.com/apu.php$redirect=nooptext,important
+theoutline.com##div[data-campaign]
+||porndoe.com/misc^$third-party
+cinemablend.com##.ads_slot
+gotceleb.com##.entry > div[style="clear:both; width:100%; padding:30px; height:250px"]
+gotceleb.com##.pad > div[style^="clear:both; width:100%; padding:30px"][style$="height:250px"]
+myfreeppt.com##.entry-content > div[style^="float: right; padding:"]
+||amjadfreesoft.com^$third-party,image
+pcmag.com##.slicker > .in-content-lazy
+wololo.net##div[id^="w_temp_weblab_widget-"]
+||androidcentral.com/sites/androidcentral.com/files/article_images/*/gamestash-970x460_2.jpg
+shieldsgazette.com##.slab--commercialverticals
+portsmouth.co.uk,thestar.co.uk,popularmechanics.com,shieldsgazette.com##.leaderboard-ad
+||blogspot.com^$domain=image
+payskip.org,tei.ai,movies123.pk,fullywatchonline.com,desiupload.co,downloadhub.fans,readm.org,javjunkies.com,multipastes.com,apk4free.org,iir.ai,tii.ai,birdurls.com,cutlinks.pro,extramovies.wiki,desiupload.in##center > a[href][target="_blank"] > img
+ninjatrader.com##div[class*="Sponsored"]
+vividscreen.info##.page .as
+||123link.pw/js/full-page-script.js
+spaste.com##a[href^="javascript:showhide('Adeals')"]
+spaste.com##.pasteContent > h5
+jizz.us,waxtube.com##.aside-itempage-col > .aside-itempage-inner-col > .box-container
+||gsmarena.com/adjs.php$script,important
+||trefoil.tv/adb/promo.js
+readthedocs.io,godotengine.org##.rtd-pro
+/moozpussy.com\/[a-z]{1,13}[0-9]{1,13}[a-z]{1,13}[\s\S]*.js/$domain=moozpussy.com
+/zoompussy.com\/[a-z]{1,13}[0-9]{1,13}[a-z]{1,13}[\s\S]*.js/$domain=zoompussy.com
+zoompussy.com###side_sponsor
+zehnporn.com,freyalist.com,jennylist.xyz,sharkyporn.com,zoompussy.com##.stripper
+ninjatrader.com##.outerWrap_728
+spigotmc.org##div[id^="Sponsors"]
+sportstream.tv##a[href^="http://sportstream.tv/out.php"] > img
+spox.com##.adfb
+spox.com##.sdgAnzeigenkennung
+putlockertv.se##a[href^="/player/"][href*="_in_hd.html"]
+||badjojo.com/*.php?js=1&s=
+badjojo.com##.embed-overlay
+||dyncdn.me/static/20/js/lwqusjtaxgiypbfcorhzmnkdev.js$important
+thegay.com##.bottom-adv
+||static.thegay.com/assets/js/0309.js
+majorgeeks.com##.content > .author
+muslimgirl.com##.sidebar #text-20
+muslimgirl.com##.sidebar #text-21
+muslimgirl.com##a[href^="https://pennyappealusa.org"]
+youwatchporn.com##a[href^="http://gohillgo.com/out"]
+bobs-tube.com##iframe[src*="bongacams.com/promo.php"]
+||cluster.awmserve.com/incstage/function.js$third-party
+||cluster.awmserve.com/incstage/license.*.js$third-party
+imageweb.ws##a[href^="http://reallygoodlink.freehookupaffair.com"]
+||ikhedmah.com/images/ref-banners/
+||evtubescms.phncdn.com/videos/*/mp4_480.mp4$important
+||evtubescms.phncdn.com/pre_videos^$important
+humoron.com##body > table[width="764"][height="300"][border="0"]
+xtube.com##.expandAside .adContainer + .js-pop
+oke.io##.centeradcover
+movoto.com##.guide-banner-container
+wiltshiretimes.co.uk,heraldscotland.com,warringtonguardian.co.uk,eveningtimes.co.uk,swindonadvertiser.co.uk,andoveradvertiser.co.uk,asianimage.co.uk,banburycake.co.uk,barryanddistrictnews.co.uk,basingstokegazette.co.uk,bicesteradvertiser.net,borehamwoodtimes.co.uk,braintreeandwithamtimes.co.uk,bridportnews.co.uk,bromsgroveadvertiser.co.uk,bucksfreepress.co.uk,burytimes.co.uk,campaignseries.co.uk,chelmsfordweeklynews.co.uk,clactonandfrintongazette.co.uk,cotswoldjournal.co.uk,cravenherald.co.uk,croydonguardian.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,epsomguardian.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,middlewichguardian.co.uk,milfordmercury.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,richmondandtwickenhamtimes.co.uk,romseyadvertiser.co.uk,runcornandwidnesworld.co.uk,salisburyjournal.co.uk,southendstandard.co.uk,southwalesargus.co.uk,southwalesguardian.co.uk,stalbansreview.co.uk,sthelensstar.co.uk,stourbridgenews.co.uk,surreycomet.co.uk,suttonguardian.co.uk,theargus.co.uk,theboltonnews.co.uk,thenational.scot,thenorthernecho.co.uk,theoldhamtimes.co.uk,thescottishfarmer.co.uk,thetelegraphandargus.co.uk,thetottenhamindependent.co.uk,thewestmorlandgazette.co.uk,thurrockgazette.co.uk,times-series.co.uk,tivysideadvertiser.co.uk,wandsworthguardian.co.uk,watfordobserver.co.uk,westerntelegraph.co.uk,wharfedaleobserver.co.uk,wiltsglosstandard.co.uk,wimbledonguardian.co.uk,wirralglobe.co.uk,witneygazette.co.uk,worcesternews.co.uk,yorkpress.co.uk,yourlocalguardian.co.uk##.earpiece-ad
+wankflix.com##div[id^="adLeader"]
+wankflix.com##ul.aff-item-list
+||wankflix.com/includes/dp.php?q=
+providr.com##div[id^="ezoic-pub-ad-placeholder-"]
+pornwhite.com,sleazyneasy.com###after-adv
+akvideo.stream,wstream.video##div[style][onclick^="window.open"]
+1337x.st##div[id*="Composite"]
+||1337x.st/js/faadccceffceedeef.js
+pornflip.com##.container > .aside-emb
+||fux.com/mojon.js
+||fux.com/ade/pop_ex.php^
+||cdn*-*.fux.com/*/banner^
+||cdn*-*.fux.com/assets/ad*-*.js
+||avforme.com/nutaku/script.*.js
+wpbeginner.com##.sidebardeals
+wpbeginner.com##.singleadthumbcontainer
+||a.spankbang.com^$redirect=nooptext
+theprovince.com##.widget_pn_dfpad
+updato.com##.dataTable .asset
+mma-core.com###rsky
+||wpnrtnmrewunrtok.xyz/*x*-stripgirls.gif
+/camwhoreshd.com\/[a-z]{1,2}[0-9]{1,2}[a-z]{1,2}[0-9]{1,2}[\S\s]*.js/$domain=camwhoreshd.com
+4tube.com###listingBanner
+||static.sportsbar.pw/scripts.js
+lostarkcodex.com,regular-expressions.info,vibraporn.com,newsindiatimes.com,forum.sbenny.com,darkcapture.app,sportslens.com##.topad
+||sportslens.com/files1^
+sportslens.com###sidebar > div[id^="text-"]:not(#text-34):not(#text-42)
+sportslens.com##div[id^="FMAds"]
+||static.vidzi.tv/down.png
+sporcle.com##body .ad-hide
+sporcle.com##.header-right > div[style="text-align: center; overflow-x: hidden;"]
+sporcle.com##div[id^="div-gpt-"]
+porn.com##div[class*="-zne"]
+androidcentral.com,imore.com,windowscentral.com##.adunit-wrap
+||peekvids.com/away/pop$redirect=nooptext
+peekvids.com##.watch-page-banner
+peekvids.com##.add_href_jsclick
+cumlouder.com##.p-bottom
+cumlouder.com##.widget_bnrs
+sleazyneasy.com##.banner-aside
+||sleazyneasy.com/contents/other/player/candygaby
+kissasian.*,lifestylehack.info###hideAds
+dnserrorassist.att.net##.search-results > .b-links
+gotporn.com##.video-page-content > .image-content-wrap > .caption
+sports.yahoo.com##div[id*="-AbPromo"]
+hiapphere.com##a[href="http://www.hiapphere.net/exchange/detail/id/2"] > img
+opencritic.com##oc-ad
+opencritic.com##.oc-jumbotron__ad
+bitfeed.co##.widget-ads
+savevideo.me##body .ads
+healthline.com##.css-1ca3fuk
+||ad.kisscartoon.ac^
+||tubemania.org/b_right.html
+||tubemania.org/bottom.html
+||smplace.com/bcb.js
+||smplace.com/bioep.js
+||smplace.com/fel.js
+freecoursesites.*##.herald_adsense_widget
+||losporn.org/bees.js
+||losporn.org/*_*.js|
+||mrskin.com/scripts/$third-party
+royalroadl.com##.portlet.text-center[style$="padding-top: 5px !important;"]
+pornicom.com,sleazyneasy.com##.im_block
+pornoreino.com,camvideos.tv,vjav.com,freepornvideo.sex,xxxhare.com,watchmyexgf.net,sleazyneasy.com##.bottom-adv
+howwe.biz##._300_ad
+howwe.biz##.mid-resp-ads
+multiup.org##.well.success.text-center
+||unknowncheats.me/forum/images/ez^
+unknowncheats.me###hmmk
+ncaa.com##.ncaa-top-ad-wrapper
+||totalcmd.net/images/japanese-used-cars
+totalcmd.net##td > center > a[target="_blank"] > img
+10minutemail.net###content > #right
+||cdn1-static-extremetube.spankcdn.net/js/a/a.js
+teenpornb.com###sidebar #text-6
+||teenpornb.com/1234.gif
+||teenpornb.com/teensex.gif
+teenpornb.com##a[href^="https://www.0597sands.com"]
+syndication.exosrv.com##body
+pictame.com##article > .panel.clearfix.social-entry.text-center[style*="padding:0px;min-height:"]
+coinmarketcap.com###header-banner-wrapper
+gsmarena.com##iframe[id^="dm-hm-ifrm-"]
+||pagead2.googlesyndication.com/pagead/$script,domain=gsmarena.com,important
+wwltv.com##div[data-module="ad"]
+wwltv.com##div[data-module="taboola"]
+fetishpapa.com###js-ads-modal
+ashemaletube.com,pornoxo.com,fetishpapa.com##.video-extra-overlay
+||fetishpapa.com/banner-iframe/
+||linkrex.net/links/popad$popup
+playerfs.com###video_ads_overdiv
+||adlpu.com/links/popad$popup
+mope.io###moneyRectangle
+mope.io###moneyRectBottomWrap
+msn.com###taboola-below-article-thumbnails-card-layout-short
+newlineporn.com,camsexvideo.net##.list-spots
+phonearena.com##.spot_disclaimer
+phonearena.com###livestream > .left:not(.ln-item)
+funnygames.biz,funnygames.org,funnygames.nl,funnygames.eu,funnygames.ch,funnygames.pl,funnygames.com.br,funnygames.com.tr,funnygames.com.co,funnygames.it,funnygames.ph,funnygames.fi,funnygames.gr,funnygames.ro,misjuegos.com,funnygames.kr,funnygames.jp,funnygames.se,funnygames.be,funnygames.fr###katon-slot
+citationmachine.net###unit-responsive
+anime-loads.org##.skycontent
+anime-loads.org###leaderwidget
+bubblebox.com###wideLeadrbrd
+sleazyneasy.com##.content > .images-btm
+sleazyneasy.com##.content > .carousel_1 ~ .headline
+sleazyneasy.com##.video-holder > .video-options::after
+sleazyneasy.com##.wrap > .sidebar::after
+voyeurhit.com##.player-container > div[class^="pl_showtime"]
+||vidzi.tv/dl.png
+ibc.org##.spinAdvert
+iconmonstr.com##.container-content-ad
+business-standard.com##.attribution13
+business-standard.com##.bannerRelease
+business-standard.com###Banner_bd
+1337x.to##body > div[id][style^="position: fixed; top: "][style*="z-index: "][style*="height: "][style*="width: "]
+driverscloud.com###dc_centerpage div[id^="dc_cadre"]
+driverscloud.com##.dcdossiers > div[id^="pubbox-"]
+123link.pw##.box-main > div:not([class]):not([id]):not([style])
+routinehub.co,agar.io###advertisement
+lubetube.com##a[href^="http://lubetube.com/out"]
+wings.io###mpu-top
+wings.io##.form-group > center > span.text-muted[style="font-size:12px"]
+gaypornwave.com##.it-sponsor-site
+||gaypornwave.com/baclo.php
+gaypornwave.com##.thr-ot > .refill[style*="width:100%;"]
+gaypornwave.com##.it-download > .it-download-content
+youpornru.com,you-porn.com,youporn.*##.e8-column
+techcracked.com,novelasesp.blogspot.com###HTML12
+itscybertech.com,keralatelecom.info,novelasesp.blogspot.com###HTML3
+rachidscience.com,onlinehacking.xyz,novelasesp.blogspot.com###HTML2
+realmofmetal.org,onlinehacking.xyz,codinghumans.xyz,novelasesp.blogspot.com###HTML5
+ppssppwiki.com,rachidscience.com,novelasesp.blogspot.com###HTML9
+gizguide.com,techcracked.com,novelasesp.blogspot.com###HTML7
+realmofmetal.org,rulesofcheaters.net,codinghumans.xyz,novelasesp.blogspot.com###HTML1
+teamkong.tk###HTML14
+teamkong.tk###HTML15
+ppssppwiki.com,novelasesp.blogspot.com###HTML8
+||gayboystube.com/*/js/license.js
+||dbnaked.com/ban^
+||messytube.com/pup^
+||netnesspb.com/mad/desk/*.php
+jpradio.jp,onlineradios.in,radio.com.lk,radio.net.bd,radio.net.pk,radio.org.nz,radio.org.ph,radioau.net,radionp.com,radioonline.co.id,radioonline.kr,radioonline.my,radios.tw,radiosingapore.org,radioth.net##.add-box-top
+jpradio.jp,onlineradios.in,radio.com.lk,radio.net.bd,radio.net.pk,radio.org.nz,radio.org.ph,radioau.net,radionp.com,radioonline.co.id,radioonline.kr,radioonline.my,radios.tw,radiosingapore.org,radioth.net##.add-box-side
+10news.com###column-41
+bitfun.co###slideIn
+bitfun.co##.flexContentAd
+tempr.email##a[href^="https://www.amazon."]
+uplod.cc##.fmore
+neowin.net##.verdict-badge
+free-power-point-templates.com##.entry__inforial
+free-power-point-templates.com##div[class^="entry__inforial-"]
+free-power-point-templates.com##.aff-unit
+17track.net##.gad-container
+||idsly.com/downlaod1.png
+idsly.com##a[href^="http://jalantikus.bid"]
+||idsly.com/download.png
+||aeonsource.org/wp-content/uploads/*/wp-discount-banner.gif
+momsextube.pro,eliteindianporn.com,doxxxindians.com,megayoungsex.com,hardsex8.com,sexkittytube.com,xxxmovies.pro,lesbiansex.pro##.imbar
+driverscloud.com###dc_centerpage > #dc_cadretoppub
+anoopcnair.com,answersq.com,wuxiaworld.com##aside[id^="ai_widget-"]
+whattomine.com##.container .centered-image
+indianpornvideotube.com##.spot_section
+||cdn.ss-n-30.com/15ffcf4a.js^$third-party
+||originalindianporn.com/func.js
+||alsoporn.com/func.js
+alsoporn.com##.alsoporn_bt-hs-col
+alsoporn.com##.alsoporn_player-spots
+fastindianporn.com##.right-bl-wrap
+fastindianporn.com##.bottom-bl-wrap > .bottom-bl
+||wowindianporn.com/func.js
+||fastindianporn.com/func.js
+doodhwali.com##a[href^="http://ads.livepromotools.com"]
+||doodhwali.com:*/images/banners
+||doodhwali.com:*/cont^$image
+doodhwali.com##.container .col-xs-12 .col-xs-12 > .yellow:not(:nth-child(3))
+smutindia.com##.container .row .orange + .yellow
+||smutindia.com*/images/banners
+doodhwali.com,smutindia.com##a[href^="http://imlive.com"]
+||smutindia.com*/cont^$image
+doodhwali.com,smutindia.com##a[href^="http://secure."]
+||primeindianporn.com/func.js
+||longindiantube.com/func.js
+eliteindianporn.com##.br-b > .br
+filmshowonline.net##.btn-watch-dl
+teenporn.ws,sportsbay.org##.mask
+aniroleplay.com##div[align] > font[face="Arial, Helvetica, Geneva"]
+joe.co.uk,whattoexpect.com,timeout.com,thrillist.com##body .ad-container
+addictivetips.com##.publeft
+tes.com##.masthead-advert
+||sintelevisor.com/tv/asas.html
+||livesports.pw/ads/
+viraliq.com###sidebar > div[style="max-width:300px;"] > p[style^="font-size: 13px; color: #333333; margin-bottom: 0px;"]
+insidenova.com###jobCardDiv
+||gomnlt.com/partner_resources/full_job_card_loader_prod.min.js
+exophase.com##.ad-general
+atvrider.com,baggersmag.com,boatingmag.com,cruisingworld.com,cycleworld.com,destinationweddingmag.com,dirtrider.com,fieldandstream.com,floridatravellife.com,flyingmag.com,islands.com,marlinmag.com,motorcyclecruiser.com,motorcyclistonline.com,outdoorlife.com,popphoto.com,popsci.com,saltwatersportsman.com,scubadiving.com,sportdiver.com,sportfishingmag.com,utvdriver.com,yachtingmagazine.com##.st-block.ads.separator
+popphoto.com##.pane-taboola
+||sexcord.com/cord.js
+rockfile.co##.pageContainer > div[style="max-width: 900px;"] > div[style="text-align:center; margin:0 auto;"]
+||web.tmearn.com/aaa.js
+softonic.com##.ad-content-wrapper
+videolike.org###mgid
+veoh.com###RelatedVideosContainer
+sexcord.com##.spots-box
+||sexcord.com/show.php|
+||sexcord.com/sadsrd*.php
+||sexcord.com/play*.php
+sexlist.tv##.player-ads-side
+||sexlist.tv/player/html.php
+||sexlist.tv/show.php|
+||sexlist.tv/x1.js
+colliderporn.com##.player-container > .aside-blocks
+spaste.com###template-contactform-message > a[target="_blank"] > font[color]
+html-online.com##.templateSzorny
+linclik.com##.box-success > .box-body > p:not([id]):not([class]):not([style])
+tvpor-internet.com##div[id^="pub"]
+vergol.com##div[id^="capa"]
+vergol.com###closeX
+||verdirectotv.com/publi/publi728.php
+||verdirectotv.com/publi/publi300.php
+||vercanalestv.com/ad300.html$important
+||vercanalestv.com/publimia.html$important
+metabomb.net##.advert-container
+thisismoney.co.uk,rockpapershotgun.com,metabomb.net##.billboard-container
+dvbtmap.eu##div[class*="advertcontent"]
+salon.com##[class^="style__inContentAd___"]
+||downpas.com/fileziper-down-btn.png
+izofile.com##.thecontent > .waleed
+serialkeypro.com##a[href^="http://maltaian.info"]
+/www.eporner.com\/[^xhr][^comment][1-9]{0,3}[a-z]{0,3}/$script,domain=eporner.com
+||image.ibb.co/mbdV2m/Banner_Black_Friday_1_2.jpg
+tempostorm.com##.meta-snapshot > a
+mirrorace.com##a[href^="http://infoforeme.com"]
+gplayer.kmpmedia.net##.t_banner
+genius.com##dfp-ad
+||witalfieldt.com/redirect?
+hentai-ani.me,bitswall.net,gainbtc.click,realitykings.com##.floating-banner
+torjackan.info##.c-medtitle-output
+realityxxxtube.com##.ads-video-zone-container
+||realityxxxtube.com/*.php?z=
+showsport-tv.com##body > div[id*="_overlay"]
+livestreamz.net##.lives-before-content
+slickdeals.net###logoarea
+slickdeals.net##div[id^="crt-adblock"]
+findaudiobook.com,pclicious.net,katmoviehd.*,nhlstream.net,nbastream.net,nfl-stream.live###sidebar > #text-3
+nbastream.net,nfl-stream.live##a[href^="http://v2.nflpass.net/register/"]
+nbastream.net,nfl-stream.live##a[href^="http://www.sportyplay.com/"]
+nhlstream.net,nbastream.net##a[href="/watch-live/"]
+||nbastream.net/wp-content/uploads/2017/06/btn2.png
+map.poketrack.xyz##div[style^="display:inline-block;background-color:"]
+dict.cc##a[href^="/?home_tab=ads"]
+onlinethreatalerts.com##.googleResponsive-label
+||imzog.com/*.php?z=*&sub=
+||watchfreexxx.net/bees.js
+||dyncdn.me/static/20/js/xqijtezmrschyl.js$important
+sexytrunk.com###vid-ads
+||filmlinks4u.is/wp-content/themes/sahifa/js/pop^
+||planetsuzy.org/*.*?i=*&z=$image
+majorgeeks.com/images/mg/ad$image
+/watermark$domain=image
+||hashflare.eu/banners/
+||hellporno.com/adman_ai/s/s/im.php
+||hellporno.com/adman_ai/s/s/js/ssu.v2.js
+||hellporno.com/adman_ai/s/s/su.php
+||xxxfatclips.com/func.js
+||xxxfatclips.com/images/undbn.gif
+||yjcontentdelivery.com/app/*/puRV-$script
+youjizz.com###desktopHeaderPr
+youjizz.com##[data-i18n^="ads."] + label
+download.hr##.ad_unit_label
+||solidsoftwaretools.com/wp-content/uploads/2017/10/download2.png
+ghacks.net##.ghacks-sidebar > [id^="ghacks_ad_code-"]:not(#ghacks_ad_code-6)
+4shared.com##div[class^="rekl"]
+games.latimes.com##.ARK_AdTopMesage
+codepad.co##body > .custom-banner
+||*.cdnco.us/st*.php
+||24scor*.*/img/*background$image
+||24scor*.*/img/branding
+||3pornstarmovies.com/ai/s/s/su.php
+||3pornstarmovies.com/*/*/*/js/ssu*.js^
+doseofporn.com##a[href^="/go/istripper"]
+/doseofporn.com\/[a-z]{0,5}[1-9]{0,5}[a-z]{0,5}[1-9][s\S]*.js/
+||ashemaletube.com/ast/paysite
+revolvy.com###info_box_ad
+||movie4k.is/DLWN
+||movie4k.is/hdnow.gif
+porkytube.com##.large-square
+bobmovies.net##.full_film a.download_link[href="#"][target="_blank"] > img
+||modelsxxxtube.com/eureka/eureka.js
+filmlinks4u.is##div[id^="tab_HD"]
+||filmlinks4u.is/images/watch_
+wstream.video,akvideo.stream###overlayx
+||ycapi.org/p.php?
+||florenfile.com/images/Florenfile-729x90.gif
+movierulzfree.com##a[href^="/watchfree.php"]
+||movierulzfree.com/img/Watch
+||movierulzfree.com/img/playnow
+santabanta.com###right_336x280_ad
+m4ufree.co##a > img[title*="Free Download"]
+||m4ufree.co/images/dl.png
+||nude-gals.com/striptools^
+||nude-gals.com/images^
+nude-gals.com##a[href^="go.php?"]
+nude-gals.com##body > #lightbox ~ div[style*="height: 50px; width: 50px;"]
+nude-gals.com##.chaturbate
+nude-gals.com##body > #lightbox ~ div[style*="height: 50px; width: 50px;"] + img[src^="data:image"]
+||celeb.gate.cc/assets/bilder/icloudhack
+celeb.gate.cc##a[href^="https://goo.gl"]
+celeb.gate.cc##body > #footer ~ iframe[id]:not([src])
+babesource.com##a[href^="http://babesource.com/a/"]
+||upload.ee//image/
+globalrph.com##.goog3
+||smutty.com/javascript/yo$script
+haxball.com##.flexRow > .rightbar
+corporationwiki.com##.advert-warn
+corporationwiki.com##.sidebar-container > [id$="fixed-ad"]
+||xgaystube.com/api/direct^$redirect=nooptext
+jizz.us,gaytiger.com##.aff-sec
+||gaytiger.com/inthefront.js
+gaytiger.com##.inner-box-container > .row > center
+wildgay.com###main + .line1
+wildgay.com###popup_box
+sextubespot.com##.content.ways > .related.video ~ h5.title-line[style="margin: auto;margin-bottom: 5px;margin-top: 3px;"]
+greengaytube.com##.content > .bottom + div > h2
+greengaytube.com##.content > .main_box + .right
+sextubespot.com##.invideo-spot-outer
+sextubespot.com###pause-adv
+sextubespot.com##.fp-player > .fp-ui > a[href^="https://sextubespot.com/videos/"]
+bmovies.ru##a.full.btn[href^="/player/"][href*="_in_hd.html?"][rel="nofollow"]
+bmbets.com###rightcolumn > #WebPanel3
+||bmbets.com/banner.aspx
+yahoo.com###my-adsLDRB
+mamalisa.com##div[class] > div[style$="padding-top:1em;font-size:.85em;"]
+vexmovies.org##a[href^="http://bit.ly"] > img
+||vexmovies.org/wp-content/uploads/2017/12/Stream-Movie.png
+||cpygames.com/cdn-cgi/pe/bag2?r[]=*.cloudfront.net
+||fuckgonzo.com/js/show_adv.js
+||enjoyfuck.com/js/show_adv.js
+||pornokeep.com/content2/lib/
+pornexpanse.com,pornokeep.com###show_adv
+needgayporn.com###side_col > div:not([class]):not([id])
+||needgayporn.com/guzguzson.js
+||needgayporn.com/fancyAds^
+needgayporn.com##iframe[src^="https://www.needgayporn.com/player/html.php"]
+||needgayporn.com/ohs-180x800.gif
+||gaypornmasters.com/frolo.js
+||gaypornmasters.com/baclo.php
+||realgfporn.com/lander^
+realgfporn.com##.banner-video-right
+mediafire.com##a[href^="http://www.mftracking.com"]
+xgaytube.com##a[href^="https://stats.hprofits.com"]
+boy18tube.com##.video > table td + .random-td
+||all-gay-video.com/uploads^$image
+all-gay-video.com##a[href^="http://www.buddylead.com"]
+||putlocker.*/img/watch
+||javbi.com/assets/js/text.js
+javbi.com##.loading-ad
+stileproject.com,shemaleporn.xxx,waxtube.com##.aff-item-list
+||images.sexhoundlinks.com/belami-trio
+sexhoundlinks.com##.footer > strong > a[href="#"]
+sexhoundlinks.com##.link-list > li:not([id]):not([class])
+sexhoundlinks.com,homepornvideo.net,gaymanflicks.com###in_player_block
+pixiz.com##[class$="-advert"]
+hdgays.net##body > .sitelist.w998 + .w998 + .w998
+hdgays.net###bnnr_mov_id
+hdgays.net##.bnnr_r
+||imgtop.hdgays.net/img_bnnrs
+||hdgays.net/img_hg/gaypaysites.jpg
+hdgays.net##.flash_big > .psgroups
+hdgays.net##.flash_big > .rubimg + h4
+hdgays.net##body > .ps_img
+hdgays.net##.reviewpaysites
+hdgays.net###id_tf
+||hdgays.net/xxx/thumb
+hdgays.net##.w98p
+hdgays.net###id_tm
+hdgays.net##.lex > a
+hdgays.net##body > .sitelist.w998 + .w998
+putlocker-9.co##div[align] > a[title*="HD"][rel="nofollow"][class]
+sports.ndtv.com##.nd-ad-block
+auto.ndtv.com##.ad_300
+doctor.ndtv.com##.adv_bg
+doctor.ndtv.com##.mrec-ads
+ndtv.com##.mod-ad
+gayhits.com##.invideo-spot
+shemalestube.com##.specialOffer
+xrares.com##.nva-center
+pornqd.com##body div#preroll[style="display: block;"]
+pornoxo.com###invideo_wrapper
+||pornhd3x.net/ads
+torrentking.eu##.rty
+torrentking.eu##a[href^="/movie-download/"][rel="nofollow"]
+torrentking.eu##a[href^="//inclk.com/adServe/"]
+||bonertube.com/*/script.js
+||bonertube.com/*/license.*.js
+||bonertube.com/*frntldr.js
+bitcoinker.com##iframe[data-lazy-src^="//coinad.com/ads/"]
+||cdne-static.yjcontentdelivery.com/app/1/js/puWeb^$script
+youjizz.com##[data-i18n^="ads."]
+bonusbitcoin.co###adX
+bonusbitcoin.co##a[href^="https://coinad.com"]
+||bitstarz.com^$third-party
+btc.ms##iframe#frame[src]
+btc.ms###inter_popup_modal
+richdad.com##.___ad-modal
+dagay.com###player > .overlay-media
+||r.foxgay.com/saimre.php
+||r.foxgay.com/*/js/ftl.js
+r.foxgay.com##body > #pcontainer
+||r.foxgay.com/bkel.php
+you-porn.com,youporngay.com##.playWrapper > #videoWrapper + aside.clearfix
+you-porn.com,youporngay.com,youpornru.com,youporn.*##.ad-bottom-text
+you-porn.com,youporngay.com###videoContainer > #pb_template
+||myp1p.eu/pup/
+||myp1p.eu/js/sun.js
+||superzooi.com/ilove/bananas.php
+||bdsmstreak.com/ldrfront.js
+||bdsmstreak.com/jsload.js
+bdsmstreak.com##.onvideo
+||exoclick.com/ad_track.js$important
+olympicstreams.me##a[href^="http://streamsign.me/"]
+olympicstreams.me##a[href^="http://www.top-games.me/"]
+mlbstream.me,olympicstreams.me##.embed-responsive > div[id][style="display: block;"]
+dailypress.com##section.trb_outfit[data-role="adloader"] > section.trb_outfit_sections > div[data-frame-height="100%"][data-frame-class="trb_em_b_if"]
+freelive365.com,timeanddate.com,ratemyprofessors.com###ad300
+gayporno.fm,gayporn.fm,igayvideos.tv##.b-content__aside > .b-random-column
+gogaytube.tv,gaymaletube.name,xgaytube.tv,gaysuperman.com##.b-advertisement
+machogaytube.com,good-gay.tv,shemaleporntube.tv##.b-video-cols > .b-randoms-col
+trannytube.tv,icegaytube.tv##.b-secondary-column__banners
+icegaytube.tv,machogaytube.com,gogaytube.tv,good-gay.tv,gayporno.fm##.b-mobile-spots-wrap
+||images.mmorpg.com/images/ros2.jpg
+||images.mmorpg.com/images/dbzs.jpg
+mmorpg.com##.home > .panelFirst
+mmorpg.com##a[href^="http://www.mmorpg.com/adServer"]
+mmorpg.com##.gvconblock .newsItem > .news_newspost + div[align="center"] > .head
+filerio.in##.content01 > div[align="center"] h2 > a
+||hollaforums.com/if/rc
+calgarysun.com###content > .l-content > .l-top-content
+cryptofans.news,claimcrypto.cc,ad-doge.com,cryptomininggame.com,club,getdogecoins.com,dutchycorp.space,cointalk.club,100count.net,faucetcrypto.com,freebitcoin.win##ins[class^="bmadblock-"]
+freebitcoin.win##a[href^="https://coinad.com"]
+pictoa.com##.contentsp > #player > .subtitle_wrapper
+porn.com##div[class*="-zone"]
+getfree.co.in,adbtc.top,dailyfreebits.com,bigbtc.win##a[href^="https://coinad.com/"]
+bigbtc.win##body > div[style="position:fixed;left:3px;bottom:0px;z-index:999;"]
+slipstick.com##.sidebar > #text-257
+slipstick.com##.sidebar section[id^="custom_html-"] a > img:not([alt*="donation"])
+||lshunter.net/ls/player.php?id=
+lshunter.net,lshunter-iframe.com##a[href^="/redirect_bet.php"]
+lshunter.net,lshunter-iframe.com##a[href^="http://refparer.xyz/L?tag="][href*="&ad="][rel="nofollow"]
+lshunter.net##[id^="player_event"]
+11livematches.com###mid_left > br
+||11livematches.com/rent_space/
+||11livematches.com/images/watch_football.jpg
+||11livematches.com/images/footballtipster2.jpg
+||xxxadultphoto.com/*.php|
+aviacionline.com,mycitymag.com##a[href][target="_blank"].gofollow > img
+||ilivestream.com/pu/*/pu.js
+sportzwiki.com###myDIV
+nydailynews.com##.rh-ad
+olympicstreams.me,vipleague.mobi##.col-md-4.pull-right[style]
+mandatory.com###banner-top
+||putlocker9.com/movies.js
+||ashemaletube.com/ast/www/*.js?url=*ashemaletube.com/out/
+||ashemaletube.com/ast/b/
+||ashemaletube.com/banner-iframe^
+fetishpapa.com,pornoxo.com,ashemaletube.com,boyfriendtv.com##.ads-block-rightside
+ashemaletube.com##.vidItem > div[class*="advi"]
+ashemaletube.com###mediaplayer_wrapper > #invideo_wrapper
+||wp.com/crackingpatching.com/wp-content/uploads/*/Head-Image.png
+||wp.com/crackingpatching.com/wp-content/uploads*/*Download
+pornzog.com##.video-adv
+||softfully.com/downloads/download$image
+snapnsfw.com##.adw
+||snapnsfw.com/inc/js/p0p/script.js
+||snapnsfw.com/i/snapshot/gif/$image
+||snapnsfw.com/i/snapshot/snap/$image
+xxxx.se##iframe.sppc
+||xxxx.se/d/$subdocument
+||baltchd.net/p?zoneId=$third-party
+18pornvideos.net##.video > .video-spots-wr
+18pornvideos.net##.content > .spots-wr
+18pornvideos.net##.on-player-wrap
+stun:1755001826:443$important
+apkmb.com##.widget-area > aside[id^="text-"]
+apkmb.com##.entry-content > center > .btnDownload
+apko.org##.below-com-widget > div[id^="text-"]
+apko.org##.center-post-widget > div[id^="text-"]
+andropalace.org##a[class^="generatedlink"][href="#"] > img
+giveaway.su##.definetelynotanad
+helpnetsecurity.com##div[class^="daninja-"]
+||helpnetsecurity.com/wp-content/uploads/*/icsattacks.gif
+moddb.com###subheader > a[href^="http://bit.ly/"]
+moddb.com##.motybg
+brightside.me##.inread-desktop-container
+brightside.me##.inread-container
+brightside.me##.dfp-native-ad-unit
+technobuffalo.com##.adLabel
+technobuffalo.com##.ext-ad
+technobuffalo.com##div[class="post third overflow"]
+trackitonline.ru##.col-md-4 > div.listform
+||trackitonline.ru/pics/lety.gif
+apkpure.*##.right > div[style*="width:100%; height:250px;"]
+||livestartpage.com/banner_728.php^
+next-episode.net##table #afh
+next-episode.net###bannerclass
+imfdb.org##div[id$="INSERT_SLOT_ID_HERE"]
+next-episode.net##div[style="text-align:center;max-width:728px"]
+||g.doubleclick.net/gpt/pubads_impl_$script,domain=investopedia.com,important
+softdaily.ru##.advertisement-ad
+download.canadiancontent.net##div[style="margin-bottom: 10px; background-color: #FFF; height: 255px; min-width: 300px;"]
+||ssl4us.*/pro_all_min.js^$third-party
+||ssl4us.*/pro_mov_min.js^$third-party
+||ssl4us.*/pro.js^$third-party
+||boysfood.com/feature.js
+||boysfood.com/static/js/raTrk.js
+||static.supuv2.com/js/ppjs/build/vanilla.min.js
+homemoviestube.com##.visibleAd
+breitbart.com##.amp-embed-taboola
+putlockers.tv##.menu-box > li[id^="text-"]
+dailyfx.com###top-ref-box
+||pornyfap.com/A/porny.js
+||pornyfap.com/A/front.js
+yepi.com###top_banner_holder
+bookfi.net,fakeporn.tv##noindex a[rel="nofollow"] > img
+fakeporn.tv##.spot > a[href][target="_blank"] > img
+||fakeporn.tv/js/z123.js
+silvergames.com##div[id^="box_ad_"]
+silvergames.com###x_home_1
+||perfectgirls.net/scripts/pgloader.js
+androidcentral.com##a[href^="http://pubads.g.doubleclick.net/"]
+steamgifts.com##.sidebar--wide > div.sidebar__mpu[style^="display: flex; justify-content: center;"]
+mangainn.net##.mangareadtopad
+||perfectgirls.net/*/|$script
+alphaporno.com##.advertising-bottom
+||alphaporno.com/ap-script.js
+||dattr.com/popupredirect.js
+dattr.com###linkadver
+dattr.com###onFinish-thumbs
+dattr.com##div#a[style^="float: right;"]
+youpornru.com,youporn.*##.playWrapper > div#videoWrapper + aside[class]
+player.javout.net##.vjs-scroll
+thisismoney.co.uk##[id^="taboola-stream-thumbnails-"]
+plusone8.com###overlay-advertising
+horoscope.com,plymouthherald.co.uk,mirror.co.uk##.top-slot
+plymouthherald.co.uk###div-gpt-native
+cookingchanneltv.com,diynetwork.com,foodnetwork.com,travelchannel.com,hgtv.com###dfp_leaderboard
+cookingchanneltv.com,diynetwork.com,hgtv.com###leaderboard_fixed
+vortez.net##.wide-banner
+||i.imgur.com/OZ2OuM4.gif
+moviesand.com,gotgayporn.com,submityourflicks.com##.overlay-ggf
+||submityourflicks.com/*/script.js
+gotgayporn.com,submityourflicks.com###aff-aside
+gotgayporn.com##.bottom-af-block
+intporn.com,thefappeningblog.com##a[href^="https://go.stripchat.com/"]
+||shareae.com/im/*prefiles
+christianforums.com,shareae.com##a[href*="/aff_c?offer_id="] > img
+shareae.com###dle-content > div.block > center > a[target="_blank"] > *
+shareae.com###dle-content > div.block > div[id^="news-id-"] > p[style="word-spacing: 1.1px;"] > object
+megayoungsex.com##.SAbnBot
+goodindianporn.com,megayoungsex.com##.SHVidBlockR_Bn
+megayoungsex.com###divExoLayerWrapper
+goodindianporn.com##.SAbnsBotBl
+||hardpussysex.com/img/full-hd.jpg
+||torrentproject2.se/p.js
+||torrentproject2.se/nordvpn/
+watchmyexgf.net##.albums-ad
+||watchmyexgf.net/z/new1.gif
+||watchmyexgf.net/z/new2.gif
+||watchmyexgf.net/z/new3.gif
+||watchmyexgf.net/images/new/teamskeet/exxxtra_small_long.jpg
+||watchmyexgf.net/js/z123.js
+new-game-apk.com/wp-content/uploads/2017/*_SLUT_18_*.gif
+||new-game-apk.com/wp-content/uploads/*/ads-*.jpg
+torrent-series24.com###widgets-wrap-sidebar-left
+||luscious.net/lamia
+||luscious.net/static/tools.js
+wuxiaworld.com,tomshardware.co.uk,healthline.com##div[adonis-marker]
+healthline.com##header#site-header~div[class^="css-"]:empty:last-child
+healthline.com##header#site-header > section[class]
+||sendvid.com/tpd.png
+problogbooster.com##div[class^="adinsidepost"]
+warriorforum.com##.AdzerkBanner
+warriorforum.com##.AdzerkSideBanner
+vumoo.life,hexari.com##center > a[href][target="_blank"][rel="nofollow"] > img
+chess.com##.upgrade-size-728
+chess.com##div[class*="-sidebar-ad-"]
+||sofascore.com/affiliate/sofa/generate
+||sofascore.com/bundles/sofascoreweb/js/bin/util/affiliate.min.js
+slickdeals.net###crt-adblock-a
+||pandamovie.co/bee.js
+||pandamovie.co/*_*.js|
+australianfrequentflyer.com.au##.messageList > li[id^="post-"] + .funzone
+australianfrequentflyer.com.au##.section.funbox > .funboxWrapper > [id^="funbox_zone_"].funzone_below_content
+siasat.com##div[id^="ad-slot"]
+rt.com,entrepreneur.com,siasat.com##div[data-spotim-slot-size="300x250"]
+experts-exchange.com##.vendorpromotion
+experts-exchange.com###topHeaderBannerWrap
+digit.in##.gadgetDealSideBar
+digit.in##.advertisements
+digit.in##.recommended-box
+digit.in##.top-promo
+lolskill.net##div[class^="container text-center aaa aaa"]
+androidcentral.com,windowscentral.com,imore.com##.article-leaderboard
+geniuskitchen.com##.smart-card-wrap > div.smart-aside
+||thisvid.com/js/exblk/
+pornwhite.com,vikiporn.com,milf-porn.xxx,thisvid.com##.bottom-spots
+vidmoly.me###boxs
+watchfaces.be##.google
+watchfaces.be###secondary > aside#text-2
+watchfaces.be###secondary > aside#text-3
+watchfaces.be###secondary > aside#text-4
+sap-certification.info##.site-c-header-ad-cr
+mazterize.cc,rootcracks.org,intoupload.com,profullcrack.com##center > a[href][rel="nofollow"] > img
+codingforums.com###content > center > table > tbody > tr > td[style="width:430px;height:300px"]
+||carambo.la^$domain=codingforums.com
+videezy.com,infoq.com,english.newstracklive.com,irishtimes.com,libhunt.com,runemate.com,trends.gab.com,gotporn.com##.sponsored
+boostbot.org###ipsLayout_footer > div > center > a:not([href^="https://boostbot.org/"]) > img
+boostbot.org###ipsLayout_mainArea > center > a:not([href^="https://boostbot.org/"]) > img
+pornwhite.com##.info_wrap > div[class="cs"]
+||graphicex.com/fo/300x600
+||graphicex.com/fo/350x250
+nba.com##.block-globalheaderadblock
+nba.com###scores-page-ad
+imobie.com##.float_adv
+imobie.com##.support_guide_download_upper
+||freefuckvidz.com/d/$script,popup
+pornotube.xxx,vidsvidsvids.com,hardcoreinhd.com,hdpornstar.com,freefuckvidz.com###footZones
+freefuckvidz.com##.listThumbs > li.zone
+||pornwhite.com/js/script*.js
+||pornwhite.com/js/license*.js
+pervclips.com,pornwhite.com##.player_adv
+pervclips.com,alphaporno.com,pornwhite.com##.advertising-side
+trekbbs.com##.mainContent > [style="width:970px;height:250px;"]
+trekbbs.com##.sidebar > [style="width:300px;height:1050px;"]
+trekbbs.com##.sidebar > [style="width:160px;margin:auto;height:600px;"]
+||bp.blogspot.com^$image,domain=seulink.net
+sex3.com##.tall_advertising
+||sex3.com/if*.html
+||sex3.com/player/html.php?aid=
+||h2porn.com/aa*.js|
+fuckler.com###player-overlay
+sexytube.me##.banners-aside
+||sites.google.com/site/tankionlinegeneratortool/$third-party
+||zupload.me/button/
+zupload.me##a[rel="nofollow noopener"]
+bravofly.com##[class^="cmp_sponsoredLinks"]
+||thefappeningblog.com/wp-content/uploads/2017/11/stripchat.gif
+||watch32movies.net/wp-content/uploads/*/468play.png
+||watch32movies.net/wp-content/uploads/*/signup.png
+shehrozpc.com##a[href][target="_blank"][rel="nofollow"] > img
+sexmummy.com##td[height="115"][align="center"]
+sexmummy.com##td[width="330"] table[width="320"][height="100%"]
+||bobs-tube.com/frontend_loador.js
+||hentaipulse.com/nvrblk/
+pcgamer.com##.dfp-leaderboard-container+div[style*="position: relative"][style*="margin: "]
+nydailynews.com###ra-taboola-bottom
+frprn.com##.spot-player-holder
+cpmlink.net##.block-default > div[align="center"] > iframe
+private-shows.net##.place
+private-shows.net##.iframe-holder
+langitfilm.*##.rkads
+extramovies.cc##center > a:not([href^="http://extramovies.cc/"]) > img
+extramovies.cc##a[href="http://amzn.to/2wNC0W0"]
+extramovies.cc##.imag > div.thumbnail~span.dl
+||probuilds.net/js/pgfr/wrapper.min.js
+||probuilds.net/js/pgfr/loader.min.js
+m4ufree.com##a[href^="//look.ichlnk.com/"]
+||m4ufree.com/images/dl.png
+||statics.jav789.com/assets/js/hihi.js
+||dreamamateurs.com/dea298a3.js
+||hotsouthindiansex.com/js/hsispu.js
+hotsouthindiansex.com##.on-player-wrap
+hotsouthindiansex.com##.wrapper > div.spots-wr
+xbabe.com##div[class^="bnnr"]
+||xbabe.com/xb_north.js
+||69games.xxx/th/tools.js
+69games.xxx##a[href^="/ads/"]
+zzcartoon.com##.right-banner
+||zzcartoon.com/spot/js1.js
+fuckler.com##.video-content+div.video-sidebar > div.list-spots
+truecaller.com##.ProfileAd
+justwatch.com##.jw-ad-block
+||dreamamateurs.com/js/pulicense.js
+||dreamamateurs.com/js/script.js
+||dreamamateurs.com/*_*.js|
+/^https?:\/\/picturelol\.com\/[a-z\d]+\.(js)$/$domain=picturelol.com
+/^https?:\/\/zoomgirls\.net\/[a-z\d]+\.(js)$/$domain=zoomgirls.net
+||pornorips.com/wp-content/themes/PRs_resp/images/istripper/*.png
+pornorips.com##.widget_desktopgirls
+cyberscoop.com###welcomeadMask
+/protjs/*$domain=trans.firm.in
+||trans.firm.in/*.js
+redirect-ads.com,mangafox.la##body > a[href][target="_blank"]
+makeuseof.com##div[id^="axdsense"]
+dir50.com##img[alt="ads"]
+camwhores.tv##body > div[style^="position: fixed; height: 50px; width: 50px;"]
+people.com##.article-footer > .articles-recirculation--see-also > .article-footer__section-title
+eonline.com##.mps-ad
+||freebookspot.es/download.png
+||ebook3000.com/templets/js/468.png
+||ebook-hunter.com/ebook_detail_files/468.png
+guru3d.com##div[style="text-align: center;"] > strong
+||fapdick.com/templates/FapDick/images/premseexx
+caminspector.net##.list-videos > div#list_videos_common_videos_list_items > noindex > div[class="place"]
+socketloop.com###adsence
+ptinews.com##.rightUl > li[style="color:Red; margin:20px 0px 0px 60px; font-family:Georgia; font-size:17px; float:left"]
+||msn.com/spartan/*&externalContentProvider=spon
+||msn.com/spartan/*&externalContentProvider=*promo
+ndtv.com###newsDescriptionContainer > div[style="box-sizing: border-box;float: left;margin: 20px 0;width: 100%;"]
+latimes.com,sandiegouniontribune.com##.trb_ar_cont
+mcloud.to###jwa
+forumophilia.com##div[class$="text-center"] > a[rel="nofollow"] > img
+dir50.com##.bigres[style*="height:90px; width:728px;"]
+||bit.ly^$domain=ffmovies.ru
+||cluster-na.cdnjquery.com/color/jquery.color-*.min.js^$domain=hearthpwn.com
+clkmein.com##body > div[style^="height:90px;width:100%;"]
+timesofindia.indiatimes.com##.atfAdsLoading
+straitstimes.com##.group-brandinsider+div.sidebar-list.sbl-lt-blue
+||web.tmearn.com/ref-728.png
+||bestchange.com/images/banners/$third-party
+||api.dmcdn.net/all.js$domain=oxo-nulled.info
+gadgethacks.com##.whtaph
+lifehack.org##body .adsbygoogle
+lifehack.org##div[id^="div-dfp-ad"]
+lifehack.org###article_desk_728x90_ATF11
+lifehack.org##[id^="lifehack_d_"][id*="TF"]
+clip16.com##.wrap_video > .video-side > center
+clip16.com##.video-main > .video-spots
+espn.com##.mod-outbrain
+||cliphunter.com/donate.php
+cliphunter.com##.SpacingResetXS
+||alotporn.com/*_*.js|
+||imgdone.com/*_*.js|
+festyy.com,corneey.com###ctfshb
+||imghost.top/*_*.js|
+firstonetv.net##center > div[style*="max-height: 280px;"]
+firstonetv.net##center > div[style*="max-height: 90px;"]
+||petrovixxxjav.info/*%*.js|
+socialblade.com##.section-square-vert
+socialblade.com##.section-long-vert-container
+socialblade.com##.cas-container
+socialblade.com##.cas-wide-container
+outlookindia.com,dropgalaxy.com,thefreethoughtproject.com,gsmarena.com,lasvegassun.com,website.informer.com##div[id^="div-gpt-ad"]
+||imageshtorm.com/s*.js|
+||imageshtorm.com/*_*.php|
+||xxxwebdlxxx.org/*%*.js|
+auto.ndtv.com##.ad-block__inner
+strikeout.me##.embed-responsive > div[id][style="display: block;"] > div.text-success
+||imagerar.com/glfbdgo.js
+/pagead2.$important,domain=rockfile.eu
+imp3juices.com###download_link > a[href][rel="nofollow"]
+beemp3s.net##.col-md-6 > a[href][target="_blank"]
+||frprn.com/*_*.js|
+frprn.com##.video-info
+hdzog.com##.player-showtime-two
+hdzog.com##.block-showtime-two
+||js.hdzog.com/hdzog/vanload*.js
+||tnaflix.com/*.php?action=*&s=
+||mp3juices.cc/tt/*/d.html
+mp3juices.cc##iframe[src$=".html"][width="360"][height="51"]
+themeslide.com##.bsac-container
+userscloud.com##.container > .text-center > a[href][target="_blank"]
+last.fm##[data-ads-placement]
+hubfiles.pw##a[href="/button/download.php"]
+daily2soft.com##center > a[href][target="blank"][rel="nofollow"]
+||hit2k.com^$third-party
+||pentasex.co/*_*.js|
+||sizzlingclicks.com/fr*_*.js|
+||sizzlingclicks.com/t62ad1898cac
+||imgpeak.com/fr*_*.js|
+||imgpeak.com/eactl.js
+||imgpeak.com/exta.js
+imgpeak.com###container > center > div[style^="text-align:center;"]
+||4tube.com/mojon.js
+||4tube.com/*_*.php?z=
+thesimsresource.com##body > div .top-300-ad
+thesimsresource.com##body > .sticky_bottom
+thesimsresource.com##.pleasewaitad[style="line-height:1.5em;"]
+agoodmovietowatch.com##.stickyads
+||xwhite-tube.com/eureka/eureka.js
+||xwhite-tube.com/js/aobj.js
+xwhite-tube.com##.content--ads
+motherless.com##div[style^="width:915px;height:250px;"]
+drtuber.com##.footer > .item_box > .container > .holder
+drtuber.com##.aside_panel_video > .heading.fh
+nuvid.*###wrapper > div[style="height:440px; margin-bottom:15px;"]
+nuvid.*##.aside > h2 + .rel_right:empty
+rule34hentai.net###main > div.blockbody
+base64decode.org,base64encode.org,numgen.org,pdfmrg.com,pdfspl.com,prettifycss.com,prettifyjs.net,pwdgen.org,strlength.com,uglifycss.com,urldecoder.org,urlencoder.org##[class^="banner_"]
+||bit.ly^$popup,domain=adshort.me
+yourlust.com##body .is-bnr.kt-player .fp-bnr
+||yourlust.com/im/footer.html
+||yourlust.com/im/sidebar.html
+||porno-wife.com/css/ubr.js
+||porno-wife.com/powi.html
+tnaflix.com,empflix.com##.padAdvx
+tnaflix.com,empflix.com##.pspBanner
+||empflix.com/*.php?action=*&s=
+||pornwatchers.com/frexo.js
+||pornwatchers.com/baexo.php
+||cmovieshd.net/ajax/delivery/www/zone/ads_credit.php
+is123moviesfree.com,fmovies.sc##center > a[href="../download"] > img
+is123moviesfree.com,fmovies.sc##center > a[href="../stream"] > img
+://*.beeg.com/*.php?_=$script
+myplaycity.com##.billborad_snigel
+myplaycity.com##.adsensemenu_top
+myplaycity.com##[class^="advertisement_"]
+myplaycity.com##.right_absence
+myplaycity.com###adcont
+gametop.com##.row > [class="large-4 medium-6 small-12 show-for-large columns"]
+huffingtonpost.co.uk##.ad_wrapper_top
+huffingtonpost.co.uk###ad_leaderboard_flex
+myrealgames.com##.main-adv-block:not(.desktop-only)
+golfchannel.com##body .gc-foundation > .aserve-top
+ockles.com##[id*="ScriptRoot"]
+swatchseries.to##a[href="/westworld-watch.html"][rel="nofollow"] > img
+swatchseries.to##.shd_button
+ooyyo.com,imgur.com,autobytel.com##.masthead
+dayviews.com###panorama_ad
+radiotimes.com##div[data-element_type="wp-widget-section_full_width_advert.default"]
+||vidmoly.me/*.php?*=*&*&$xmlhttprequest
+||vidmoly.me/*.php?ai=
+||vidmoly.me/machine*.php
+||vidmoly.me/check.php
+||vidmoly.me/checks.php
+nhungcaunoihay.net##.text > a[href^="/away.php?file="][rel="nofollow"] > img
+4downfiles.org##div[style="width:728px; height:90px; background-color:#f4f4f4; text-align:center"]
+||gotporn.com/main/js/exo-loader/
+javarchive.com##[title="ads"]
+||spankcdn.net/*/pht*/pht*.js^
+||rockjockcock.com/*/fl*.js|
+||rockjockcock.com/*/bl*.php
+||rockjockcock.com/*/script.js
+||rockjockcock.com/*/license.*.js
+||erowall.com/*.php|
+||erowall.com/123.js
+||sheshaft.com/right.js^
+||sheshaft.com/js/script.js^
+||sheshaft.com/js/license.*.js^
+sheshaft.com##.nons
+sheshaft.com##.undep_player_ad
+||alrincon.com/*/*adultfriend*
+||imglnka.com^$image,domain=picfox.org|alrincon.com|imgpeak.com
+emaporn.com##td[width="360"] > center > p
+||whitexxxtube.com/eureka/eureka.js
+||whitexxxtube.com/*show_adv.
+whitexxxtube.com,pornexpanse.com##.banners_pl
+||shooshtime.com/abfiles/
+ohyeah1080.co,ohyeah1080.com##.fancybox-container
+||katmirror.info/ultra/poor.js
+lfporn.com##.pr-widget
+fmovies.to##a.btn-primary[rel="nofollow"]
+thetechgame.com##.ad-height-250
+nextgenupdate.com##.posts > center div[style="margin-bottom:10px;"] > div[style*="text-align: center; background-color: #f6f6f6; height:20px;"]
+xpgamesaves.com##.discussionListItems > li.samListItem:not([id^="thread-"])
+||ratecity.com.au/widgets/moneysaver/mrec-single/
+warclicks.com##:not(.holder) > .cool-holder.cool-728.blocked-728
+livescience.com###rightcol_top
+livescience.com##div[id^="google_ads_iframe_"]
+sanet.cd##.dl_ready_news_full
+||movierls.net/bloader.php
+||movierls.net/floader.js
+brisbanetimes.com.au##iframe._3Y-wX
+brisbanetimes.com.au##iframe[title="adzuna"]
+easybib.com##.ads_RT
+slideshare.net##body li.ss-ad-thumbnail
+channel4.com##.advertsLeaderboard
+channel4.com##body > a.page-bgLink[target="_blank"]
+||ic.c4assets.com/bips/gogglebox/brand/e8bccf98-011b-4ea9-8476-a09136f4012f.jpg
+||milffox.com/*/*/*/js/ssu*.js^
+||pixroute.com/*_*.js|
+igram.im##.mcon
+igram.im##.mcor
+||picbank.tk/fro*.js|
+||picbank.tk/ba*.php
+||picfox.org/ba*.php
+||picfox.org/fro*.js|
+socketloop.com###boring
+live-tv-channels.org,socketloop.com###adsense
+||fxporn69.com/fri_e.js
+||fxporn69.com/bai_lo.php
+catfly.com##.ad-slot-mb
+chroniclelive.co.uk##[id^="div-gpt-"]
+ign.com###king
+hpjav.com##iframe[src*="syndication.exosrv.com/ads-iframe"]
+||kikibobo.com/banner/
+||javtasty.com/images/sample/sample-315x300.jpg
+jav789.com##.player-ads-bottom
+vidoza.net###juic
+||watchjavonline.com/images/ad
+javqd.com###loading
+javqd.com###pauseroll
+||static.javhd.com/sb/*-728x90
+gumtree.com.au##.header__leaderboard-ad
+gumtree.com.au###leaderboard-header-banner
+gumtree.com.au##.search-results-page__ad-sense
+||avforme.com/templates/default/js/arf-app.js
+wcoanimedub.tv,wco.tv##div[style^="float:right; width:300px; height:"]
+wcostream.tv,wcofun.net,wcostream.net,wco.tv,wcoanimesub.tv,wcoforever.net,wcoanimedub.tv##.anti-ad
+onlinevideoconverter.com##div[class^="banner728"]
+iceporn.com##.video-options > div[style="position:relative;"]
+cs-fundamentals.com###right-col-block-ad
+||moviechat.org/images/aff
+theage.com.au##iframe[name="compare_save"]
+theage.com.au###jobs
+ah-me.com###allIMwindow
+ah-me.com##[id^="ntv"][id$="Container"]
+||ah-me.com/js/floader.js
+||xozilla.com/js/pu.js
+||xozilla.com/62ca745f.js
+||sexu.com/nb-new
+journaldev.com##[id$="-quick-adsense"]
+hackingwithphp.com##.container > .lead
+hackingwithphp.com##div[style="text-align: center"] > div[style="max-width: 80%; margin: auto; margin-top: 50px; margin-bottom: 50px;"]:not([class]):not([id])
+://*.streamplay.to/*&zoneid=$popup
+://*.powvideo.net/*&zoneid=
+||powvideo.net/js/pu*/pu*.min.js?v=
+||powvideo.net/bon/exonat.html
+||teamliquid.net/mirror/footer2.js
+firstonetv.net##.sidebar > .row > .columns:first-child
+swgoh.gg##.ad-item
+swgoh.gg##.sw-ad-mrec
+swgoh.gg##.sw-ad-row
+dlisted.com##.taboola-sidebar-container
+dlisted.com##.taboola-mid-page-container
+upload.ac,uplod.org,uplod.cc##.dl-plus.text-center
+imgrum.org##.blogpost_preview_fw > .fw_preview_wrapper > [class="pf_output_container"][style^="text-align: center; margin-bottom: 0; height:"]
+behindwoods.com##.body_bg_anchor
+||behindwoods.com/tamil-movies/topbanners-photos/
+||behindwoods.com/creatives/intro/BGM-*-banner-*.html
+myreadingmanga.info##article.post > div.top_label + div.top_pos
+myreadingmanga.info##article.post > div.top_label
+||myreadingmanga.info/f*_*.js|
+||myreadingmanga.info/b*_*.php|
+whatvwant.com,lumenlearning.com##.wpipa-container
+||pictoa.com/224.js
+beinsports.com##.banner_728
+||girlscanner.cc/templates/girlscanner/images/dfiles.jpg
+||bteye.org/images/play.gif
+||bteye.org/images/download.gif
+||bteye.org/warn.php
+bteye.org##.fastdown > ul
+cnet.com###leaderTopWrap
+gameslay.net##a[rel="noreferrer nofollow"] > img
+skyofgames.com##p > a[target="_blank"] > img.aligncenter
+moneycontrol.com##.bot_RHS300
+||linsux.org/warn.php
+||linsux.org/images/download.gif
+||linsux.org/images/play.gif
+bikeradar.com,radiotimes.com##.sidebar__item-spacer--advert-top
+||mercadojobs.com/GpoJoboAC/getAjaxA
+mercadojobs.com###Topad
+filecrypt.co##[class*="but"] span > button[onclick*="this"]
+libertyunyielding.com##.contextual-ad-c
+libertyunyielding.com##[class^="dsk-box-ad-"]
+freedomoutpost.com##.dsk-box-ad-d
+torrentking.eu##a[href^="/podr1/"]
+ge.tt###taboola-above-ads
+onlineradiobox.com##.banner--vertical
+||heavy-r.com/tools/tools.js
+apkpure.*##div[class$="left"] > div[style*="position: relative;width:100%;overflow: hidden;height: 180px;"]
+apkpure.*##.ad-right-600
+freethesaurus.com,thefreedictionary.com###sidebar > a#trans_link + [id]
+thefreedictionary.com###sidebar > .widget + [class$="sticky"][style^="height:"]
+freethesaurus.com,thefreedictionary.com###sidebar > .widget + [class$="sticky"]:empty
+a2zcrack.com##a[href*="https://goo.gl/"]
+arch-ware.org##.post center > a[rel="nofollow"]
+cpygames.com##div[style="text-align: center; "] a[rel="noopener noreferrer"] > img
+url.namaidani.com,coinsparty.com,passgen.icu##iframe#frame
+||msavideo-a.akamaihd.net/srcx300/*.mp4$domain=msn.com
+msn.com##.adchoicesjs
+playretrogames.com###bannerbottom
+playretrogames.com##.right-ad-game
+playretrogames.com##.top-banner-game
+cnet.com##.ad-nav-ad
+cnet.com##[class^="ad-leader-"]
+cnet.com##[class^="ad-incontent-ad-"]
+androidsage.com##.wpInsertInPostAd
+androidsage.com##.cb-sidebar > #text-54
+androidsage.com##.cb-sidebar > #text-55
+androidsage.com##.cb-sidebar > #text-56
+link-cash.com##[class^="bmadblock-"]
+uskip.me##a[href*="inclk.com/adServe/"] > img
+||uskip.me/images/skipthisen.gif
+||bitigee.com/fp.rev3.php
+androidfilehost.com##.download-file > div.col-md-4[style="max-width: 320px;"]
+a10.com##div[class^="sponsor_"]
+windowsreport.com##.code-block-2 > div[style^="background: rgba(156, 156, 156, 0.07);"]
+windowsreport.com##div > div[style^="background: rgba(156, 156, 156, 0.07); border: 1px solid rgba"]
+thehardtimes.net##.sidebar > #ai_widget-14
+||ioredi.com/apu.php^$redirect=nooptext,important
+xojav.com##div[style^="width: 728px;height: 90px;"]
+||static.javhd.com/sb/720_100_javhd.jpg
+||theporndude.com/promo/$third-party
+javcloud.com##.sidebar_list > li[id^="text-"] a[rel="nofollow"] > img
+||imgprime.com/frler.js
+||youpornbook.com/welovetorrents_frontend_loader.js
+||hotclips24.com/templates/mobile/js/script.js
+||naughtyblog.org/wp-content/cache/minify/1e473.js
+||naughtyblog.org/*/*.php|
+columbiaspectator.com###ver-in-article-ad-placement
+columbiaspectator.com###hor-in-article-ad-placement
+pckeysoft.com,tipucrack.com##center > a[href][rel="nofollow"][target="_blank"]
+||tipucrack.com/wp-content/uploads/*/button-download-animated.gif
+pathofexile.gamepedia.com###mobileatfmrec
+mp3jam.org##div[class="textwidget"] > a[rel="nofollow"] > img
+msn.com##.mediumcard-placeholder
+nxgx.com##.footer > div[style="width:100%;display:inline-block;text-align:center"]
+||nxgx.com/Scripts/fl12.js
+||prepathon.com/embeds/vqa/*&utm_campaign=vqa_ads
+makeuseof.com##.new-offers
+dildoxxxtube.com##iframe[src="http://dildoxxxtube.com/dxt.html"]
+||japanesefuck.com/adboom.php
+primeindianporn.com,doxxxindians.com,orientalasianporn.com##.bottom-hor-block > .bottom-hor-b
+6japaneseporn.com##.player-place > .player-place-wide-bn-ob
+analteen.pro,goodindianporn.com,6japaneseporn.com,orientalasianporn.com###topbar
+||6japaneseporn.com/func.js
+||orientalasianporn.com/func.js
+indianpornfuck.com,xindiansex.com##.banner-fixed
+indianpornfuck.com,xindiansex.com##.video__banner
+xindiansex.com##.spot-cs > .spot
+xindiansex.com##.spot-container.appeared > .spot.subappear
+xindiansex.com##.video > .spot-container.spot-container--video.appeared
+||nvdst.com/templates/frontend/white/js/_pnuvid.js
+indianpornvideos.com##.col-md-6.hidden-xs.hidden-sm.hpba
+indianpornvideos.com##iframe[src^="https://a.vartoken.com/"]
+celebjihad.com##.crp_related td[align="center"] > a[href^="https://www.celebjihad.com/widget/out/"][rel="nofollow"]
+celebjihad.com##a[href="https://www.celebjihad.com/widget/out/cjcams.php"]
+deepdotweb.com###sidebar > div#text-5
+||deepdotweb.com/wp-content/uploads/2016/11/BANNERDEF.jpg
+funnydog.tv##.topMenu2 + div[style="float: left;"]:not([class]):not([id])
+time.com##div[id^="masonry_ad_"]
+profullversion.com,warezcrack.net##center > a[href][rel="nofollow"][target="_blank"] > img
+warezcrack.net##a[href^="http://felafk.com/r/"]
+dachix.com,deviantclip.com##.overlay-media
+dachix.com,deviantclip.com##.media-right
+deviantclip.com##.tiny_thumbs
+daporn.com###aff-media
+||daporn.com/frames/*.php
+daporn.com##.bottom-promo
+daporn.com##.ntv-media
+||sawlive.tv/ad$important
+pcworld.com,computerworld.com###amazon-bottom-widget
+computerworld.com###content-recommender
+myantispyware.com##.sidebar-right-inner > div.widget_endo_wrc_widget
+gumtree.com###partnerships
+||naughtyblog.org/wp-content/cache/minify/b97f0.js
+thefappening.wiki,naughtyblog.org##div[class^="promo-"]
+||tubedupe.com/td_bl.php
+tubedupe.com##.fp-ui-inline+div[style] > iframe
+tubedupe.com###content > noindex
+||adult.xyz/fp.rev3.php
+thehackernews.com##.sidewalaad
+thehackernews.com##.deal-store
+camvideos.tv,pornfapr.com##.margin-fix > .place
+pornfapr.com##a[href^="http://c.trclkr.com/"]
+pornfapr.com##a[href^="https://pornaddik.com/"][href*="popunder"]
+||pornfapr.com/frloadr.js
+||pornfapr.com/pwntate/$image
+||pornfapr.com/img/camfapr_883x80.gif
+wankoz.com##.block_content > .player ~ .info_row2
+||wankoz.com/plugin.js
+||wankoz.com/js/script.js
+pervclips.com##.block.top-thumbs > .aside
+katestube.com##.sidebar.alt3.add > h2
+katestube.com##.thumbs.home > .aside > b
+||content.spankmasters.com/api/banners/v1/banner
+pornrabbit.com,hentai2w.com,stileproject.com,dirtyshack.com,italianoxxx.com,handjobhub.com,pornwatchers.com,freepornhq.xxx,pornclipsxxx.com##div[data-mb="advert-height"]
+fetishshrine.com##.twocolumn > .r-col
+||fetishshrine.com/plugin.js
+||fetishshrine.com/js/script.js
+||cdnstaticsf.com/js/av.js
+a2zcity.net##center > a > *
+karanpc.com##a[href^="http://bromson.com/redirect"]
+||babepedia.com/iStripper-poppingModels/
+babepedia.com##img[height="600"][width="160"]
+||karanpc.com/wp-content/uploads/2012/05/download-button.png
+||amazon.com/aan/
+123movies.co##.widgetsads.sidebaradsmainly
+123movies.co###banner_code_ds > .gomo-gtx-br
+123movies.co##a[href^="/putonline/"][target="_blank"] > img
+17track.net##.asd-content
+dailytelegraph.com.au##.widget_newscorpau_ads
+dailytelegraph.com.au##.widget_newscorpau_promo_collection
+amazon.com##.slot__ad
+memeburn.com,ventureburn.com##[id^="x_inter_ad"]
+memeburn.com,ventureburn.com###site > #fadeMe
+iphone.apkpure.com,theinquirer.net##.ad-slot
+theinquirer.net##[id^="google_ads_iframe_"]
+||wp.com/i.imgur.com/O9R5Ahq.gif
+namibian.com.na##.container.wrap > .extras-min
+||donkparty.com/left.js
+||porntube.com/*/*.php$script
+pornbraze.com##.ads-footer
+pornbraze.com###video > div.right.hidden-xs.hidden-sm
+hotcleaner.com##.page > div.chc72 > div.spl72.cWp
+thebody.com##.boxadtight
+thebody.com###float_container
+softasm.com##.the-ad-break
+softasm.com##.content > center + .download
+softasm.com##a[href^="http://estatalogy.info/"][rel="nofollow"]
+||softasm.com/wp-content/themes/softasm/img/softasm-top-download.jpg
+tampermonkey.net##.adventing
+tampermonkey.net##.noborder > tbody > tr > td[width][style="vertical-align:top;padding-top:17px;"]
+iceporn.com##.puffery
+pornicom.com###tube_ad_wrap
+smutty.com##.mb_ads
+smutty.com###stopImapwUx.pl_wr
+cinestrenostv.tv###capa1
+cinestrenostv.tv###closeX1
+gamersheroes.com###sidebar_main > #text-91
+gamersheroes.com###sidebar_main > #text-92
+gamersheroes.com###sidebar_main > #text-93
+youpornru.com##.row > div.hot-videos-country.column-flex+div.eight-column
+||7tor.download/AV/punder.aspx
+||7tor.download/Includes/GA2.aspx
+||7tor.download/AV/Banner.aspx
+||7tor.download/Banners/
+||cdn.gsmarena.com/vv/assets*/js/_pf-*.js
+shortzon.com##.col-md-10 > center:first-child
+gsmarena.com###topAdv
+imgskull.com##body > #popup
+imgskull.com##body > #overlay
+nxgx.com##div[style="float:right;width:728px;height:90px"]
+||nxgx.com/php/*.php
+greatdaygames.com##.advertismentLabel
+pornhub.com,pornhub.org,pornhub.net##.video-wrapper > div#player~div[class$=" hd clear"]
+imzog.com##.videos > div.vda-item
+moviefone.com###atwAdFrame0EAN
+pornhub.com,pornhub.org,pornhub.net##.playerFlvContainer > div#pb_template[style]
+nmac.to##.nmac-before-content
+nmac.to##.nmac-after-content
+time.com##.column > .tWo0WoSf
+time.com##.column > .row > div[data-reactid="137"]
+||theteenbay.co/network/go.php
+hdeuropix.com##a[href^="https://go.onclasrv.com/afu.php"]
+||hdeuropix.com/js/propads
+1-2-3movies.com,filmy4wap1.*,linkshorts.me,geektopia.info,mydownloadtube.net,moviesdaweb.blogspot.com,123freemovies.net##a[href*="/afu.php?"]
+metv.com##ark-bottom-ad
+metv.com,nydailynews.com##ark-top-ad
+latimes.com##.lb-advert-container
+tryboobs.com,ah-me.com###videoContainer_pop
+tryboobs.com##.DarkBg
+||pervclips.com/tube/plugin.js
+pervclips.com##.advertising-player
+xxxdessert.com,faapy.com###player-banner
+pornfun.com##.spots-aside
+gotporn.com###external-floater-ad-wrap
+||porntube.com/assets/adf-*.js
+||porntube.com/assets/padb-*.js
+||porntube.com/assets/adn-*.js
+||porntube.com/assets/abpe-*.js
+||porntube.com/faloo.js
+||cdn*-sites.porntube.com/tb/banner/
+porntube.com##.videoplayer.last > div.container > div.row > div > div.row > div.col-xs-12 > div.cpp
+forums.overclockers.co.uk###Offer
+||pornxs.com/ajax.php?action=get_link$important
+||pornxs.com/js/a/*.js
+whatismybrowser.com##.ads-by-google
+whatismybrowser.com###main > .leaderboard
+businessworld.in,thelocalproject.com.au,inkthemes.com,watchxxxfree.com##.sidebar-banner
+||newstarget.com/Javascripts/Abigail.js
+raymond.cc##.sidebar > ul > #text-13
+raymond.cc##.sidebar > ul > #text-14
+raymond.cc##.sidebar > ul > #text-15
+techonation.com###sidebar > #eaa-2
+browser-update.org##.adt
+onegoodthingbyjillee.com##.textwidget > a[href^="http://amzn.to/"] > img
+dotesports.com##a[href^="http://bit.ly/"][target="_blank"] > [style^="background:"]
+dotesports.com##.row > ._5kaapu-o_O-_13fiz6u-o_O-_kgqxma-o_O-_k2fyes
+patched.to,foxnews.com##.partners
+englismovies.pro,tmail.io,englishtorrent.co,4gay.fans,serialeonline.biz,tophostingapp.com,mdn.lol,techydino.net,bclikeqt.com,dailyporn.club,freefeds.com,teleriumtv.com,deportealdia.live,techgeek.digital,sharer.pw,za.gl,xozilla.com,analdin.com,sportsbay.org,fc.lc,mp4upload.com###overlay
+softonic.com##.ad--displayed
+||cam4.com/directoryFanClubs^
+versus.com##.PrimeBadge__root___1mHM7
+wordlegame.org,pornhills.com,gsmarena.com,aosmark.com,rat.xxx,camwhores.biz,4tube.com,porngun.net,eteenporn.com,camwhores.tv,sexboomcams.com,pornformance.com##.adv
+speedguide.net##body > div[style="position:relative; margin:auto; padding: 0px; width:728px; height:95px; text-align:center;"]
+langenscheidt.com##a#vocabulary-trainer[href^="https://www.magiclingua.com/"][href*="&utm_campaign="]
+gamesradar.com##div[style^="position: relative; box-sizing: border-box; height: auto;"][style*="text-align: center; display: block; transform: none; contain: layout; width: 300px;"]
+namethatporn.com###parto_block
+embedy.me###video_iframe+div
+thescore.com##body .tablet-leaderboard
+thescore.com##.articles-sidebar > .tablet-big-box
+/js/fbebcbebbd.js$domain=x1337x.eu|1337x.to|1337x.st|x1337x.ws
+/^https?:\/\/(www\.)?x?1337x\.(to|st|ws|eu)\/js\/[a-z]{12,25}\.js$/$domain=x1337x.eu|1337x.to|1337x.st|x1337x.ws
+||xml.pdn-1.com/redirect?
+head-fi.org##.fp880ads
+head-fi.org##.hf_sponsor_140x140
+head-fi.org##.pageContent > div[style="width:100%;height:20px;clear:both;background-color:#ffffff;"]:empty
+history.com##.leaderboard > #videos_A
+sport365.live###float-top
+sport365.live###float-bottom
+sport365.live##body > div[id^="slice-"]
+||sport365.live/awrapper/
+prnt.sc##.grundik-div
+||1watchmygf.com/js/mes.js
+||1watchmygf.com/js/mygf*.js
+androidapksfree.com##.post-content > div[style="text-align:center"] > div > i:first-child
+androidapksfree.com##.post-content > div[style="text-align:center"] > i:first-child
+newser.com##.RightRailAds
+||image.winudf.com/*/upload/promopure/$domain=apkpure.*
+streamlive.to###ad_footer
+hanime.tv##.golden-saucer
+apkmirror.com##.google-ad-square-inline
+popculture.com##.adInContent
+igeeksblog.com##.quads-ad1_widget
+igeeksblog.com##.wpb_wrapper > .wpb_content_element > [class="widget widget_text"]
+ninemanga.com##.ad_728_90_page
+taadd.com,ninemanga.com##body > div[style*="width:100%;height:768px;overflow:hidden;visibility:hidden;"]
+javdoe.com##body > #vstr ~ #income
+youngsexhd.net,eteenporn.com,teenfuckhd.com##.banner-on-player
+||goshow.tv/free/events/ac/fallback/
+goshow.tv##.ac-video-listing
+goshow.tv##.ac-video-side
+goshow.tv###ac-player
+goshow.tv##.ac-home.ac-native
+goshow.tv##.ac-footer
+goshow.tv##.ac-listings-side
+||crocotube.com/pop/
+crocotube.com##.content-provider
+sexkittytube.com##.hor-block
+||tryboobs.com/bloader.php
+tryboobs.com###spotsFooter
+tryboobs.com###spotsRight
+||tubous.com/bloader.php
+tranny.one,tubous.com##.flirt-footer
+tubous.com##.allIMwindow
+ashemale.one,tubous.com##.adsFirst
+ashemale.one,tubous.com##.adsSecond
+tubous.com###good_money
+||cool.tubous.com/api/spots/
+tubous.com##.DarkBg
+||chinatownav.com/js/my.js
+||chinatownav.com/a/js/adb.js
+chinatownav.com###topbar1
+chinatownav.com##.invideo > .close-btn
+freesexnight.com,chinatownav.com##.ban_list
+8teenxxx.com###footerad4
+8teenxxx.com###player_adv_start
+||8teenxxx.com/adboom.php
+zipextractor.app,foreca.*,falkirkherald.co.uk,printscreenshot.com,indiansexxxtube.com###topBanner
+||img.indiansexxxtube.com:8080/graphics/igfv.jpg
+sex.com###ad-div
+clashroyalearena.com##a[href="https://brawlstarsup.com/"][rel="nofollow external"]
+accuweather.com##body #header-davek
+visitnorway.com###dtnContainer
+teensex18.tv##.player-ad
+||teensex18.tv/8ad1d8da.js
+||cdn.flyingjizz.com/js/cache/x.js
+xasianbeauties.com###topbar1
+xasianbeauties.com##.content > div.line-bs
+||orange.jo/ar/offers/pages/$domain=~orange.jo
+poebuilds.net###comp-j4xa15dr
+poebuilds.net##.wp2[title="Sponsor Ad.png"]
+poebuilds.net##a[href="https://www.instant-gaming.com/igr/poebuilds/"]:not([role="button"])
+poebuilds.net##a[href^="https://www.mulefactory.com/"][target="_blank"]:not([role="button"])
+||static.wixstatic.com/media/2b1814_8e9e8ee46c054f11a3cac63dfa7ff4a8~mv2.png/v1/fill/w_300,h_22,al_c/2b1814_8e9e8ee46c054f11a3cac63dfa7ff4a8~mv2.png
+tube8.com##.content-wrapper > div#home_page_wrapper~div#search_page_wrapper_instant~input+div[id]
+iceporn.*###spot_video_livecams
+iceporn.*##.maintenance >div.watch+div.furtherance
+toptiertactics.com##.widget.widget_text
+||xxxtubeset.com/promo
+||xpornotubes.com/ponrtube.html
+||sexu.com/nb-old?z=
+||website.informer.com/img/sponsored.png
+||porn1free.com/e*.js
+porn1free.com,retrooh.com,hotclassicfuck.com,videos6.com##.player > #embed__pre
+||videos6.com/e*.js
+||cdn1-static-extremetube.spankcdn.net/js/pht2/pht2.js
+xnxx.com##.mobile-only-hide
+hqasiananal.com###topbar1
+hqasiananal.com##.invideo[onclick^="$('.close-btn')"]
+asianxxxvids.com##.b-block
+eporner.com##.ad300px
+roblox.com##.in-game-search-ad
+roblox.com##.abp-spacer
+roblox.com##.profile-ads-container
+roblox.com##.adp-gpt-container
+hqjavporn.com##.v-line-bs > .v-line-b
+japanese-sex-porn.com##.lieviev > .ohuayo
+japanese-sex-porn.com##.bierlien > .lieviev:first-child + .lieviev > .bovie > .goagil > .title
+bravoteens.com##.wrapper > .main > .heading
+bravoteens.com###results > .relthumb + [id].relb[style^="float:"]
+||asianxv.com/iiyot.png
+1xxx-tube.com##.wrapper > div.block-a
+||static.javur.com/libs/pu.js
+metacritic.com##.ad_unit
+naughtyblog.org##center > a[href^="https://goo.gl/"] > img
+||naughtyblog.org/81bf26be.js
+||i.imgur.com/7RP9w5v.png
+kitguru.net##.textwidget > .g > div[class^="g-single a-"]
+||kitguru.net/wp-content/uploads/*-Takeover-*.jpg
+davidwalsh.name##.x-long > a[href^="https://tkjs.us/"]
+||davidwalsh.name/demo/track-js-2.svg
+sitepoint.com##[template-alias="Premium Sidebar Sponsors"]
+||bhphotovideo.com/bimages/photodeals-do.gif
+||bythom.com/_Media/pastedimage_med_hr.png
+shabdkosh.com##a[href="//studyiibm.com/campaign13r"]
+bradsknutson.com##a[href="http://bradsknutson.com/go/treehouse-banner/"][target="_blank"]
+tutsplus.com##.announcement-bar
+tutsplus.com##.avert--leaderboard
+tutsplus.com##.avert
+tomsguide.com##.space-b20 > #rightcol_top
+codepen.io###footer-chunk-ad
+||tvsubtitles.net/images/watch-hd.gif
+tvsubtitles.net##div[style*="width:100%;height:90px; overflow:hidden;"]
+menshealth.com##[id^="dfp-ad-300x250_advertisement"]
+gamesradar.com##div[style^="width: 970px; height: 250px; contain: style layout size;"]
+gocomics.com##.amu-container-ad-wrapper
+gocomics.com##.group-item-ad
+shink.in##a[href^="http://wmedia.adk2x.com/"][target="_blank"] > img
+||shink.in/img/downloadad.png
+online-converting.com###xyz
+tweaktown.com##center[style^="min-height:250px"]
+tweaktown.com###content-container > center.center-tag
+tweaktown.com##center[style*="margin:"]
+tweaktown.com##center[style*="margin-bottom:"]
+prevention.com##.list-items > div[class="flexblock-image"]
+womenshealthmag.com,prevention.com##.region-banner
+iceporn.net##.partner_text_link
+pornboil.com##.video-sl
+||ashot.txxx.com^
+fuckhardporn.com##.player_bn
+fuckhardporn.com##.bot_bns
+fuckhardporn.com##.player_ads
+generatorlinkpremium.com##.thirdsky
+emarketer.com##.skyContainer
+||androidcentral.com/sites/androidcentral.com/files/article_images/*_banners_$image
+epizy.com###stats > div[style="text-align:left; position: float;right:00px; vertical-align:left;"]
+epizy.com###jump-search > div[align="center"] > script + [class="panel panel-widget"]
+wired.com##.ad-component--box
+wired.com##.advertisement__leaderboard
+wired.com##.cns-ads-stage:not(.cns-ads-slot-type-newsletter-interstitial)
+tomsguide.com##.rightcol-ads
+tomshardware.co.uk##.page-content-rightcol > div#rightcol_top
+cpu-world.com##.top_adh2
+cpu-world.com##.side_ad300
+allkeyshop.com##a[href="https://skinjoker.com/s/allkeyshop"] > img
+||allkeyshop.com/blog/wp-content/uploads/skins_mo2.gif
+||gamesdeal.com/media/allkeyshop/banner/text.html
+poebuilds.net##div[id$="unavailableMessageOverlay"]
+poebuilds.net,stadiumgaming.gg,official-plus.com##.tpaw0
+indiamart.com,uptodown.com##.gad
+||123movies.co/playnow.gif
+xxxmovies.pro,asianporn.sexy##.main-col > .bt-hs-col > .bt-h-b
+originalindianporn.com,wowindianporn.com,6japaneseporn.com##.center-place > .bns-place-ob > .bn-place
+||embed.streamdor.co/_a_d_s_/
+speedrun.com##.container.main > div.curse-01.centered
+adultswim.com##.main__topAdContainer
+techonthenet.com###pre_header
+techonthenet.com##.bottom_slot
+javmimi.com##.content > div.line-bs
+javmimi.com##.invideo[onclick^="$('.close-btn')"]
+xnxx.com###content-ad-side
+pogdesign.co.uk##footer > .box728
+iwin.com###adModal
+iwin.com##DIV.modal-backdrop
+||staticxz.com/script.packed.js
+||fucktube.website/static/ftu
+unboxholics.com,krebsonsecurity.com,scotsman.com,maketecheasier.com###top-banner
+maketecheasier.com##[id^="MTE_in_content_ad"]
+yiv.com##.game_top_ad
+cargames.com,puzzlegame.com,yiv.com###game_middle_ad
+pcadvisor.co.uk,techadvisor.co.uk##.criteo-div
+statsroyale.com##.landing__arenas > .landing__arena:not([href])
+steamcustomizer.com##.col-lg-3.collection-item.shown.as-ad
+gostream.is##.gomo-gtx-br
+games.iwin.com##.modals
+games.iwin.com###advertModal
+csgostash.com##.col-lg-offset-2 > [class="well text-center"]
+csgostash.com##.adv-top-header-mobile
+||roblox.com/user-sponsorship/$important
+post-gazette.com##div[class="center small upper graytext"]
+post-gazette.com##.pgevoke-flexbanner
+post-gazette.com##.pgevoke-story-topads-banner
+post-gazette.com##.pg-adwrapper-300x250
+post-gazette.com##.pgevoke-pagecontent > div.pgevoke-grid-divider-nomarginbottom + [id="pgevoke-fp-row2"][class="pgevoke-grid-row-full cf"]
+handjob.pro,lezbiyen-tube.com,mybigbeautifulwoman.com,mystreetgirl.com,sex-jav.com##.buttonDW
+handjob.pro,lezbiyen-tube.com,mybigbeautifulwoman.com,mystreetgirl.com,sex-jav.com##.wgContainer
+onlinefanatic.com###content_box > .code-block[style="margin: 8px auto; text-align: center;"]
+onlinefanatic.com##.sidebar > #text-23.widget
+onlinefanatic.com##.sidebar > #text-21.widget
+onlinefanatic.com##.sidebar > #text-18.widget
+xxxhare.com##.embeded_advert
+pornjam.com##.right-player-43
+analdin.com##body[style="background: #000000; margin: 0; padding: 0"]:not([class*="video-page"])
+xxxdan.com,jizzbunker.com##.banner-popup
+xxxdan.com,jizzbunker.com##.right-banners
+||website.informer.com/img/sponsored.gif
+tubepornup.com##.video_right
+||tubepornup.com/adg1.shtml
+kropic.com,imgbaron.com,picbaron.com,hotfucktube.com###fadeinbox
+fapality.com##.fp-bnr
+||katestube.com/right.js
+katestube.com##.title-holder-related > h2
+katestube.com###bottom-adv.bottom-adv
+filterblade.xyz###leftSideAd
+chan.sankakucomplex.com##div[align="center"][class^="scad"]
+cbsnews.com##.nativeAds
+net-load.com##.ao-assioma > a[target="_top"] > img
+net-load.com##div[id^="heatmapthemead-"][id$="-sidebar"]
+greenbayphoenix.com##.stickyLeaderboard
+greenbayphoenix.com##.c-contentstream__ad
+1062804$domain=sockshare.net
+||bangaloremirror.indiatimes.com/bmdge/
+circa.com##.Page-ad
+dailymotion.com##.dmp_VideoView-ad-slot
+||punemirror.indiatimes.com/pnmeue/
+computerworld.com.au##.lo-top_promo
+crunchbase.com###mobile-ad
+||javhdmovies.com/ads
+gotporn.com##button.play-btn.play-text-btn
+hqjavporn.com##.invideo[onclick^="$('.close-btn')"]
+hqjavporn.com##.content > div.line-bs
+hqjavporn.com###topbar1
+latitude.to##div[class^="publi-"]
+||1xxx-tube.com/content*/lib/
+1xxx-tube.com##video#kt_player_internal+div[id^="invideo_"]
+1xxx-tube.com##.banner-x
+1xxx-tube.com##.head_bg > div.block-a
+1xxx-tube.com###showgo
+scoopwhoop.com##.artad
+ummid.com##body > .gridContainer > #Header
+||ummid.com/masthead-ad.htm
+hackedonlinegames.com##.GoogleAdPreloaderMessage
+hackedonlinegames.com##.GameTitle > div[style="height: 110px;"]
+hackedonlinegames.com##a[href*="&utm_campaign"] > img
+||hackedonlinegames.com/uploads/gasblock
+||gadgetsnow.com/ignwe/
+pcmag.com###adkit_footer
+getgreenshot.org##.body-content+div[class^="ga-"]
+getgreenshot.org##.logo+nav > div[class^="ga-"]
+latestcracked.com,piratepc.net,computermediapk.com##a[href="javascript:void(0);"][rel="nofollow"]
+computermediapk.com##img[alt="Buy RDP"]
+||spankcdn.net/js/_raplugin/tools.js
+toolslib.net##[class="custom custom-horizontal"]
+toolslib.net##.custom > a[href*="campaign=adverts&"][rel="nofollow"][target="_blank"]
+toolslib.net##.custom > a[href^="https://buy.malwarebytes.com/?c=cb&s="][rel="nofollow"][target="_blank"] > img
+||toolslib.net/assets/custom/img/4d5/u2s_leaderboard_en.png
+||toolslib.net/assets/custom/img/4d5/mb_square_buy.jpg
+||toolslib.net/assets/custom/img/4d5/mb_leaderboard_buy.jpg
+||toolslib.net/assets/custom/img/placeholders/placeholder_$image
+||cashbackholic.com/images/citidoublecash728.jpg
+ibtimes.co.uk##.box-recommend-ad
+csgostash.com##a[href^="https://goo.gl/"][target="_blank"].hypercase-button > img
+csgostash.com##.adv-footer
+csgostash.com##[class*="text-center adv-"]
+||bravotube.net/count.js
+||bravotube.net/player/html.php?
+||bravotube.net/if2/f*.html
+||adsxxxtraff.com/mioa*.html?parameter=$redirect=nooptext
+javmimi.com###topbar1
+javmimi.com##.v-line-bs
+javmimi.com##.player > div[onclick] > div[style^="position:relative; top:50%; left:50%;"]
+javout.net##.social
+youtube4kdownloader.com,javout.net##.banner-bottom
+gotporn.com##.image-300x250
+gotporn.com##.image-content-wrap.footer-image-contents-bl
+vjav.com##.vda-container
+||vjav.com/*.php?z=
+javstream.us,javstream.co##.kumpulads-side
+javstream.us,javstream.co##.kumpulads-post
+||xcafe.com/b/
+||sadeemapk.com/wp-content/uploads/2016/06/SadeemAPK-Banner.gif
+||sadeempc.com/wp-content/uploads/*-468-
+sadeempc.com##center > a[onclick][rel="nofollow"]
+8tracks.com##.ad_card
+8tracks.com##.banner_container
+||zmovs.com/js/pns.min.js
+||zmovs.com/nb/
+zmovs.com##.inplayer_banners
+zmovs.com##.im-b
+zmovs.com##.in_stream_banner
+iphonecake.com##a[href="alink.php"][target="_blank"]
+||iphonecake.com/images/dl_download.png
+123moviesg.com##.banner_center
+sf-express.com##.promotion-ad
+sf-express.com##.icon-links > div > a[id]:not([href*="../"]) > img
+csgostash.com##.adv-skin-details
+csgostash.com##.adv-desktop-left
+csgostash.com##.adv-result-box-music
+csgostash.com##.masthead > .header-vda
+uplod.ws##.dl-plus > a.btn
+guidingtech.com##.sidebar > #text-43
+analyticsvidhya.com,guidingtech.com##.sidebar > #text-44
+guidingtech.com##.sidebar > #text-45
+guidingtech.com##.sidebar > #text-46
+dallasnews.com##.hm-rundown__ad
+dallasnews.com##.main-content > .art-footer-band.js-art-post-body
+smh.com.au##iframe[src="https://masthead-widgets.domain.com.au/widget/masthead/"]
+smh.com.au##.html-assets > iframe[name="domain_olg_rhs"][src="about:blank"]
+smh.com.au##.panel.is_fm-analytics-widget-tracking
+smh.com.au##.article > [class="panel panel--third-party"]
+||1337x.to/js/sterra.js
+photobucket.com##.ads_top
+photobucket.com##.ads_bottom
+reverso.net###vdasection
+reverso.net##.sidebar > .vda-block
+channel4.com##.slice__list > .block--mpuContainer > .block--mpu
+narkive.com##div[class^="adslot_"]
+businessinsider.com##[id^="taboola-right-rail-thumbnails"]
+road.cc##.adtech-ad
+wallgif.com###ad_modal
+wallgif.com###modal_bg
+vice.com,wccftech-com.cdn.ampproject.org,m-businesstoday-in.cdn.ampproject.org##.amp-ad
+blockchain.info##span[translate="SPONSORS"]
+blockchain.info##li.ad
+tellyreviews.com##.ezoic-ad
+tellyreviews.com##.td-post-content > div[adunitname]
+forums.imore.com###postlist > #posts > div[align="center"][style="padding:15px"]
+hd21.com##.drt-spot-visible
+yeptube.com,proporn.com,hd21.com##.puFloatDiv
+hd21.com###abmessage
+theverge.com,amp.cnn.com,ampproject.org##amp-iframe[src^="https://widgets.outbrain.com/hub/amp.html"]
+||medleyads.com/*.html$redirect=nooptext,important
+||lswcdn.net/js/vendor/efldr.js
+||anyporn.com/player/player.php|
+anyporn.com##.ffb_wrap
+xbabe.com###ipa-s
+jizzbunker.com##.ftr-banners
+nuvid.*,yeptube.com##.drt-spot-box
+||t.propbn.com/redirect/?spot_id=$redirect=nooptext
+reviewmeta.com##span[class^="ad_"]
+startups.co.uk##.headline-sponsor
+healthline.com##.dlb__sticky-container--pagefair
+healthline.com##.article__content-body > div.dlb--inline-container
+healthline.com##.dfooterlb
+healthline.com##.body__col-fixed-right > div.dmr--show
+healthline.com##.read-next__row-ad-box
+journals.asm.org,dailyburn.com##.leaderboard-wrapper
+||myfinance.com^$domain=money.cnn.com
+money.cnn.com##section.headline_list.bizDev.ng-scope
+porn-monkey.com###tube_popup
+receivesmsonline.net,receivefreesms.net###mADSFooter
+porn-monkey.com###video_id > .vjs-overlay
+pornoaffe.com,hd-pornos.net,hd-easyporn.com,porn-monkey.com##aside[id^="special"]
+pornoaffe.com,hd-pornos.net##div[id^="wa_"].widget
+alotporn.com##.player-adv
+||cdn-static.alotporn.com/js/main_load.js
+tubewolf.com##.home-banner
+||tubewolf.com/pop
+mature2u.net###inVideoInner
+||pornicom.com/plugin.php
+||pornicom.com/js/license
+||pornicom.com/plugin.js
+apkmb.com##.widget_media_image img[width="300"][height="250"]
+apkmb.com###secondary > #text-4
+receivesmsonline.net##font[style="padding-right:3px;padding-left:3px;background-color:#f9f9f9;color:#000;"]
+receivesmsonline.net###mADSAd
+receivesmsonline.net##td[data-title="Advertisement"]~td
+receivesmsonline.net##td[data-title="Advertisement"]
+stereogum.com##.footer-ad-holder
+stereogum.com##.zergnet-holder
+stereogum.com##.sm-widget-ad
+stereogum.com##.leaderboard_top-placeholder
+4chan.org###bd > div[style="text-align:center;margin: 10px 0"]
+weather.com###wx-top-wrap
+weather.com##.admodule_burda_tfm
+msn.com##.stripecontainer[data-section-id="stripe.msstore"]
+msn.com##.bannersectionad
+codecanyon.net##.canvas__header > .banner
+||freepornhq.xxx/pu/*.js
+freepornhq.xxx##.item-tr-col > center
+spycock.com,iporntoo.com,freeporn.info,ruleporn.com,shemaleporn.xxx,freepornhq.xxx##.aff-col
+freepornhq.xxx##.aside-itempage-col
+gadgetsnow.com##.nativecontent
+||gaana.com/ajax/loaddfp^
+pornhub.com,pornhub.org,pornhub.net##.nonesuch
+veteranstoday.com##a[href="http://www.hireveterans.com"]
+veteranstoday.com##a[href="http://journal-neo.org"]
+blockchain.info###tx_container > div:not([id]):not([class]) > table.table.table-striped[style="float:left;margin:0;width:100%;padding: 0 0 30px;"]
+||t2lgo.com/creatives/*/Banners/$image
+||hd-world.org/layer18.js
+hulldailymail.co.uk##body > .top-slot
+g2esports.com##.js-side-banner
+t3.com,lifehacker.com,thenextweb.com##.ad-unit
+cswarzone.com##.col-md-4 > .widget-2
+cswarzone.com##.widget-3.footer-widget
+cswarzone.com##.widget-4.footer-widget
+cswarzone.com##.col-md-4 > .widget-3
+gamingcfg.com##.ad3
+gamerconfig.eu##.footerf
+gamerconfig.eu###wideskyscraper
+charlieintel.com,dexerto.*##aside.w-full:has(> div[class*="bg-custom-ad-background"])
+charlieintel.com,dexerto.*##main.isolate > div > div.items-center:has(> div[data-cy="Ad"])
+charlieintel.com,dexerto.*##div[id^="article"] > .flex-col:has(> .flex > div[data-cy="AdLoading"])
+charlieintel.com,dexerto.*##.top-0.justify-center
+charlieintel.com,dexerto.*##div[data-cy="AdLoading"]
+charlieintel.com,dexerto.*##div[data-cy="Container"] > .col-span-full > .flex-col > .flex:has(> div[data-cy="AdLoading"])
+dexerto.*##.top-10
+dexerto.*##div[data-placeholder="ad"]
+dexerto.*##div[data-openweb-ad="true"]
+dexerto.*##.adhesiveWrapper
+dexerto.*###articleContainer div[class=""] > div[style="text-align:center;"] > p[style="font-size:12px;color:#ccc;"]
+dexerto.*#?#.col-span-full > .flex:only-child:has(> .items-center:only-child > .top-0:only-child > div[id^="FooterAd_"])
+dexerto.*#?#main > div[data-cy="Container"]:has(> div.col-span-full div.sticky > div#FooterAd)
+dexerto.*#?#div[id^="article"] > div.items-center:has(> div.flex > div.sticky > div[data-ad-unit-id])
+dexerto.*###fallback-sb
+dexerto.*###content-col > .lg-pg3 > .center:last-child
+dexerto.*###fallback-st
+tennisthis.com###text-19
+tennisthis.com###text-45
+tennisthis.com###text-40
+tennisthis.com###text-43
+bloomberg.com##.ad_unit_container
+||assets.bwbx.io/*/initialize_ads-*.js$domain=bloomberg.com
+csgocrosshairs.com##body > a[href^="https://skinjoker.com"]
+csgocrosshairs.com##.top-image
+cpophome.com,dak.gg,japannews.yomiuri.co.jp,investing.com,esportsearnings.com##div[class^="ad_"]
+gosugamers.net##.shopProductWrapper
+||ebook777.com/js/download.png
+3movs.com###related_videos_overlay > div.centered[style]
+||3movs.com/*/ssu*.js?
+teamliquid.net##div[style^="max-width: 740px; height:90px;"]
+teamliquid.net##div[style="margin-top: 2px; margin-bottom: 2px; height: 250px"]
+teamliquid.net###news_bottom_mid
+liquipedia.net,wiki.teamliquid.net##.fo-nttax-infobox-adbox
+||ipaddressguide.com/images/ip2location-banner.jpg
+||fmovies.*/*.hahaadblock
+||track.bcvc.mobi/earn.php^$popup
+||bitmakler.*/images/system/*/*.*?n=
+freevbcode.com###wrapper > div[style="margin-top:96px; margin-left:630px; z-index:0;width:110px; padding-bottom:3px; height:0px;"]
+csgostash.com##.adv-result-box-skins
+mouse-sensitivity.com##.ipsList_reset > li.ipsWidget_vertical > div[style="width:343px;height:630px;margin-top:15px;"]
+||resources.hostgator.in/affiliate/$image,third-party
+allmusic.com###smb-vidad-widget
+lingolia.com##.adv-header
+poe.trade###contentstart > .large-12 > #topone
+poe.trade##.search-results-block > .centered
+ier.ai,seulink.online,bitfly.io,shrinkme.in,streamsport.pro,fir3.net,todaynewspk.win,dz4link.com,megalink.pro,megaurl.in,aii.sh,ckk.ai##a[href][target="_blank"] > img
+slashfilm.com,nickiswift.com,grunge.com##.google-ad-placeholder
+narcity.com##.awrapper
+androidcentral.com###mbn_common_footer
+socialblade.com##.sidebar-container > div.sidebar-module[style="height: 250px;"]
+socialblade.com##.content-container > div[style^="width: 840px; height: 90px; padding: 20px;"]
+newsx.com##.leftaddsense
+newsx.com##.native-advts
+linkedin.com##.jserp-ad-container
+binbucks.com##.adsbybin
+binbucks.com##a[href^="https://t.frtyz.com/"]
+cinemablend.com##.ads_slots_adx
+agame.com##a[href^="http://smarturl.it/"] > img
+serverfault.com,stackoverflow.com##.everyonelovesstackoverflow
+||spike.itv.com/itv/tserver/size=*/viewid=
+||nudecelebforum.com/8caasdad2.ef2ea21a^
+comicbook.com##.adhesion-block
+||pastebin.com/_lead_custom.php
+pastebin.com##iframe[src="/_lead_custom.php"]
+pastebin.com,realgfporn.com##.promo-bar
+investing.com##.js-tradenow-btn
+investing.com##.largeBannerCloser
+||baiduccdn1.com/propeller.php$redirect=nooptext
+autonews.com##.oas-ad
+tube8.com##.video_column_right > div[class$=" float-right"]
+tube8.com##div[class] > input:first-child[type="hidden"][value="false"]+div
+/\.com\/[A-Za-z]{3}\.png$/$image,domain=videotoolbox.com,~third-party
+||bombaytimes.com/bbtrue/
+||eisamay.com/emsag/
+eisamay.com##style[type="text/css"] + div[class]:not([id]):not([style]):not([class*=" "])
+||tamil.samayam.com/tsmipp/
+||telugu.samayam.com/tggim/
+navbharattimes.indiatimes.com##.atf-wrapper
+||navbharattimes.indiatimes.com/nbmath/
+||malayalam.samayam.com/msigm/
+wydaily.com##.td-header-sp-logoleft
+wydaily.com##.td-header-sp-logoright
+||ra.poringa.net^
+base64decode.net##.ad_right_300_250
+speakingtree.in,m.gadgetsnow.com##.amazon-box
+m.gadgetsnow.com##.amazon-list
+russian.fansshare.com,navbharattimes.indiatimes.com,88files.net,gadgetsnow.com##.ad1
+||bravoporn.com/player/html.php
+wareable.com##.dfp-article-banner
+wareable.com##.affiliate-box
+uvnc.com##td[style^="width: 300px; height: 250px;"]
+baltimoresun.com,capitalgazette.com,chicagotribune.com,courant.com,dailypress.com,latimes.com,mcall.com,orlandosentinel.com,sandiegouniontribune.com,sun-sentinel.com##div[data-adloader-size]
+sandiegouniontribune.com##.so_promo_headline_wrap
+gamebanana.com##.BannerModule
+bravoporn.com##.content > .wrap ~ div.headline > p
+||bravoporn.com/v/if2
+lesbiansex.pro##.bottom-hor-block
+lesbiansex.pro##.video-r-block
+fpo.xxx,private-shows.net##.top > a[rel="nofollow"]
+private-shows.net##body > div[class]:empty:last-child
+techsupportforum.com###TechSupportForum_com_300x250_TopRight_TECH_Forum
+||windowscentral.com/sites/all/modules/mbn_offers/
+||popads.net/pop.js$script,redirect=noopjs,important
+suntimes.com,hellomagazine.com,genyt.com,express.co.uk,apkmirror.com##.OUTBRAIN
+tnaflix.com##.pInterstitialx
+ah-me.com##.movie-pop
+||ah-me.com/flirt/index.php
+mylust.com,anysex.com##div[class^="fp-bnr"]
+mylust.com,anysex.com##.fp-bnr-close-btn
+kisscartoon.ac,kisscartoon.io##.closeVideoAd
+walmart.com##.WMXOMPAdController
+skysports.com##.widge-marketing
+rpgsite.net##.long-block
+rpgsite.net##.long-block-footer
+filesupload.org###modal-before-video
+mirrorace.*##.uk-text-center > a[rel="nofollow"] > img
+time.com##.X9rgC5Js
+time.com##._2bnZiB_7
+novahax.com##.hentry > div[style="text-align: center;"] > a[onclick^="window.open"]
+euronews.com###sharethrough-ad-medium-up
+euronews.com##.enw-block-theme__mpu
+msn.com##.pagingsection.loaded[data-section-id="newshub.store"]
+||youjizz.com/neverblock/
+slipstick.com##.lastad
+slipstick.com##.embedad
+reuters.com###rcs-articleContent > .column1 > section + section:nth-last-child(3) > .group > .column2.col-5
+reuters.com###rcs-articleContent > .column1 > .module-header:nth-last-child(2)
+reuters.com###rcs-articleContent > .column1 > .module-header:nth-last-child(2) + .module
+sanfoundry.com##.textwidget > div[style="text-align:left"] > div[style="text-align: center; margin-top:30px; margin-bottom:30px;"]
+sanfoundry.com##.textwidget > div[style="text-align: center; margin-top:30px;"]
+sanfoundry.com##.widget-container > div.textwidget > div.sf-post[style="margin: 0px 0px; width: 260px; height: 415px;"]
+slipstick.com##p[style="text-align: center;"] > a[href^="http://amzn.to/"] > img
+forums.imore.com##.posts > div.mn_postbit_ab
+bollywoodshaadis.com##.fw_ad
+||watchfree.to/download.php?
+/\.vidzi\.tv\/([a-f0-9]{2})\/([a-f0-9]{2})\/([a-f0-9]{2})\/\1\2\3([a-f0-9]{26})\.js/$domain=vidzi.tv
+msn.com##li.smalla[data-m*="NativeAd"]
+sweepsdb.com##tbody.sponsored
+androidcentral.com##a[href^="https://ad.doubleclick.net"]
+kbb.com##div[data-ad-position]
+englishrussia.com##.post > .agoogle
+englishrussia.com##.code-block > .agoogle
+||gamesofdesire.com/vghd/
+||gamesofdesire.com/skin/*_*.html
+||gamesofdesire.com/files/flash/*-side.swf
+||beeg.com/xmlrpc.php^
+pornhub.com,pornhub.org,pornhub.net###customSkin.backgroundImg
+pornhub.com,pornhub.org,pornhub.net###customSkinCTA
+animeid.tv###player > div#ap
+sadeempc.com##center > div[style="text-align:center;"] > img
+||fas.li/js/p.js
+electrek.co##body > div[class^="th"]
+electrek.co##.post-body > div[class^="th"]
+electrek.co##.post-content > div[class^="th"]
+xiaomitoday.com##.widget_sp_image > a > img[width="300"][height="200"]
+xiaomitoday.com###secondary > div.g1-sticky-sidebar
+||sendit.cloud/images/banner/$third-party
+stackexchange.com##div[id^="adzerk"]
+pushsquare.com##div[id^="rcjsload"]
+bgr.com##.bgr-outbrain-amp-widget
+||img.hentai-foundry.com/themes/Hentai/images/*.mp4
+apk4free.net##.post-content > center > a[href^="http://www.apk-download-market.com/apk_download_app.php"]
+thenextweb.com##.ad-unit--center
+tfl.gov.uk##.top-banner-advert
+arch2o.com###text-85.widget_text
+arch2o.com###text-86.widget_text
+neowin.net###ipsLayout_contentWrapper > .ipsResponsive_hidePhone > div[style="width:100%; height:100px;"]
+neowin.net##.ipsLayout_sidebarright > div.cWidgetContainer > ul.ipsList_reset > li[data-blocktitle="block_LatestNews"] > div[class^="widget-"]
+androidheadlines.com##.amp-ad-bottom
+techradar.com##.placeholder
+thesun.co.uk,sport.ua,xda-developers.com##amp-iframe
+vimeo.com##.profile__ad-wrapper
+mmo-champion.com##div[style="text-align:center;margin-left:auto;margin-right:auto;width:900px;margin-bottom:10px;"]
+||slashdot.org/ajax.pl?op=nel|
+neowin.net##article[class^="classes "]:not([itemscope]):not(itemtype):not([id^="elComment_"])
+windowsreport.com##div[id^="RTK_"]
+paradisehill.cc###bb1
+paradisehill.cc##.bb-0
+||freepornhq.xxx/imgban/
+||myparcels.net/images/b/
+||gstatic.com/xads/$domain=myparcels.net
+download.hr##.add_right_big
+download.hr##.add_responsive_fullrow_box
+software.informer.com##div[id^="inf_bnr_"]
+robtex.com##div[id^="crt-"]
+nodevice.com###ndad_top
+notalwayslearning.com###topbar_leaderboard
+gigapurbalingga.com##a[href^="http://www.nullrefer.com/?http://trafflict.com/"]
+sysnative.com###posts > ul > li:not([class$="old"])
+watchfree.to##.page_content > div[class^="v"]:nth-child(2)
+filedir.com##.content_right > ul > .si_li[style^="padding:"]
+woxmax.com,waskucity.com,babia.to,technofino.in,reef2reef.com,minebbs.com,craxpro.io,affiliatefix.com,myiptvforum.com,hifivision.com,worldofiptv.com,altenen.is,beermoneyforum.com,germancarforum.com,cracking.org##.samBannerUnit
+putlocker.bet##.movgre
+putlocker.bet###downhd
+||i.imgur.com^$domain=oko.sh|startcrack.com|stfly.me|netflav.com|dogeflix.net|up-load.io|vizcloud2.*|up-load.one
+dvdsreleasedates.com###field > div[style*="width:728px;height:90px;"]
+||udvl.com/api/spots/*?host=$third-party
+jetload.tv##iframe[src^="https://www.topqualitylink.com"]
+||cdn.ouo.io/images/download-ad.
+ouo.io##a[href*="adk2x.com/imp"]
+independent.co.uk##.partner-slots
+||putlocker.fit/wp-content/themes/putlocker/images/*-free.png^
+freethesaurus.com##div[class][id] > a > img:not([src^="http"])
+afaqs.com###mast_container
+ctrlq.org,labnol.org##.kuber
+outlookindia.com##.inline_ad
+||widget.crowdynews.com^$domain=forums.hardwarezone.com.sg
+||jetload.tv/js/news-cr.js
+mockupworld.co##.ABD_display_wrapper
+trend.az,xxxyours.com##.adv-wrapper
+||jetload.tv/js/newsbh.js
+||dato.porn/*.php?$popup
+||onhockey.tv/mayki*.gif
+||onhockey.tv/pic/sad.gif
+||onhockey.tv/pic/watoa.gif
+sifted.eu,revolvy.com##div[id^="ad_slot_"]
+revolvy.com###topper_info
+revolvy.com###side_box > div[id^="side_"]
+oddnaari.in##.topouter-ad
+digiday.com##.ad_640
+infowars.com##.article-ad
+canonrumors.com##.blogroll-ad
+rapidvideo.ws###rekrapid
+geekandsundry.com##.bannerplaceholder
+geekandsundry.com##div[id*="-banner-wrapper-"]
+||cf5.rackcdn.com^$script,domain=cbssports.com
+||pornhost.com/j4.php
+||pornhost.com/jscript/_features.js
+||pornhost.com/*.php?js=*&cache=
+search.yahoo.com##.searchRightMiddleAds
+search.yahoo.com##.searchCenterTopAds
+search.yahoo.com##.searchRightBottomAds
+whattoexpect.com,money.cnn.com##.medianet
+bf4stats.com###sidebar > .sidebox:nth-child(3)
+mixing.dj##.td-ss-main-sidebar > aside.widget_text
+merriam-webster.com##.home-top-creative-cont
+whattomine.com##.baikal-link
+steamid.eu##.row.text-center[style$="min-height:110px;"]
+independent.co.uk##.taboola-leaderboard
+dato.porn##div[style*="z-index: 999"][onclick]
+||onclkds.com/apu.php^
+||xvidstage.com/superplayer.png
+||telugu.samayam.com/tgsgia/
+samayam.com##style[type="text/css"] + div[class]:not([id]):not([style]):not([class*=" "])
+bittorrent.am##td[align="center"] > a[rel="nofollow"] > img
+robinwidget.org##.banner-1
+robinwidget.org##.banner-2
+123greetings.com###pre_roll
+play.esea.net###module-ads-home-bottom
+csgoproconfig.com##img[style="vertical-align:middle;width:160px;height:600px;"]
+||gizmodo.in/gzdics/
+||tamil.samayam.com/tsiag/
+||malayalam.samayam.com/msaig/
+||eisamay.indiatimes.com/esmag/
+||navbharattimes.indiatimes.com/nbige/
+||maharashtratimes.indiatimes.com/mtpic/
+||vijaykarnataka.indiatimes.com/vkcip/
+indiatimes.com##style[type="text/css"] + div[class]:not([id]):not([style]):not([class*=" "])
+||rapidvideo.ws/superplayer.
+||androidkai.com/uploads/*.js?wkid=
+avxhome.se##a[href^="https://icerbox.com/premium"]
+cliphunter.com###plrAd
+msn.com###main > div[aria-label^="microsoft store"][data-section-id="stripe.msstore"]
+csgolounge.com###gwd-ad
+thewindowsclub.com##.ad-widget
+||mp4upload.com/jquer1.js^
+||torrentdownloads.cc/logo_d*.jpg
+torrentdownloads.cc##.inner_container > div:not([class]):not([id]) > div[style^="float:left"]
+||cdn.needrom.com/ulefone/needrom-ulefone-*.gif
+tutorialspoint.com##.topgooglead
+tutorialspoint.com##.bottomgooglead
+ultimate-guitar.com##.ug-ad-300
+ultimate-guitar.com##.interstitial_overlay
+ultimate-guitar.com##section.js-interstitial
+revdownload.com##.text-ads > a
+pcportal.org.ru###ddew_ovnova
+pcgamer.com##.slotify-slot
+||images.mynonpublic.com/openatv/*/_sponsoren/
+||satking.de/images/banners/
+msn.com##.apppromocard
+||msn.com/spartan/dhp/*/ecpajax/*&externalContentProvider=
+||radiotunes.com/_papi/v1/radiotunes/ads/webplayer?
+gearburn.com###x_inter_ad
+gearburn.com###x_inter_ad_header
+gearburn.com###fadeMe
+zdnet.com##.content-top-leaderboard
+pcgamer.com##div.placeholder[data-slot-name]
+tellows-au.com,tellows-tr.com,tellows.at,tellows.be,tellows.ch,tellows.co,tellows.co.nz,tellows.co.uk,tellows.co.za,tellows.com,tellows.com.br,tellows.cz,tellows.de,tellows.es,tellows.fr,tellows.hu,tellows.in,tellows.it,tellows.jp,tellows.mx,tellows.nl,tellows.pl,tellows.pt,tellows.ru,tellows.se,tellows.tw###singlecomments > li.comment:not([id])
+reuters.com###bd_article
+reuters.com###bd_article2
+reuters.com###bd_article3
+windowsreport.com###content > .post-featured-image + .description + .single-content-section
+latimes.com##.trb_gptAd
+||anyporn.com/player/html.php$subdocument
+hdporn.net##.right_bg
+winporn.com##.spots.refill.contain
+proporn.com,winporn.com##.it-sponsor-site
+proporn.com,winporn.com##.drt-sponsor-block
+mixesdb.com###adCatBottom
+x1337x.eu,1337x.to##.box-info-detail > div[class]:not([class="manage-box"]):not([class^="torrent-"]):not([class="pagination"]):not([class="table-list-wrap"]) > a[id]
+||staticice.com.au/images/cg_*.jpg
+emedicinehealth.com###AD_Top_rdr
+kaskus.co.id,kaskus.com###BannerAts
+kaskus.co.id,kaskus.com###BannerBwh
+kaskus.co.id,kaskus.com###Conho01Left
+kaskus.co.id,kaskus.com###Conho01midd
+kaskus.co.id,kaskus.com###Conho01right
+amazon.co.uk,amazon.com###DAnsm
+hellporno.com###InPlayerAds
+kaskus.co.id,kaskus.com###Middle_blue
+kaskus.co.id,kaskus.com###Middlehome021
+kaskus.co.id,kaskus.com###Middlenahome1
+zone.msn.com###Module_Marketing
+rapidvideo.ws###OnPlBan
+mail.live.com###RightRailContainer
+breitbart.com###SideW > div[class="ad Hmobi SWW"]
+zone.msn.com###Superblip
+idope.se###VPNAdvert
+wunderground.com###WX_WindowShade
+multiup.org###__admvnlb__modal_container
+softpedia.com###_wlts
+softpedia.com###_wlts_lead
+kaskus.co.id,kaskus.com###a6d05129
+html.net###a_rectangle > span[style^="width:336px; height:280px;"]
+kaskus.co.id,kaskus.com###ab712af0
+pastebin.com###abrpm2
+soompi.com###ad-med-rect
+pornhub.com,pornhub.org,pornhub.net###adBlockAlert
+myfxbook.com###adPopUpContainer
+ah-me.com###ad_banner
+xxxboard.net###ad_global_below_navbar
+streamlive.to,mamahd.com###ad_overlay
+agar.io###adbg
+tehnotone.com###adboxartbottom
+aliez.me###adbtm
+mydaddy.cc###adc
+yahoo.com###adeast
+edmunds.com###adhesion-container
+multiup.org###admvpu
+icefilms.info###adrightside
+routinehub.co,unlimited.waifu2x.net,dutasex.info,redpornblog.com,freeromsdownload.com,roms-hub.com,roms-download.com,food-foto.jp,model-foto.jp,pro-foto.jp,4qrcode.com,findaphd.com,jokersplayer.xyz,grammaire.reverso.net,sportslogos.net,cyrobo.com,aliez.me,aliez.tv,ip-address.org###ads
+polisionline.com###adslayoutleft
+polisionline.com###adslayoutleftright
+ip-address.org###adsleft
+klart.se###advertisement-top
+alphaporno.com,crocotube.com###advertising2-preroll
+osdn.net###after-download-ad
+amazon.com###ape_Detail_dp-ads-center-promo_Desktop_placement
+mixesdb.com###area-trending.clear
+tweaktown.com###background_skin
+streamvid.cc,freexcafe.com,freac.org,journaldemontreal.com,securityweek.com,cdnx.stream,educaplay.com,cloudplayer.online,goldenbbw.com,streamvid.co,olink.icu,vlink.icu,eatcells.com,vidload.co###banner
+myp2p.biz,realstreamunited.tv###bannerInCenter
+tubesex.me###banneradv
+windowsxlive.net###billboard_placeholder
+neogamr.net,neowin.net###billboard_wrapper
+wagnardmobile.com###block-block-3
+rslinks.org###block-block-58
+stomp.com.sg###block-boxes-q0010-widget
+ign.com###blogrollInterruptDeals
+software.informer.com###bnr_block
+allkeyshop.com###body > a[id^="box-"]
+mixesdb.com###bodyContent > div#appendBelowBodyContent
+mhktricks.net###bottom-promo-dload
+economictimes.indiatimes.com###bottomAd
+sexxx.cc###bottom_blockBanner
+icefilms.info###buttons > #list > div[style="width:300px; float:left; "]
+tucows.com###cartouche
+uppit.com###catfish
+streamlive.to###clickablelink
+imagefap.com###cntZZ
+kaskus.co.id,kaskus.com###cntysm
+123movies.net###cont_player > .server_line
+nhentai.to,any.gs###content
+grammarist.com###content > center > div[id^="div-gpt-ad"] + div[align="center"]
+mangafox.la###content > div#spotlights
+sextingforum.net###content > div[style^="text-align:"]
+forum.warmacher.com###contentrow > center:first-child
+mma-core.com###crec
+tebyan.net###ctl07_ctl00_ShowScriptBanner1_divScript
+ozspeedtest.com###deals-box
+neowin.net###desktop_after_3rd_article
+all-free-download.com###detail_content > a[href^="http://shutterstock."]
+all-free-download.com###detail_content > h3:nth-last-child(-n+3)
+speedtest.net###dfp-ab-leaderboard iframe
+torrentleech.org###disableAdPic > a > img
+solidfiles.com###dlm-btn
+downloadbox.org###download
+analindiantube.com,asianbeautytube.com,maturespecial.com,holloporn.com###embed__pre
+clipmass.com###fancybox-wrap
+videobash.com###fb-contest-widget
+thesimsresource.com###fb-root ~ div[class^="ad-"]
+beastsofwar.com###feature-holder
+dailymail.co.uk###fff-inline
+search.lycos.com###fixHolder
+4everproxy.com###foreverproxy-bottom-info
+4everproxy.com###foreverproxy-top-info
+youjizz.com###fotter > .contener
+cnet.com###globalSocialPromoWrap
+economictimes.indiatimes.com###googleadhp
+economictimes.indiatimes.com###googleshowbtm
+imagetwist.com###grip
+pornhub.com,pornhub.org,pornhub.net###hd-rightColVideoPage div[id^="f"]
+pornhub.com,pornhub.org,pornhub.net###hd-rightColVideoPage iframe
+myp2p.biz,realstreamunited.tv###hiddenBannerCanvas
+wbprx.com###hidemead
+amazon.com###hqpWrapper
+allfoot.info,channelstream.club###html3
+relink.to###iBunkerSlideWrap
+vidwatch.me###impo_overlay
+pinflix.com,pornhd.com###inVidZone
+pornhd.com###inVideoZone
+pornshareproject.org###index_stats > center > a > img
+lazarangelov.academy###inside-banner
+dohomemadeporn.com,pornokeep.com,xxxtubedot.com,enjoyfuck.com,fuckgonzo.com###invideo_2
+modelsxxxtube.com,pornexpanse.com,tubesex.me,tubevintageporn.com,xxxadd.com,whitexxxtube.com###invideo_new
+sexu.com###jw_video_popup
+sexu.com###jw_video_popup_button
+powvideo.net###keepFloatin
+t3.com###kicker1
+ign.com###knight
+mashable.com###lead-banner
+superherohype.com###leaderboard.ad
+breakingmuscle.com###leaderboard[style]
+snbforums.com###leaderboardspacer
+appaddict.org###left-stack > a > img[alt]
+mensjournal.com###main > .module-partners
+imagefap.com###main > center > center > div[style="height: 90px;"]
+youjizz.co###main > table[width="100%"] > tbody > tr > td[width][style="padding-right:0px;"]
+porntube.com###main-banner-grid
+depositfiles.com,depositfiles.org,dfiles.eu,dfiles.ru###member_menu > .submenu
+xtremetop100.com###middleb > a[href="http://retro-wow.com"] > img
+xtremetop100.com###middleba[style="height: 100px;"]
+marketwatch.com###moreHeadlines
+motorsport.com###ms_skins_top_box > div > img
+motortrend.com###mt_mobile_app_promo
+wowhead.com###news-block-group
+siliconera.com###nextprev2
+beeg.com###ntv
+ozarksfirst.com###nxcms_dotbiz
+sneakernews.com###omc-sidebar
+wagnardsoft.com###page-body div.post:not([class*="has-profile"])
+pornhd.com###pageContent > ul.thumbs.inside-row
+cafemom.com###partnerLinks
+mylust.com###player > div#kt_b
+hdporn-movies.com,sextubefun.com,hypnotube.com,iyottube.com,handjobhub.com,wankflix.com,messytube.com,madnessporn.com,gaytiger.com,italianoxxx.com,shemalestube.com,pornwatchers.com,ashemaletv.com,homemoviestube.com,pornclipsxxx.com,freepornhq.xxx,nudez.com###playerOverlay
+exashare.com###player_imgo
+france24.com###popit
+newegg.com###promoTop
+luxuretv.com###pub72890
+ebay.co.uk###pushdownAdFragment
+rapidvideo.ws###rapid1
+||sports-stream.*/ads/
+sports-stream.*,tv-sport-hd.com###reklama1
+cam4.de.com###removeAdWrapper
+m.crn.com###ribbon_ad
+search.yahoo.com###right .dd.fst.lst > div.compTitle.fc-4th
+search.yahoo.com###right .dd.fst.lst[style^="background-color:#FFF"]
+tomshardware.com###rightcol_top
+tomshardware.com###rightcol_top + .space-b30
+tomshardware.com###rightcol_top_anchor
+imagebam.com###road-block
+supermarketnews.com###roadblockbackground
+supermarketnews.com###roadblockcontainer
+sawlive.tv###sawdiv
+osxdaily.com###sharing_container
+crunchyroll.com###showmedia_square_adbox_new
+subs.ro###side a[rel="external nofollow"] > img
+celebsepna.com,imgpeak.com###sidebar
+java-forums.org###sidebar > li:nth-child(-n+2)
+forums.watchuseek.com###sidebar_container
+yahoo.com###slot_MIP
+tabloidpulsa.co.id###sp642
+pornhd.com###stickyZone
+popsugar.com###sugar-subnav-ad
+theaustralian.com.au###super-skin-left-wrapper
+theaustralian.com.au###super-skin-right-wrapper
+msn.com###taboola-above-homepage-thumbnails
+themirror.com,myyearbook.com###takeover
+wunderground.com###targeted-banner
+aftvnews.com###text-16:nth-child(2)
+urtech.ca###text-17:last-child
+pocketnow.com###text-19:nth-child(5)
+pocketnow.com###text-20:nth-child(2)
+pocketnow.com###text-22:nth-child(6)
+pocketnow.com###text-23:first-child
+aftvnews.com###text-2:nth-last-child(2)
+thegeekstuff.com###text-3:nth-child(2)
+thewindowsclub.com###text-422067538
+watchcartoonsonline.eu###text-4:nth-child(3)
+yahoo.com###tgtMON_sent
+yahoo.com###tgtREC
+msn.com###ticklerI
+iptvcanales.com###tiquidiv
+rt.com###today-media-article
+sextfun.com###top-navbar.wrap
+l4dmaps.com###top-promotion-bnr
+l4dmaps.com###top-promotion-side
+torrentking.eu###top_header
+huffingtonpost.com###top_news_inner
+sythe.org,football-lineups.com###topad
+soft32.com###bottomer
+soft32.com###toper
+flickr.com###tt-pro-motion-tile
+tucows.com###tucowsHeader
+xpornotubes.com,dildoxxxtube.com,oxotube.com###ubr
+rockradio.com###ui #panel-ad.panel
+bravotube.net###umyep
+sexxx.cc###under_playerBanner
+pcmag.com###uswitch_widget_container
+christiantoday.com###v_article > div[style*="15px;"][style*="10px"]
+latino-webtv.com###ventana-flotante
+forums.tomshardware.com###video_ad
+puls4.com###video_pause_overlay
+putlocker9.com###videof > img
+imagebam.com###viroll
+bitsnoop.com###vpnBar
+lightinthebox.com###winPopHtml
+tigernet.com###wrapper_front > div[style="height:250px;"]
+xtube.com###xtubePlayer > div[id][class]:not([class^="mhp"])
+imageshack.us###yf3-popup-bg
+imageshack.us###yf3-popup-container
+yahoo.com###yucs-top-ff-promo
+pornhd4k.com##.Video_Reklam
+festyy.com##.a-el
+aarp.org##.aarpe-ad
+imdb.com##.ab_zergnet
+torrentking.eu##.acon5
+topperlearning.com,aap.org,bbcgoodfood.com,gardenersworld.com,historyextra.com,ndtv.com##.ad-banner
+theatlantic.com##.ad-boxinjector-wrapper
+theatlantic.com##.ad-boxright-wrapper
+tampermonkey.net##.ad-changelog-block
+letras.com##.ad-full
+cnet.com##.ad-leader-top
+analteen.pro,xxxhentai.net,momsextube.pro,megayoungsex.com,xxxmovies.pro,lesbiansex.pro,goodindianporn.com##.ad-on-video
+theinquirer.net##.ad-slot-full
+speedtest.net##.ad-vertical-right
+pcgamesn.com,ign.com,theatlantic.com##.ad-wrapper
+patient.info##.ad.widget
+widestream.io##.adBlockDetected + div[class]
+pornhub.com,pornhub.org,pornhub.net##.adContainer
+epicbundle.com##.adExtraContentSuperBanner
+food.ndtv.com##.ad_300x250
+food.ndtv.com##.ad_300x100
+javhiv.com##.ad_location
+inoreader.com##.ad_stripe
+pornhub.com,pornhub.org,pornhub.net##.ad_title + div
+pornhub.com,pornhub.org,pornhub.net##.ad_title + iframe
+gameskinny.com##.ad_universal_ondemand
+hqporner.com##.ad_video
+tubesex.me,xxxadd.com##.adban1
+fbref.com,basketball-reference.com,onmsft.com,softperfect.com##.adblock
+sexwebvideo.com##.adblock-spot
+computerbase.de##.adbox-wrapper
+ndtv.com##.adcont
+newstracklive.com##.addBox
+heroesfire.com,mobafire.com,vaingloryfire.com##.ads-narrow
+javhdx.tv##.adsright
+findyourlucky.com##.adst
+indiatodayne.in,indiatoday.in,pdf24.org,telegraphindia.com##.adtext
+ranker.com,androidcentral.com,imore.com##.adunit
+techtimes.com##.adunit_video
+xxxtubedot.com##.adv-b
+alohatube.com##.advbox
+torrentdownloads.net##.advert_img
+enjoyfuck.com,fuckgonzo.com,pornokeep.com##.advmnt
+roxtube.com##.advus
+redmp3.su##.album-cover-left > .ac
+downloadbox.org##.am-comment
+gossipcop.com##.am-ngg-right-ad
+amazon.co.uk,amazon.com##.amsSparkleAdContainer
+thesportbible.com##.article-sidebar__advert
+brightside.me##.article-yandex-direct
+ifate.com##.articleleftfloater
+myasiantv.com##.av-right
+myasiantv.com##.av-top
+porn.com##.azF
+porn.com##.azR
+porn.com##.azRB
+alawar.com##.b-game-list__bnr-title-wrapper
+indiansgetfucked.com##.b850x80
+epicbundle.com##.background-click
+beastsofwar.com##.badge-bar-top
+stream2watch.co##.ban_b
+clip2net.com##.bann-plugin
+youtube4kdownloader.com,wantedbabes.com,softonic.com##.banner-center
+avxhome.in##.banner-links
+paycalculator.com.au##.banner300250
+paycalculator.com.au##.banner72890
+avast.com##.banner__inner
+fshare.vn##.banner_left
+yourlust.com,fshare.vn##.banner_right
+streamsport.pro,liveonlinetv247.info##.bannerfloat
+station-drivers.com,appvn.com##.bannergroup
+sanet.me##.big_banner_adv
+itechpost.com##.bk-sidevid
+mensfitness.com##.block-ami-dfp-blocks
+hdzog.com##.block-showtime
+inoreader.com##.block_article_ad
+wccftech.com##.body.clearfix > div[style$="text-align:center; margin:0 0 15px 0;"]
+bdsmboard.org##.body_wrapper > a[rel="nofollow"] > img
+kaskus.co.id,kaskus.com##.bottom-frame
+reverso.net##.bottom-rca
+theatlantic.com##.bottompersistent-wrapper
+oklivetv.com##.box
+nv.ua##.brand_banner
+blic.rs##.brand_left
+blic.rs##.brand_right
+pornhub.com,pornhub.org,pornhub.net##.browse-ad-container + div[style*="float:right"]
+solidfiles.com##.buttons > a[class="btn btn-success btn-sm"]
+overclock.net##.buynow
+imzog.com,tuberel.com##.category-item.vda-item
+wagnardmobile.com##.cc01
+zippyshare.com##.center_ad
+animefrenzy.net,royalcams.com,adultcams.me,adultchat2100.com,alphafreecams.com,bimbolive.com,bongacam.net,bongacam.org,bongacams-chat.ru,bongacams.com,bongacams.eu,bongacams2.com,cammbi.com,prostocams.com,smutcam.com##.chatbox
+sevenforums.com##.chillad
+mathopenref.com##.citeSkyScr
+ndtv.com##.cnAdDiv
+wired.com##.col#we-recommend
+shockwave.com##.col.col4.colLast
+seattlepi.com##.commerce
+tinypic.com##.container > .browse > span
+nowlive1.me,soccerjumbotv.me##.containerDiv
+adminsub.net##.container_ad_v
+bravotube.net##.headline > p[style="font-size:14px; margin:0; padding:0; text-align:center"]
+bravotube.net##.content > .headline + table
+123movies.*,watchseries.*##.content-kuss
+alphaporno.com##.content-provider > a[rel="nofollow"] > img
+my.earthlink.net##.contest-promo
+world4ufree.ws##.ddbutt
+now.dolphin.com##.detail-lnk-download-banner
+speedtest.net##.dfp-ab-leaderboard
+watchfree.to##.episode_pagination + div[class^="v"]
+videobash.com##.facebook-contest-header
+onlinebarcodereader.com##.fadein-wrap
+filerio.in##.fancybox-overlay
+videobash.com##.fb-winner
+jestful.net,filelions.to,gaybb.net,klto9.com,gayxx.net,klz9.com,hdgay.net,sexgayhd.com,sexgayplus.com,jav720.net,japangaysex.net,dvdgaysex.com,lhscan.net,rawlh.com,shareae.com##.float-ck
+stream2watch.me##.floater
+sexwebvideo.com##.footer-content > .uk-container-center
+sexu.com##.footerBanners
+stream2watch.co##.fpl
+justporno.tv##.frame-box
+hitc.com##.from-the-web
+thesaurus.com##.ftsp
+armytimes.com,marinecorpstimes.com,navytimes.com##.gamedaypromo
+linkedin.com##.go-premium
+apkmirror.com##.google-ad-leaderboard-injected
+apkmirror.com##.google-ad-leaderboard-smaller
+apkmirror.com##.google-ad-square
+indiatimes.com##.googlead
+thesimsresource.com##.group div[class^="ad-"]
+autoblog.com##.grv-related
+seattlepi.com##.hdnce-e[class$="-dealnews"]
+mixcloud.com##.header-leaderboard
+healthline.com##.hl-loading-mask
+mycokerewards.com##.homePageBannerAdTopComponent
+theatlantic.com##.homepage-ad
+wowhead.com##.horizontal-bg
+trictrac.net##.inner-wrap > .row > .medium-11.text-center > a[href^="https://www.trictrac.net"]
+ndtv.com##.ins_adwrap
+pattayatalk.com##.ipb_table > * > .redirect_forum
+youpornbook.com##.ipsWidget[data-blockid]
+mhktricks.net##.jetpack-image-container > a:not([href^="http://mhktricks.net/"]) > img
+theguardian.com##.js-outbrain
+lifehacker.com##.js_contained-ad-container
+fetishshrine.com##.l-col > .row.vid-spot
+thefix.nine.com.au##.latest-feed__ad
+eenadu.net##.lcol-ad-block
+wnd.com##.leader-board-top
+ftop.ru##.left-block > div.row > div.add-block
+idiva.com##.left-container > div[data-layout="content"] > div > div[class] > div > a[onclick]
+indiatimes.com##.li_banner_wrap
+watchfree.to##.link_middle > .sl_wrap
+theatlantic.com##.liveblog__ad
+theatlantic.com##.liveblog__highlights__ad
+reverso.net##.locdrcas
+mathopenref.com##.lowerRect
+mma-core.com##.lrgvid
+digitaltrends.com##.m-bonus
+ins-dream.com##.mainContent > center > a > img
+ipadforums.net##.mainContent > div.sectionMain.funbox
+myfxbook.com##.mainLightBoxFilter
+investing.com##.mainPopUpBannerDIV
+cnet.com##.manualMpu > a[href^="https://www.cnet.com/best-web-hosting-companies-and-services-comparison/"] > img
+sextingforum.net##.master_list > div[style^="text-align:"]
+ndtv.com##.mastheadwrap
+sportsfan.com.au##.mcnamf
+sevenforums.com##.mediaads + .media400[style^="padding:"]
+omgchrome.com##.menu-banners-container
+gamefaqs.gamespot.com,gamefaqs.com##.message_mpu
+onepiecepodcast.com##.mks_ads_widget
+gamenguide.com##.mleft > div > div.product-box1
+lifewire.com##.mntl-gpt-adunit
+videohelp.com##.mobilehide[style^="width:"][style*="970"]
+watchfree.to##.movie_thumb > iframe[src^="/stream.php?"]
+last.fm##.mpu-subscription-upsell
+torrentking.eu##.mv_dir
+ndtv.com##.nd-ad
+imore.com##.netshelter-ad
+avxhome.in##.news a[href^="https://goo.gl/"]
+wowhead.com##.news-right .block-bg
+wowhead.com##.news-right .vertical-bg
+pornleaks.in,flightradar24.com##.noads
+xmissy.nl##.noclick-small-banner
+pornbb.org##.nodark
+javhdx.tv##.onplayerADS
+online-games.co##.overlayVid
+christiantoday.com##.p402_premium > div[style$="float:left;margin:0 15px; 10px 0px;clear:left;"]
+tnaflix.com##.padAdv
+foobar2000.org##.padding table[style$="width:auto;font-size:75%"] > caption
+ipadforums.net##.pageContent > div.sectionMain.funbox
+xtube.com##.panelBottomSpace > li.pull-right
+clip2net.com##.partbn
+pexels.com##.partner-box
+voyeurhit.com##.player-aside
+hdzog.com##.player-showtime
+voyeurhit.com##.player_stop
+france24.com##.popitcontent
+sfgate.com##.popupkit
+masterkreatif.com##.post_content.entry-content > div > center
+mhktricks.net##.postcontent > blockquote > p > a > img
+mhktricks.net##.postcontent > p > a > img
+cboard.cprogramming.com##.postrow > div[style*="300px; height:"]
+mezzo.tv##.pp_overlay
+mezzo.tv##.pp_pic_holder
+linkedin.com##.premium-search-upsell
+competitionsguide.com.au##.prodcontainerAd
+download.cnet.com##.product-single-left-rail-offer
+my.deviantart.com##.promo-text
+armorgames.com##.promos
+hongkiat.com##.promote
+solidfiles.com##.promoted-dl
+familyhandyman.com##.rd_mediakit
+designyourway.net##.reclamaint
+dailydot.com##.recommendation-engine
+svscomics.org##.regi
+wagnardmobile.com##.region-preblocks:first-child
+gamepur.com##.region-sidebar-second-top > .block:not(#block-quicktabs-content_comments)
+sammobile.com##.rev
+allrecipes.com##.review-ad-space
+pcmag.com##.right-frame
+gamemodding.com,royalcams.com,adultcams.me,adultchat2100.com,alphafreecams.com,bimbolive.com,bongacam.net,bongacam.org,bongacams-chat.ru,bongacams.com,bongacams.eu,bongacams2.com,cammbi.com,prostocams.com,r2games.com,smutcam.com##.right_banner
+pandamovie.net##.rightdiv1
+whoer.net##.rightsimple
+house-mixes.com##.row > .hidden-sm
+footballtransfertavern.com##.row.hp-banner
+mensfitness.com##.rr-first-block-wrapper
+mensfitness.com##.rr-zergnet-wrapper
+economictimes.indiatimes.com##.rtAdContainer
+filepuma.com##.screenshots_ads
+siliconera.com##.show-ads div.t-footer-curseNetwork
+cubuffs.com##.sidearm-ad-blocker-message-container
+epicbundle.com##.sidebar > .networkBox + .mediumTagArea
+snbforums.com##.sidebar > table[align="center"]
+kissmetrics.com##.sidebar-ad-dark
+profitconfidential.com##.sidebar-ad-div
+tmz.com##.sidebar-widget iframe
+epicbundle.com##.sidebarAdx
+cam69.com##.headboxBanner
+cam69.com,sexu.com##.sidebarBanner
+lfporn.com##.single-post > div#gb
+makeuseof.com##.single-post-sidebar small[style^="color:"][style*="ray"]
+kaskus.co.id,kaskus.com##.skin
+multiplication.com##.slug
+gamingbolt.com##.small-ad
+epson-event-manager-utility.en.lo4d.com##aside[class^="download_inner_"] > div.colour4.small
+softpedia.com##.sng-widget
+software.informer.com##.splinks
+overclock.net##.sponsor-btns
+cam4.de.com##.sponsorAd
+zdnet.com##.sponsoredItem
+danceclassonline.in,smashingmagazine.com,hanime.tv,linuxmint.com##.sponsors
+linuxmint.com##.sponsors + h3
+walmart.com##.spotAds
+profitconfidential.com##.spu-bg
+profitconfidential.com##.spu-box
+itechpost.com##.story-contents > div.story-img_bigImag + div > div.product-box1
+cubuffs.com##.story_ad
+.streamplay.to/*?zoneid=$script
+putlockers.ch##.summary .movgr
+motorsport.com##.takeOverAdLink
+lifeinsaudiarabia.net,ryuugames.com,techviewleo.com,gizmochina.com##.td-banner-wrap-full
+idevice.ro##.td-post-content > #getsocialmain + center
+msn.com##.todayshowcasead
+tempr.email##.TopBanner
+ada.org,tempr.email,techcentral.ie##.topBanner
+my.deviantart.com##.tower-ad-header
+orlandosentinel.com##.trb_ar_taboolaCmpn
+latimes.com##.trb_masthead_adBanner
+express.co.uk##.trevda
+novoboobs.com##.two-adv
+kmplayer.com##.txt_advertisement
+thetechhacker.com##.vc_col-sm-4:nth-child(2) > * > * > section > .vc_cta3-icon-size-md
+onepiecepodcast.com##.vce_adsense_widget
+hpjav.com##.video-box-ad
+multiup.org##.video-js
+pornhdvideos.tv,porndoe.com,realgfporn.com##.video-overlay
+kisscartoon.me##.videoAdClose
+mcfucker.com##.videoBlock > .cnt > .vcnt > .c2p
+xxxyours.com##.video_adv
+vidzi.tv##.vidzi_backscreen2
+coub.com##.viewer__ads
+androidcentral.com,windowscentral.com##.visor-breaker-ad
+vancouversun.com##.vjs-loading-spinner
+newshub.co.nz##.vjs-onceux-ad-container
+bravotube.net,bravoteens.com,pornoaffe.com,hd-pornos.net##.vjs-overlay
+gamespot.com##.vjs-overlay-onceux-countdown-text
+newshub.co.nz##.vjs-overlay.vjs-overlay-onceux-countdown
+heraldsun.com.au,dailytelegraph.com.au##.w_ad
+epicbundle.com##.wallpaper
+zoomgirls.net##.wallpaper-2ads
+multiup.org##.well > center > div[id^="video"]
+torrenthound.com##.whitebg td
+iphoned.nl##.widget_ad_html
+z-news.link##.widget_execphp
+kpytko.pl##.wpmui-popup
+empflix.com##.zoneAds
+zyzoom.org##.zyzoom_ads
+/250x90_motortrend.gif
+/hitfile_$image,domain=jdforum.net
+/js/ptn/*.js?_=$domain=depositfiles.com|dfiles.eu|dfiles.ru
+://$script,third-party,domain=img24.org
+skidrowcrack.com##[id^="bsa"][style*="opacity:"]
+lcpdfr.com##[style^="width: 728px;"]
+uplod.ws##a > img[src^="http://goo.gl/"]
+filescdn.com##a.btn.btn-labeled:not([href*="filescdn.com"])
+softpedia.com##a.mgleft_40 > img[width="728"]
+patient.info##a.sponsored-wrap
+windowscentral.com##a[href*="amazon.com/b?"]
+windowscentral.com##a[href*="shareasale.com/r.cfm?"]
+windowscentral.com##a[href*="windowscentral.com/hidden-gems?"]
+redtube.com,redtube.net##a[href="/advertising"]
+xtremetop100.com##a[href="/contact.php"] > img
+mediafree.co##a[href="http://cinmaland.com/"]
+xtremetop100.com##a[href="http://www.abysswars.com/"]
+neobuggy.net##a[href="http://www.agama-rc.com/"]
+channelnewsasia.com##a[href="http://www.channelnewsasia.com/premier"]
+xtremetop100.com##a[href="http://www.immortals-co.com"]
+crackingpatching.com##a[href="javascript:void(0);"] > img
+mhktricks.net##a[href="javascript:void(0);"][rel="nofollow"] > img
+scan.majyx.net##a[href^="/Sponsor/"]
+armyrecognition.com##a[href^="/component/banners/click/"]
+usatoday.com##a[href^="/pages/interactives/sponsor-story/"]
+lotteryrandom.com##a[href^="http://ads.playukinternet.com/tracking.php"]
+filesharingtalk.com##a[href^="http://affiliate.astraweb.com/"]
+sextfun.com##a[href^="http://app.oksrv.com"]
+tusfiles.net##a[href^="http://applicationgrabb.net/"]
+fullypcgames.net,short-url.link##a[href^="http://apploading.mobi/"]
+picfox.org##a[href^="http://blobopics.biz/redirect/"]
+eagleget.com##a[href^="http://cdn.adsrvmedia.net/"]
+go4up.com##a[href^="http://go4up.com/download/forwardr"]
+flaticons.net##a[href^="http://goo.gl/"] > img
+kaskus.co.id,kaskus.com##a[href^="http://kad.kaskus."]
+picfox.org##a[href^="http://nudeamateurteengirls."]
+staticice.com.au##a[href^="http://prf.hn/click/"]
+avxhome.se##a[href^="http://s.click.aliexpress.com/"]
+picfox.org##a[href^="http://syndication.exoclick.com/splash.php"]
+watchonline.pro##a[href^="http://watchonline.pro/watch-now/"] > img[width="500"]
+avxhome.in##a[href^="http://www.airbnb.ru"]
+imore.com##a[href^="http://www.amazon.com/gp/"]
+androidcentral.com,windowscentral.com##a[href^="http://www.amazon.com/gp/new-releases?tag=mbn"]
+imore.com##a[href^="http://www.anrdoezrs.net/click"]
+seedpeer.eu##a[href^="http://www.cash-duck.com/"]
+daftporn.com##a[href^="http://www.daftporn.com/link.php"]
+avxhome.in,avxhome.se##a[href^="http://www.friendlyduckaffiliates.com"]
+pattayatalk.com##a[href^="http://www.pattayatalk.com/forums/index.php?"][href*="app=advadverts"]
+neobuggy.net##a[href^="http://www.spektrumrc.com/Surface/Servos.aspx?utm_source="]
+avxhome.in##a[href^="http://www.zevera.com"]
+z-news.link##a[href^="https://accounts.fozzy.com"]
+torrentdownloads.me,ftopx.com,flaticons.net##a[href^="https://goo.gl/"] > img
+putlocker9.com##a[href^="https://mediapss.com/?r="]
+allsport-live.net##a[href^="https://spadsmedia.com/"]
+imore.com##a[href^="https://www.amazon.com/b?"]
+anonym.to##a[href^="https://www.spyoff.com"]
+all-free-download.com##a[id^="a_img_shutterstock_ads_"]
+matheplanet.com##a[name="advice"] + table > tbody > tr[height="195"]
+matheplanet.com##a[name="advice"] + table > tbody > tr[height="20"]
+showsport-tv.com##a[onclick$="closeMyAd()"]
+putlocker9.com##a[onclick*="https://mediapss.com/?r"]
+opensubtitles.org##a[onclick="rdr(this);"]
+neobuggy.net##a[onclick^="_gaq.push(['_trackEvent','AdLinks'"]
+nationalpost.com##a[rel="external nofollow"] > img[src^="/images/offers/"]
+lotteryextreme.com##a[rel="nofollow"] > img
+softpedia.com##a[style*="width: 970px; height: 90px;"]
+go4up.com##a[style="display:inline!important"] > img
+mspoweruser.com##aside[class^="widget shunno_widget_sidebar_"]
+bab.la##aside[role="complementary"]
+showsport-tv.com##b[id$="ctimer"]
+mega.co.nz##body .good-times-left-block
+mega.co.nz##body .good-times-right-block
+userscloud.com##body > .st-container ~ div[class]:not(.adguard-alert)
+hardwareheaven.com##body > a > div[id$="_skin_panel_div"]
+ebookbb.com##body > a[rel="nofollow"][onclick]
+hentai-foundry.com##main > center > p > a > img
+golderotica.com,nudeplayboygirls.com##body > div#topbar
+utorrent.com##body > div.callout.callout-home
+lfporn.com##body > div.main > div.content > div.posts > a[id^="meow"]
+gboxes.com,solidfiles.com,usersfiles.com##body > div[style$="position: absolute; z-index: 999999; cursor: pointer;"]
+patient.info##body > div[style="height:90px"]
+datafilehost.com##body > div[style^="padding-top: 2px;position: absolute; top:1px; width: 100%; background-color: #FFFFFF;"]
+nydailynews.com##body > section#rgi
+nydailynews.com##body > section#rgs-details
+google.com,google.ru##body > table[width="100%"][style^="border: 1px solid #"]
+gamepedia.com##body div#content > div#atflb
+gamepedia.com##body div#content > div#btflb
+gamepedia.com##body div#siderail > div#atfmrec
+nv.ua##body.branding > a[href*="/exec/bn/click.php"]
+procrackerz.org,torrentdownload.info,freeappstorepc.com,masseurporn.com,rennlist.com,f4freesoftware.com,sadeempc.com,workingkeys.org##center > a[rel="nofollow"] > img
+softasm.com##center > a[rel="nofollow"][onclick] > img
+mensxp.com##div.Block.blk > style + div[class]:not([id]):not([style])
+ah-me.com##div.DarkBg
+w4files.pw##div[align="center"] > a[href="/button/download.php"]
+extra.to##div[align="center"] > a[rel="nofollow"] > img
+adminsub.net##div[class$="_ad"]
+vidzi.tv##div[class$="vidzi_backscreen"]
+giveawayoftheday.com##div[class*="_ab aa-"]
+cpuid.com##div[class*="widget-advert-"]
+avxhome.se##div[class="news"][style="margin: 10px 25px 35px 25px"]
+tunefind.com##div[class^="AdSlot_"]
+thesurfersview.com##div[class^="ad"]
+ip-tracker.org,peggo.tv,fliqlo.com##div[class^="ad-"]
+pixiz.com##div[class^="ad-list"]
+upbitcoin.com##div[class^="ad_place_"]
+relink.to##div[class^="ad_right"]
+stream2watch.co##div[class^="adk2_"]
+einthusan.ca,einthusan.com,einthusan.tv##div[class^="adspace-"]
+dtnext.in,pornwhite.com,androidappsgame.com,txxx.com##div[class^="adv-"]
+nmac.to##div[class^="advads"]
+torrentino.me##div[class^="banner-"]
+solidfiles.com##div[class^="bnr-"]
+fifa.com##div[class^="box advert"]
+speedtest.net##div[class^="dfp-eot-"]
+dailypioneer.com##div[class^="googlead"]
+softpedia.com##div[class^="mgtop"][style^="width: 100%; height: 90px;"]
+hdzog.com##div[class^="pl_showtime"]
+semprot.com##div[class^="sukasekalicrot_floating_banner"]
+imore.com##div[class^="zone"] > a > img
+independent.ie##div[data-label="Advertisement"]
+codeproject.com,html.net##div[data-type="ad"]
+boardgamegeek.com##div[hide-ad-block$="blockrectangle"]
+androidcentral.com##div[id$="-store-ad"]
+ouo.press,fileflares.com,leechpremium.link,cpmlink.net,shink.in##div[id*="ScriptRootC"]
+answers.yahoo.com##div[id*="textads"]
+nowwatchtvlive.com##div[id="4c1dba77d15"]
+breakingmuscle.com##div[id^="OA_posid_"]
+newgrounds.com##div[id^="SuperbImaginativeBunting"]
+overclockers.com##div[id^="ad-widget"]
+videopoker.com,musescore.com,fap18.net,gamereactor.eu##div[id^="ad_"]
+kitguru.net##div[id^="adflash-"]
+file.fm,files.fm##div[id^="any_media_banner"]
+techstips.co,reblop.com,dupose.com##div[id^="bannerfloat"]
+thehill.com##div[id^="block-dfp-rightrail-"]
+1ms.net##div[id^="cpmstar_modalVideoPopup_"]
+gameskinny.com##div[id^="div-sjr-"]
+download3k.com##div[id^="dl_google_"]
+forums.guru3d.com##div[id^="edit"] > div.vbmenu_popup + div[id^="edit"][style^="PADDING-RIGHT:"]
+mamahd.com##div[id^="html"][style]
+mangafox.la##div[id^="mfad"]
+decider.com,bgr.com,skysports.com##div[id^="outbrain_widget"]
+iphone-ticker.de##div[id^="page-"] > div[id^="verbraucherhinweis-"]
+pick-up-artist-forum.com##div[id^="popup"]
+gamovideo.com##div[id^="pu-"]
+answers.yahoo.com##div[id^="ya-darla-"]
+download.cnet.com##div[id^="ypaAdWrapper"]
+wired.com##div[role="presentation"][data-outbrain-url]
+avaxhome.co##div[style$="width:320px;height:235px;"]
+acronymfinder.com##div[style="display:inline-block;width:320px;height:265px"]
+relink.to##div[style="float:left;"] > div.view_middle_block
+newgrounds.com##div[style="height: 90px; width: 728px;"]
+torrentleech.org##div[style="height:640px; width:160px;"]
+rapeboard.net##div[style="padding:0px 25px 0px 25px"] > center > a > img
+rapeboard.net##div[style="padding:0px 25px 0px 25px"] > center > img
+gamecopyworld.eu##div[style="padding:4px 4px 4px 4px"] > table:first-child td[align="center"] > table[style="height:90px;"]
+kaskus.co.id,kaskus.com##div[style="position:fixed; width:100%; z-index:99;background:#fff;"] + div[style="height:30px"]
+gossipcop.com##div[style="width:300px;height:250px;margin:0;padding:0"]
+topboard.org##div[style] > div[style="width:910px; margin:10px auto;"]
+fijilive.com##div[style][onclick$="redirect()"]
+thewindowsclub.com##div[style^="float:none;margin:10px 0 10px 0;text-align:center;"]
+urlvoid.com##div[style^="margin: "][style*="0px 0"] > small
+fxp.co.il##div[style^="position: fixed;width: 162px; height: 600px;"]
+re-hentai.com,myslavegirl.org##div[style^="width: 300px; height: 250px;"]
+bigbtc.win,downloadcrew.com##div[style^="width:160px;height:600px;"]
+allsport-live.net##div[id^="reklama"]
+4downfiles.org##font#w3c5
+i.cbsi.com/*/Ads/*.jpg
+lynk.my##iframe.content
+kissanime.to,kisscartoon.me##iframe[id^="adsIfrme"]
+koreatimes.co.kr##iframe[id^="nad_"]
+theage.com.au##iframe[name="domain_dream_homes"]
+vipleague.tv##iframe[name="player_iframe"] + #overlay
+profitconfidential.com##iframe[name^="dianomi"]
+vpsboard.com##iframe[src*=".vpsboard.com"]
+freebitco.in##iframe[src="//freebitco.in/cgi-bin/show_ad.cgi"]
+mixesdb.com##iframe[src="//www.mixesdb.com/BP/iframe_7block.php"]
+torrentleech.org##iframe[src="https://www.weminecryptos.com/forum/"]
+thefappening.so##iframe[src^="/icloud"]
+mcfucker.com##iframe[src^="/mcfucker_html/video_right.php"]
+clipconverter.cc##iframe[src^="http://a.clipconverter.cc/www/d/"]
+pornhub.com,pornhub.org,pornhub.net##iframe[style*="height: 60px;"]
+pornhub.com,pornhub.org,pornhub.net##iframe[width="315"]
+pornhub.com,pornhub.org,pornhub.net##iframe[width="950"]
+javhotgirl.com##img[alt="JavHD Premium"]
+kaskus.co.id,kaskus.com##img[src="images/spacer.gif"]
+skyscrapercity.com##img[src^="http://www.skyscrapercity.com/images/ads/"]
+acronymfinder.com##img[style="max-width:728px;width:100%"]
+deepdotweb.com##img[width="330"][height="104"]
+indiansgetfucked.com##img[width="650"][height="80"]
+onhockey.tv##img[width="710"][height="80"]
+ip-address.org##ins[id^="aswift_"]
+leporno.org/english.js
+modaco.com##li[data-blocktitle="Custom Blocks"] a > img
+hipornvideo.com##noindex div[style*="data:image/jpeg;base64"]
+3dsiso.com,pspiso.com,xbox360iso.com##ol li[id^="navbar_notice_"]:not(:first-child)
+promo-pc.jpg$domain=download.cnet.com
+cnn.com##section[data-zone-label$="Paid partner content"]
+asiaone.com##section[id*="-qoo10-box-"]
+segmentnext.com##section[id^="banner-"]
+urlvoid.com##small:nth-child(2)
+agar.io##small[data-itr^="advertisement"]
+qriv1.ucoz.com##span[style$="font-weight: bold;"]
+qriv1.ucoz.com##span[style$="font-weight:bold;"]
+lcpdfr.com##span[style="margin-bottom: -20px;"] > div[style="height: 250px;"]
+remote.12dt.com##table[style^="width:768px;height:90px;"]
+lucianne.com##table[width="180"][height="630"]
+lucianne.com##table[width="300"][height="290"]
+pixroute.com,imgspice.com##table[width="612"][height="262"]
+lucianne.com##table[width="728"][height="119"]
+mistressdestiny.com##table[width="775"]
+jdforum.net##td.alt1Active > div > div[style="float:right"]
+bdsm-zone.com##td[align="right"][valign="bottom"] > div > a[rel="nofollow"] > img
+subscene.com##td[class="banner-inlist"]
+youjizz.com##td[valign="top"] + td[width="301"]
+lyngsat-logo.com,lyngsat.com##td[width="160"][height="600"]
+movie-censorship.com##td[width^="160"][align="center"] > div[style*="border: 1px solid"]:not([style*="10px; border:"]):not([style*="4px; padding-bottom:"])
+tubesex.me/eureka
+enworld.org##ul > li[class="postbitlegacy postbitim postcontainer"]
+pornhd.com##ul.thumbs + div.listing-zone.mobile-zone
+xxxadd.com/eureka
+|http://$image,third-party,domain=pornhub.com|redtube.com|redtube.net|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com|you-porn.com|youpornru.com|youporn.fyi
+||0torrent.com^
+||0xc0000005.com/0xc0000005-fix-download.html
+||18ypc.com/b/
+||4downfiles.org/open4downfiles2.js
+||ad.kaskus.co.id^
+||ads*.depositfiles.com^
+||ads*.depositfiles.org^
+||ads*.dfiles.eu^
+||ads*.dfiles.ru^
+||ads.playukinternet.com^
+||ah-me.com/b*.js
+||akhbarak.net/widget_v.php
+||allsport-news.net/pr/
+||alphaporno.com/pop/
+||amazonaws.com/waframedia16.com^$third-party
+||antiq-fetishes.net/terrabanner.gif
+||api.kostprice.com^$script,domain=gadgets.ndtv.com|gadgets360.com
+||api.taboola.com/*/json/microsoftsolitairecollection/
+||armorgames.com/foolish/
+||armorgames.com/neat/next/armadillo
+||asmassets.mtvnservices.com/$domain=spike.com
+||asmassets.mtvnservices.com/asm/
+||az413505.vo.msecnd.net^$third-party
+||batmanstream.com/competition.js
+||bittorrent.com/Advertisers/
+||blobopics.biz^$domain=picfox.org|picbank.tk
+||bontent.powvideo.net^
+||bontent.powvideo.net^$popup
+||bramjnet.com/images/upload/
+||bravotube.net/js/_p4.php
+||c.speedtest.net/flash/*.swf|
+||cc.cnetcontent.com/dccn/$domain=urtech.ca
+||cdm.cursecdn.com/js/chip-testing/recovery/cdmfactorem_recover2_min.js$domain=gamepedia.com
+||cdn-mixesdb.com/static/images/JDbanners/
+||cdn.adfoc.us/sound/niftyplayer.swf
+||cdn.adult.xyz/js/link-converter.js
+||cdn.javgo.me/frontend/js/codepp.js
+||cdn.subs.ro/assets/storm-systems.png
+||cdn.subs.ro/assets/xservers.png
+||cdn.taboola.com/libtrc/ndtv-ndtvmobile/loader.js$domain=ndtv.com
+||cdn.taboola.com/libtrc/needrom/loader.js$domain=needrom.com
+||cdn.taboola.com/libtrc/skidrowc/loader.js
+||cdn.taboola.com/libtrc/uploaded/loader.js
+||cdn.taboola.com/libtrc/ziffdavis-network15-geek/loader.js$domain=geek.com
+||cdn.theatlantic.com/*/promotions/injector.js
+||cdn.thri.xxx/web/uploads/b_images/
+||cdne.stripchat.com/cdn/banners/
+||clickadu.com/apu.php$redirect=nooptext,important
+||cloudfront.net^$domain=porn00.org|milfnut.com|iir.ai|tii.ai|adshort.club|newepisodes.co|megaup.net|ckk.ai|uploadas.com|gounlimited.to|streamtajm.com|yesmovies.to|thehouseofportable.com|kanqite.com|oke.io|xmovies8.pl|xrivonet.info|linkrex.net|youtubemultidownloader.com|cpygames.com|drhtv.com.pl|srt.am|dancingastronaut.com|gamesofpc.com|tinyical.com|itdmusic.com|prefiles.com|cloudyfiles.co|anime-odcinki.pl|clickndownload.*|clicknupload.*|unblocked.lol|lipstickalley.com|addic7ed.com|animeflv.net|avxhome.in|avxhome.se|baiscopelk.com|filescdn.com|javgo.me|katfile.com|keeplinks.eu|leporno.org|multiup.org|newpct.com|newpct1.com|nhentai.net|nitroflare.com|psarips.com|sadeemapk.com|sankakucomplex.com|shink.in|uplod.it|uplod.ws|uptostream.com|userscloud.com|tmearn.com|y2mate.com|animepahe.ru|tei.ai|mastibaaz.com|mrpcgamer.co|soap2day.*|igg-games.com|torrentmac.net|send.cm|bluemediafiles.*|sakurafile.com|allmoviesforyou.net|soap2day.ac|torrentgalaxy.mx|igg-games.co|ziperto.com|bluemediafile.*|oxtorrent.sk|bluemedialink.online|bluemediaurls.lol|bluemediadownload.*|urlbluemedia.*
+||cnn.com/cnnintl_adspaces/
+||coderanch.com/forums/banner/
+||commitstrip.com/hello.php
+||creativeuncut.com/int/interstitial.js
+||d2gt9oovykfp1z.cloudfront.net/onhax.js
+||digit-photo.com/images/produits/publicites/
+||direct.hdzog.com/contents/lejpppwud/
+||distrowatch.com/images/cpxtu/
+||distrowatch.com/images/k/
+||distrowatch.com/wban
+||downloadha.com/shop/*.swf
+||droidforums.net/vendors/
+||elasticbeanstalk.com^$domain=footballtransfertavern.com
+||electronlibre.info/mdx/images/bg_vivendi_hab.jpg
+||eztv.ag/images/pcprotect/
+||fakku.net/static/seele-footer.html
+||fetishshrine.com/_p4.php
+||fijilive.com/images/wrap/
+||filerio.in/interstl.html
+||filestube.com/sponsored_go.html
+||funimg.net/mm.js
+||gallery-dump.com/forum/forumbanner.php
+||global.fncstatic.com/static/*/OutbrainWidgetConnector.js
+||go4up.com/assets/img/webbuttoned.gif
+||go4up.com/download/forddd
+||goodindianporn.com/images/undbn.gif
+||google.com/ads/search/app?
+||googletagservices.com/tag/$domain=flightradar24.com
+||havysoft.cl/mt_b.png
+||heavy-r.com/ilove/bananas.php
+||heidoc.net/amazon/
+||heidoc.net/joomla/images/cambodia/
+||hellporno.com/_p*.php
+||hideme.ru/images/prx/prx_bnr_
+||hotpornfile.org/wp-content/themes/hpf-theme/js/vendor/pub.js
+||i.bongacams.com/b/
+||i.imgur.com/4Pi4CHD.png
+||i44.tinypic.com/13yea8l.gif
+||i44.tinypic.com/167ngnb.gif
+||i47.tinypic.com/2z86ekz.png
+||imagebam.com/csb.html
+||imagebam.com/files/_b*.php
+||images-*.ssl-images-amazon.com/images/*/sf/DAsf-*_.js
+||imagetwist.com/ff.js
+||img.informer.com/images/mac_banner_v2.png
+||imgpeak.com/bk_lder.php^
+||indiangilma.com/images/srilankakillingfields.jpg
+||indiansgetfucked.com:8081/cont1/*.gif
+||indiansgetfucked.com:8081/images/banners/
+||info.gomlab.com/eng_ad.html
+||kad.kaskus.co.id/banner/
+||kaskus.co.id/adv/
+||koksenergy.de/animiert.gif
+||kovla.com/static/js/popunder
+||l2j.lt/ads/
+||l2servers.com/promo/
+||l2topzone.com/SdihusDsa/
+||letitbit-porno.com^$popup,domain=fastpik.net
+||livejasmin.com^$domain=freeimgup.com
+||lookpic.com/td.jpg
+||lookpic.com/yeah.gif
+||lowendbox.com/*/banners/
+||lswcdn.net/js/vendor/frontend_loader.js
+||concertads-configs.vox-cdn.com^
+lxax.com###embed-overlay
+lxax.com###parrot
+||lxax.com/_ad
+||mcfucker.com/js/adpbefuck*.js
+||mediafree.co/pop*.js
+||mediaindonesia.com/public/imgs/new/cbn.swf
+||mediaresources.idiva.com/idivage/
+||mfcdn.net/store/mfbanners/
+||lmfcdn.secure.footprint.net/store/mfbanners/
+||mistressdestiny.com/forums/banner
+||mixesdb.com/BP/iframe_7block.php
+||myslavegirl.org/Promo
+||myvidster.com/*_neverblock.php
+||newopenx.detik.com^
+||newser.com/*feolite/$script
+||nikktech.com/main/images/banners/
+||o1.t26.net/mkt_assets/banners/
+||odb.outbrain.com^$domain=dailytelegraph.com.au
+||olyhdliveextra-a.akamaihd.net/*.mp4$domain=theplatform.com
+||onlinemschool.com/pictures/promo
+||openx.gamereactor.dk/adclick.php
+||pandamovie.net/pu/
+||patient.media/*prebid.js
+||perfectgirls.net/counter.js
+||player.kmpmedia.net/kmp_plus/platform/view/main
+||porn-w.org/chili.php
+||porn-w.org/fj.php
+||porn.com/_p3.js?_=
+||pornexpanse.com/ban_pimp
+||pornexpanse.com/eureka
+||pornokeep.com/eureka
+||pornoxo.com/pxo/www/js_*/*.min.js?url=*/out/
+||porntube.com/*/pop_ex.php
+||portalzuca.com/ads
+||psarips.com/tools.js
+||psdkeys.com/uploads/banner_
+||qrz.com/ads/
+||qwertty.net/templates/kinowa/js/open-single.js
+||rapeboard.net/dep_bdsm.png
+||realstreamunited.tv/*/pu.js^
+||refer.ccbill.com/cgi-bin/clicks.cgi
+||s3.amazonaws.com/poptm/banners/
+||s3.amazonaws.com/salesdoubler/banner_creatives/
+||s3.amazonaws.com^$domain=oko.sh|linkrex.net|youtubemultidownloader.com|fullypcgames.net|adpop.me|itdmusic.com|filescdn.com|katfile.com|nitroflare.com|uploads.to|cloudyfiles.co|bluemediafiles.*|dropgalaxy.com|bluemediafile.*|oxtorrent.sk|bluemedialink.online|bluemediaurls.lol|bluemediadownload.*|urlbluemedia.*
+||sadeempc.com/wp-content/uploads/2017/01/RDP-*.gif
+||safebeta.cn/gg/sefabeta_*js
+||saliu.com/images/software-lottery-gambling.gif
+||scripts.dailymail.co.uk/static/mol-adverts/*.css
+||sexxx.cc/public/api.iframe.php
+||shortlink.sex^$popup,domain=cam-archive.com
+||slatedroid.com/espebanner.js
+||sleazyneasy.com/_*.php
+||slopeaota.com^$popup,domain=redtube.com|redtube.net
+||smsdate.com/promotion/$third-party
+||softpedia-static.com/images/afh/
+||sportstream.tv/img/big.gif
+||sportstream.tv/img/left.gif
+||sportstream.tv/img/right.gif
+||sportstream.tv/img/top.gif
+||stankyrich.com/relman/$domain=mpgh.net
+||static.elitesecurity.org/banner/
+||stefanvd.net/images/partner/
+||stomp.com.sg/qoo10/
+||storage.googleapis.com/*/bnr*.$domain=datafilehost.com
+||strap.domain.com.au^$domain=theage.com.au
+||streamplay.to/js/*/pu*.min.js
+||sumotorrent.sx/img/ip_vanish_
+||techcentral.ie/wp-content/plugins/wpsite-background-takeover
+||thedailywtf.com/tizes/
+||thefappening.so/sproject/*.php
+||thefreedictionary.com/_/track.ashx?r=
+||top.l2jbrasil.com/banner/
+||totallynsfw.com/_*.php
+||trillian.im/client/ad
+||ttcdn.info/pia.png
+||ttcdn.info/pia_$image
+||tuberel.com/*.php
+||tubesex.me/js/eribi.js
+||tubesex.me/js/939eka394.js
+||tubevintageporn.com/js/bkcwe.js
+||tubevintageporn.com/js/775eka341.js
+||txxx.com/js/*.php?z=*&sub=
+||ucam.xxx/banners/
+||unblockall.xyz/assets/js/script.js
+||uploadex.com/tst/download1.png
+||uploadshub.com/images/start-download.gif
+||vaughnlive.tv/abvs.php?$redirect=nooptext
+||vi-control.net/community/?ads/
+||vidible.tv^$domain=historydaily.org
+||webtransfer-finance.com/upload/partner_banner/
+||webtransfer.com/upload/partner_banner/
+||widgets.outbrain.com/outbrain.js
+||wix.com/*utm_campaign=$third-party
+||wrestling-online.com/News/wp-content/plugins/wpsite-background-takeover/js/wpsite_clickable.js
+||wrestling-online.com/News/wp-content/uploads/bg*.jpg
+||xhcdn.com/js/p.js
+||xtremetop100.com/images/UWSidebanner.gif
+||xtremetop100.com/images/right_adspot2.jpg
+||xxxadd.com/js/449eka776.js
+||xxxtubedot.com/js/24eka64.js
+||xxxtubedot.com/js/skvkl.js
+||zevera.com/*.swf$third-party
+||novelhall.com/statics/default/js/position.js
+poro.gg#?#.porogg div.flex:has(> div#rich-media-placement)
+iplocation.net#?#.col_4_of_12 > .widget:contains(Advertisement)
+crazyporn.xxx#?#.item:has(> script[src^="/ai/"])
+theverge.com#?#.flex-auto:has(> div[data-concert])
+processlibrary.com#?#.bottom > .row:has(a[href="/free-system-check"])
+fix4dll.com#?#.sidebar .sidebar__block:has(a[onclick^="ym("])
+wikidll.com#?#.col-sm-8.mb-sm-3 > div[class]:has(~ .banner):contains(/Outbyte|unlimited number of scans/)
+ign.com#?#.wiki-bobble:has(> .adunit-wrapper)
+comick.app#?#div[class^="xl:pt-0 "] > .py-6:has(> #ads-top:only-child)
+comick.app#?#.mx-auto > .items-center:has(> #protag-header)
+comick.app#?#.padding-safe-left > .mx-auto:has(> .items-center > #protag-header)
+timesofindia.com,indiatimes.com#?#div:has(> div[data-type="in_view"] > div.ctn-workaround-div)
+kbb.com#?#.css-1xa55ag.eaivgmg0 > div[style*="display"]:has(a[href*="//ad.doubleclick.net/"])
+kbb.com#?#[class*=" "][style]:has(> div > div[id*="Ad"])
+smailpro.com#?#.my-4.gap-2 > div.text-center:has(> div > ins.adsbygoogle)
+portal.uscellular.com#?#section[data-af-component="FeedBlock"] > div > article:has(> a[href^="https://paid.outbrain.com/"])
+backpacktf.com#?#.stats-header-panel + div[class] > .panel:has(> .panel-heading > span:contains(Advertisement))
+thewindowsclub.com#?#.widget:has(> span[id^="ezoic-pub-ad"])
+thewindowsclub.com#?#article > .widget:has(> center > strong > a[rel*="sponsored"])
+thewindowsclub.com#?#section.widget:has(> .widget-wrap > .textwidget > span[id^="ezoic-pub-ad"])
+reuters.com#?#div[class^="regular-article-layout__inner_"]:has(> div[data-testid="StickyRail"])
+metacritic.com#?#.title_bump > .ad_unit + .browse_list_wrapper + div[style*="padding-bottom:"][style*="30px;"]:has(> .ad_unit)
+allmath.com#?##form1 .text-center[style*="font-size:"]:contains(/^ADVERTISEMENT$/)
+realpornclips.com#?#.main > div.container > h2:contains(Advertisement)
+engadget.com#?#li:has(> article > div[data-wf-image-beacons])
+engadget.com#?##post-right-col > div[class]:has(> #RR)
+livescience.com,creativebloq.com#?#.listingResults > .listingResult:has(> .sponsored-post)
+sekilastekno.com#?##content:has(#teaser2) .entry-content > figure, h3, h4, ol, p, ul
+pinloker.com,sekilastekno.com#?##main:has(a[\@click="scroll"][target="_blank"]) .entry-content > figure, h3, h4, ol, p, ul
+literotica.com#?#.page__aside > div[style]:has(> div[class] > .w_ex)
+game3rb.com#?##main-wrapper > #post-footer:has(>a[href*="/aff_c?offer_id="])
+blog.nationapk.com#?#.wpsafe-top:has(> form#wpsafelink-landing) ~ div#page
+walmart.com#?#.flex > div[class]:has(> div[class][style*="contain-intrinsic-size"] > div[data-item-id] > a[href^="https://wrd.walmart.com/track?adUid"])
+pussyspace.com,pussyspace.net#?#.itemsetbox > div[id] > div[class]:last-child:has(> #showHelpUaPC)
+adzz.in,proappapk.com#?##postBody:has(#gotolink) > div:not(.text-center)
+proappapk.com#?#.blogContent:has(#verify) div.blogPosts
+shareus.site#?#.box-main:has(#countdown) > div.blog-item
+mumsnet.com#?#aside > div.hidden:has(> div.relative > p:contains(Advertisement))
+msn.com#?#.views-article-body > h3.article-sub-heading:has(> a[href*="join.popularmechanics.com"])
+amazfitwatchfaces.com#?#.col-md-12 > .panel:has(> .panel-body > .advp)
+javopen.co#?#.main-content > h4 > strong:contains(Brave)
+coolors.co#?#body.has-sticky-ad > a[id][class]:has(> div[id] + div[id]:contains(Hide))
+coolors.co#?##header > a[id][class]:has(> div[id] > span[id])
+bing.com#?#.slide:has(> .tobitem > a > .rtb_ad_caritem_mvtr)
+swiggy.com#?##all_restaurants div[class]:has(> a > div[class] > div[class] > div[class][style*="transparent"] > div[class]:contains(Promoted))
+uploadrar.com#?#div[class^="download"][class*="page"] div[class^="banner"]:has(> .as_ads_guard:only-child)
+uploadrar.com#?#div[class^="download"][class*="page"] div[class^="banner"]:has(> script:first-child + .adsbygoogle)
+lu.ma#?#.c-sidebar > .c-widget:has(> h3.c-widget__title:contains(Advertise))
+80.lv#?#article[style] > div[class] > aside ~ div[class]:not([data]) > div[class][style^="transform:"] > article > div[class]:has(> div[class][style^="background-color:"])
+voonze.com#?#.td-is-sticky > .wpb_wrapper:not(:has(.td-cpt-post))
+pussymaturephoto.com#?#div[class^="mikex"]:upward(1)
+modrinth.com#?##main > .normal-page__content > .content-wrapper:has(> div[data-ea-publisher])
+work.ink#?#.wk-container:has(> div.container-content > div[id^="waldo-tag-"]:first-child)
+sportfacts.net#?#.sidebar-content > .r-widget-control:has(> div > center > .adsbyvli)
+sportfacts.net#?#.sidebar-content > .r-widget-control:has(> div > center > div[id^="div-gpt-"])
+topsporter.net,sportfacts.net#?#.footy-related-posts > .blog-wrapper > .post-item:has(:is(.adsbyvli, div[id^="div-gpt-"]))
+fmmods.com#?#.single-content-wrap > center > center > h5:contains(/^Ads:$/)
+post-gazette.com#?#.pgevoke-frontpage > div.pgevoke-grid-row-full:has(> div.pgevoke-superpromo)
+hentaiworld.tv#?#.entry-content > div.section-slider:has(> div > h3:contains(Special Offers))
+pornhub.com#?##relatedVideosCenter > .wrapVideoBlock:has(> .videoSpiceVidsBlock span.bg-spice-badge)
+onemileatatime.com#?#.post-card-grid > .row > .col-md-4:has(> div[id^="div-gpt-"])
+mail.yahoo.com#?##commerce_card_group_container > div ~ div
+affplus.com#?#.justify-center:has(> div > a[target="_blank"] > img)
+sonixgvn.net#?#.entry-content .vc_row-fluid > div[class="wpb_column vc_column_container vc_col-sm-12"] > .vc_column-inner > .wpb_wrapper > .wpb_text_column > .wpb_wrapper:has(> p[style="text-align: center;"] > a[target="_blank"] > img)
+pcgamer.com#?#.listingResult:has(> .sponsored-post)
+reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion#?#div[data-testid="frontpage-sidebar"] > div[class]:has(> div[data-before-content])
+netflixlife.com#?##top-stories > li:not([class]):has(> .fs_ad_widget-ad)
+desktopnexus.com#?##rightcolumn > .rbox:has(> .rboxInner > .adsbygoogle)
+gamesradar.com#?#.listingResults > div.listingResult > div.sponsored-post:upward(1)
+silverspoon.site#?#table[style="width:100%; height:1200px"] > tbody > tr:first-child > td > div[data-ad-slot]:upward(2)
+lesbian8.com#$?##int-over { remove: true; }
+unsplash.com#?#.ripi6 > div:matches-property(/__reactFiber/.return.return.memoizedProps.ad)
+unsplash.com#?#div[data-test="search-photos-route"] > div[class] > div[class] > h2:contains(Browse premium images on iStock)
+unsplash.com#?#div[data-test="editorial-route"] div[style^="--column-gutter:"] > div[class] > div:has(> figure[data-test^="photo-grid-"] a[href="/brands"])
+haho.moe#?#div[title="Click to Close the Ad"]:upward(1)
+javporn.tv#?#.content-area > div.download-favorite-container > a[target="_blank"]:upward(1)
+dubznetwork.com#?#.widget:has( .widget-item-wrap > div[class^="clpr-emre"] )
+senzuri.tube#?#.hv-block-transparent:has(> .hv-wrapper > .aa_label:contains(Advertisement))
+hitomi.la#?#.container > div[class$="content"] > div[class] > script:upward(1)
+forum.worldofplayers.de#?#table[align="right"] tr:has(> td > .adsbygoogle:only-child)
+forum.worldofplayers.de#?#table[align="right"] tr:has(> td > img[src*="ad"][src*=".gif"])
+worldofgothic.de#?#div:has(> img[src^="/images/styles/wog/design/ad"][src*="superbanner.gif"])
+bitsearch.to,solidtorrents.to#?##alart-box > .view-box:has(> #alart-message > a[target="_blank"])
+myanimelist.net#$?#div[data-koukoku-width="970"] > style { remove: true; }
+ground.news#?##__next > div.sticky:has(> div.items-center > div.w-full > div.items-center > a[id^="banner-promo-"])
+ground.news#$?#div:not([class]) > div.react-responsive-modal-overlay:has(> div.react-responsive-modal-modal > div.relative > div.flex > a[href="/may-promo"]) { display: none !important; }
+ground.news#$#html { position: static !important; overflow: auto !important; width: auto !important; }
+comick.app#?#div.relative > div.py-2:has(> div#ads-top)
+armyrecognition.com#?##sp-sidebar > .sp-column > .sp-module:has(> .sp-module-content > .bannergroup)
+armyrecognition.com#?##sp-sidebar > .sp-column > .sp-module:has(> .sp-module-content > .custom > .uk-grid > div > .ezoic-adpicker-ad)
+doodrive.com#?#.uk-first-column > .uk-margin.uk-margin-auto:not(:has(>*))
+doodrive.com#?#.uk-first-column > .uk-margin.uk-margin-auto:has(> iframe[src^="//acceptable.a-ads.com/"])
+senzuri.tube#?#.right:has(> div > div > div#ntv_a)
+mangabtt.com#?#.alert-info:contains(Click on the)
+amazon.*#?#div.s-result-item[data-asin=""]:has(> .sg-col-inner > div[cel_widget_id^="MAIN-VIDEO_SINGLE_PRODUCT-"])
+you.com#?#ul[data-testid="web-results"] > li[data-testid]:has(> div[class^="sc-"] div[class^="sc-"] > div[class^="sc-"] + span:contains(Ad))
+digminecraft.com#?#body > div[class]:has(> div[id$="_slot"])
+pornwhite.com#?#.items-container > div.items-holder:has(> div[data-banner])
+sextu.com#?#.video-page__content > .left > section:has(> div[id^="underplayer_"])
+animeidhentai.com#?#.player > div[class]:not([class*="player"]) > aside[class]:has(> div[class]:not(.embed) > iframe[name^="spot_id_"])
+xhdporno.sexy#?#.contentbl > #preview:has(> .innercont > div[class^="preview_screen"] > .preview_title:contains(Advertisement))
+giznext.com#?#.listing-brandicon ~ section:has(iframe[id^="google_ads_iframe_"])
+giznext.com#?#.col-md-8.col-lg-8 > section:has(> .undefined + div[class^="card_card-body"]:not(:has(> *)))
+hardwaretimes.com#?#.theiaStickySidebar > .widget:has(> div > .adsbygoogle)
+shrs.link#?#.main-body > .card.padded:has(> .bold > svg[data-testid="AdsClickOutlinedIcon"])
+pling.com#?#.swiper-wrapper > .slide-item:has(> #iframe-container > div > a[href^="https://shrinkme.io/"])
+scitechdaily.com#$?#body { padding-bottom: 0px !important; }
+leo.org#?#.m-bottom-large:has( > div[id^="adv-"])
+thegamingwatcher.com#?##blip > div[style*="border-bottom:"]:has(> .adsbygoogle)
+chron.com#?#article > .b-gray300:has(> div[data-block-type="ad"])
+chron.com#?#main > div[data-layout="Layout2ColumnPadded"] > .none > .package.none:has(> div[class]:only-child > div[class]:only-child > div[data-block-type="ad"])
+whatismyipaddress.com#?#.fl-page-content > .fl-builder-content > .fl-row > .fl-row-content-wrap:has(#whatismyipaddress_billboard_mid)
+app.mobalytics.gg#?##container > div > aside > div[class] > div[class]:has(> div[class] > header > div > span:contains(/^Advertisement$/))
+apnews.com#$?#.Page-header-leaderboardAd { remove: true; }
+vidstreaming.xyz,boosterx.stream,filmcdn.top,moviesapi.club,vidlop.com,vectorx.top,mov18plus.cloud,forplayx.ink###video_player ~ div[id]:has(> div[style^="position:fixed;inset:0px;z-index"] > a[target="_blank"])
+eporner.com#?#.mb:has(> .adnative-1x1)
+independent.co.uk#?##main > div:has(> div[data-mpu])
+reuters.com#?#div[class^="regular-article-layout__refinitiv_workspace"]:has(> div[class] > a img[class^="workspace-article-banner"])
+theautopian.com#?#.elementor-widget-wrap div[data-element_type="widget"]:has(div[style^="text-align:"] > span:contains(ADVERTISEMENT))
+mapcrunch.com#$?##bottom-box { remove: true; }
+xboxplay.games#?#div[style^="width: 100%; height:"]:has(> div[data-aa-adunit]:only-child)
+xboxplay.games#?#div[style^="width: 100%; height:"]:has(> div[style^="font-size:"]:first-child + div[data-aa-adunit]:last-child)
+xboxplay.games#?#div[style^="width: 100%; height:"]:has(> div[style^="font-size:"]:contains(/^advertisement$/) ~ div[style] > div[data-aa-adunit])
+metager.org#$?##results > div.result:has(> div.result-header > div.result-subheadline > a.result-link > span.advertisement-mark) { remove: true; }
+metager.org#$?##results > div.result:has(> div.result-header > div.result-subheadline > a[href="https://metager.org/partnershops"]) { remove: true; }
+imagineforest.com#?##library_search_content > div.each_story.relative:has(> div.absolute ins.adsbygoogle)
+quizlet.com#?#.ExplanationsSolutionStep ~ div:has(> div.SiteAd)
+cosmopolitan.com#?#div[data-block="transporter"] > section > div[class]:has(> div[class^="css-"] + div[id^="gpt-ad-"])
+adweek.com#?#.sidebar > div.widget-wrapper:has(> div.htl-ad-wrapper)
+agame.com#?#.game-page-sidebar:has(> .advert:first-child + span:empty + .advert + span:empty:last-child)
+my.clevelandclinic.org#?#div[data-identity="article-sidebar"] div[style^="height: "]:has(div[class^="bg-gray-"] > div[data-identity="billboard-ad"])
+pxfuel.com#$?#.list_ads { remove: true; }
+libhunt.com#?#.alternative-repos > ul > li.repo-component:not([id])
+dev.to#?#.crayons-layout__sidebar-right > .js-billboard-container:has(> div > .crayons-sponsorship > .crayons-sponsorship__header > div > span.crayons-sponsorship__indicator)
+skysports.com#?#.site-layout-secondary > .grid__col.adaptive-content:has(> .advert:only-child)
+clarin.com#?#div[class]:has(> div[id^="div-gpt-ad"]:only-child)
+officialcharts.com#?#div[class]:has(> div[id^="ci_ad"])
+officialcharts.com#?#div[class]:has(> div[class^="ci-ad"])
+flickr.com#?#.photo-list-view > div.photo-list-getty-item-view:has(> div.photo-list-static-item-container a[href^="/account/upgrade/pro?"])
+flickr.com#?#.search-container-w-sidebar-content > div.view:has(> div[id^="yui_"] a[href^="/account/upgrade/pro?"])
+yorkshirepost.co.uk#?##scw-inner:has(> div[data-type^="AdRow"])
+news-gazette.com#?##asset-below > .asset-recommend:has(> .yap-ad-)
+forbes.com#?#.section-content > section.generic-widget-wrapper:has(> div.featured-widget)
+independent.co.uk#?##main > div[class^="sc"]:has(> div[class^="sc"] > div[class^="sc"] > a[href^="https://amzn.to/"][target])
+ondemandkorea.com#?#.Layout > div[class^="css-"] > div[class^="css-"]:has(iframe[id^="google_ads_iframe_"])
+aspentimes.com#?##primary > div.container-fluid:has(> div.row > div.ad-top-wrapper)
+superbestaudiofriends.org#?#div.sidebar > div[style^="text-align:"]:has(> a[href^="http://bit.ly/"])
+producthunt.com#?#.layoutSidebar div[class^="styles_item"]:has(> div > img + div.flex > div.flex > a[href="/sponsor"])
+pureleaks.net#?#.elementor div.elementor-element > div.elementor-widget-container:has(> div.tptn_posts_daily)
+hentaisun.com#?#aside.span4 > .widget:has(> h3:contains(Advertising))
+ibradome.com#?#h2.h2head:contains(Ad)
+multiup.io#$?#.content-body > form[method="POST"][action^="https://multinews.me/"] { remove: true; }
+multiup.io,multiup.org#?#.content-body > .bg-info:has(> a[target="_blank"])
+animeidhentai.com#?#.player > .player-hd + div[class] > aside[class]:has(> div[class] > script[src^="https://a.magsrv.com/"])
+timesnownews.com#?##app > div[class] > div:not([class], [id]) > div[class]:has(> .atfAdContainer:only-child)
+androidacy.com#?#.row.my-1:has(> small > .fa-ad)
+androidacy.com#?#.card:has(> .adsbygoogle)
+online2pdf.com#?#.content_box_inner > div:has(> div + div[style^="min-height:"])
+online2pdf.com#?#.side_bar > div:has(> div:contains(Advertisements))
+amazon.*#?#div[data-order-sm]:has(> div[data-csa-c-painter="ad-topper-desktop-card"]:first-child + div[data-csa-c-painter="enumclaw-slot-display-ad"]:last-child)
+linkvertise.com#?#.content-right > div.ng-star-inserted:has(> lv-ad-dp4)
+chromeactions.com#?#div:has(> .adsbygoogle[data-adsbygoogle-status])
+chromeactions.com#?#div[class] > header ~ div + div:has(> div .adsbygoogle[data-adsbygoogle-status])
+rumble.com#?#main section.homepage-section:has(> div.constrained > div[class^="rac-ad__"])
+file.io#?#div[class^="css-"] > div[class^="css-"]:has(> div.vm-placement:not([style]))
+pornwhite.com#?#.container-side:has(> b:first-child + div[data-banner]:last-child)
+useragents.me#?#.table-responsive tr:has(> td > p > a[target="_blank"][style*="color"])
+tyla.com#?#div[class$="StyledArticle-articleBody"] > div[class^="css"]:has(> div[width="100%"][height="1em"])
+work.ink#$?#div[id][style^="position: fixed; top: 0px;"][style$="z-index: 800;"] { remove: true; }
+wsj.com#?#div[class^="style--column"] > div[class^="style--grid"] > div[class^="style--column"] > div[class^="WSJTheme--padding"]:has(span:contains(Ad Block Choices))
+wsj.com#?##root > div div[class^="WSJTheme--padding"]:has(> div[class^="WSJTheme--adWrapper"])
+hometheaterreview.com#?#div[id^="homet-"]:has(> [class^="s2nPlayer"])
+hometheaterreview.com#?#div[id^="homet-"]:has(> .in-content-flex:only-child > div[id^="adn-"])
+hometheaterreview.com#?#div[class^="homet-sidebars"]:has(> .amazon-search)
+hometheaterreview.com#?##page-sidebar > .ct-div-block:has(> .htr-static-ad-outer-wrapper)
+hometheaterreview.com#?##page-sidebar > .ct-div-block:has(> .ct-code-block .amazon-search)
+hometheaterreview.com#?##page-sidebar > .ct-div-block:has(> .ct-code-block:only-child:empty)
+hometheaterreview.com#?##page-sidebar > .ct-div-block:has(> .ct-code-block > div[id^="homet-ad"])
+station-drivers.com#?#.container-sidebar-left > div.card > div.card-body > div.bannergroup:upward(2)
+greenmatters.com#?#aside:has(> div:only-child > div[style]:first-child + div[class]:last-child > div[data-is-ad="true"])
+greenmatters.com#?#div:has(> .ad-title)
+n4g.com#?#.f-grid > div.f-item > div.f-item-ad:upward(1)
+majhinaukri.in#?#.entry p[style*="text-align: center;"]:contains(/^Advertisement$/)
+mail.com#?##content > .content-wrapper > .mod-container > .container-headline:has(> p:contains(/^SPONSORED NEWS$/))
+gadgetsnow.com#?##app > div[class] > div[id^="div-gpt-"]:upward(1)
+gadgetsnow.com#?#.grid_wrapper > .col_m_6 > div[class] > div[id^="div-gpt-"]:upward(1)
+gadgetsnow.com#?#div[data-articlebody] > div[class^="_"] > .colombia:upward(1)
+aeroinsta.com#?#center:contains(/^Advertisements$/)
+aeroinsta.com#?#center:contains(/^Advertisements$/) ~ hr
+whatsaero.com#?#font[color="black"] > center:contains(/^Advertisements$/)
+aeromods.app#?#body > font[color="black"] > center:contains(/^Advertisements$/)
+aeromods.app#?#body > font[color="black"]:has(> center:contains(/^Advertisements$/)) + div + hr
+letmejerk.com,letmejerk3.com,letmejerk4.com,letmejerk5.com,letmejerk6.com,letmejerk7.com#?#.th > span.th-ad:upward(1)
+supermarches.ca#?#table[id^="table"][style*="border-collapse: collapse"][bgcolor][height]:has(> tbody > tr > td[align="center"] > .adsbygoogle)
+shieldsgazette.com#?##frameInner div[class^="sc-"] > #topBanner:only-child:upward(1)
+shieldsgazette.com#?#.sidebar > div[class^="sc-"] > div[class^="sc-"] > div[id^="sidebarMPU"]:upward(1)
+techhelpbd.com#?#.main-content > .block-custom-content:has(> .container-wrapper > .mag-box-container > .entry > center > .adsbygoogle)
+thepeoplesperson.com#?#.thepe-sky-video-player > div.fluid_container > ins[data-fluid-zoneid]:upward(1)
+kissjav.*#?#.column > div.card > div.adv:upward(2)
+milfzr.com#?#.item:has(> div.data > h2:contains(/^AD$/))
+news18.com#?#.recomeded_story > ul > li > div[style="min-height:100px"]:upward(1)
+x.com,twitter.com#?#div[style^="transform"] h2 > div[style^="-webkit-line-clamp"] > span:contains(/^(?:Promoted Post|Promowany Post|Post promovat|プロモポスト)$/):upward(3)
+ticketmaster.*#?#div[aria-hidden="true"] > div[id^="ad-slot-"]:first-child + div[class]:last-child:upward(1)
+texturecan.com#?##mainPane > .articles > .article-box:has(> div[style] > .adsbygoogle)
+blick.ch#?#header + div[class] > div[class]:has(> aside[id^="appnexus-placement-articleTextAd"])
+foxnews.com#?#.article-footer > .vendor-unit:has(> .OUTBRAIN)
+radio.*#?##headerTopBar ~ div[class]:not([id]):has(> div[class] > div[class] > div[id^="RAD_NET"])
+radio.*#?##content-wrapper #home-top-stations ~ div[class] div[id^="RAD_NET_D_"]:upward(3)
+radio.*#?##content-wrapper #stations-in-family ~ div[class] div[id^="RAD_NET_D_"]:upward(2)
+down.fast-down.com##.download-option-btn:has(> button > a[href^="https://down.fast-down.com/download"][href*=".html"])
+filmaffinity.com#?#.movie-card-container > .moviecard-section-wrapper > .right-panel:has(> .adv-300x250-generic:only-child)
+tubepornclassic.com#?#.left > div[class] > div[class] > div[class] > a[href^="http://www.theclassicporn.com/"]:upward(1)
+amazon.*#?#.s-search-results > div[data-asin]:has(> div[class] > div[cel_widget_id] > div[data-component-props*="Sponsored"])
+amazon.*#?##similarities_feature_div span[id^="ad-feedback-text"]:upward(#similarities_feature_div)
+mumsnet.com#?#main > .relative > .bg-gray-200:has(> #ultimedia_wrapper)
+mumsnet.com#?#aside[class*="col-span-4"] > .my-20 > .relative:has(> div[id^="mn-mpu-"])
+weatherzone.com.au#?#main div[class^="sc-"] > div[class^="sc-"]:empty:has(+ .publift-ad-wrapper)
+bing.com#?##b_results > .b_algo:has(> .b_caption > .b_attribution:matches-css(before, content: /url\(data:image/))
+dir.indiamart.com#?##lay-lft > #m4tTOP:has(> div[id^="div-gpt-"])
+xn--tream2watch-i9d.com#?#.stream-box-sources-list-item[data-h="play"]:has(a[href="/frames/fp2/index.php"])
+wallpaperwaifu.com#?#.blog-items > .post-item.site__col:has(> .ads-between-post)
+menshealth.com#?#div[class]:has(> .ad-container)
+oscobo.com#?##results-list > .result:has(> a > .cite > .ba)
+hclips.com#?#.wrapper ~ div:has(> div > div > span:matches-css(after, content: Advertisement))
+animeland.tv#?#li:has(> center > h3.widget-title:contains(Sponsor))
+hancinema.net#?#.main > div.box > div.ad_300x600_300x250:upward(1)
+hotmovs.*#?#.video-page > div.block_label > div:contains(Advertisement)
+txxxporn.tube#?#div.text:upward(1)
+cgtips.org#$?#.better-ads-listitemad { remove: true; }
+urbandictionary.com#?#main > .container > .items-center:has(> div[data-ad-slot])
+allthatsinteresting.com#?#div[class^="css-"][style] > div[class^="css-"]:has(> div[class^="css-"] > div[style^="min-height:"] > div[id^="div-gpt-ad-"])
+timesofindia.indiatimes.com#?#.pmr:has(> div[class] > h2 > a[data-label="Sponsored"])
+3dzip.org#$?#.better-ads-listitemad { remove: true; }
+mangameta.com#?#.flex-1 > ins.adsbyexoclick:upward(1)
+1337x.unblockit.*,1337x.*,x1337x.*##div[id^="vpn"][onclick]
+1337x.unblockit.*,1337x.*,x1337x.*#?#.page-content a[id][href]:contains(/A.*n.*o.*Download|VPN/)
+yts.mx#?#.home-content > div[class*=" "]:has(> div > a[rel])
+yts.mx#?##movie-content > .row[id]:not([style]) > .col-lg-12:has(> div[class] > a[rel] > .button > p:contains(VPN))
+productreview.com.au#?#div[class*="card-full-"]:has(> div > a[rel="sponsored"])
+mirrored.to#?##result table.hoverable > tbody > tr:has(> td[data-label="Host"] > img[alt="iDownload"])
+uploadboy.com#?#.row > .col-sm-4.text-center > div[style*="width:"][style*="height:"]:has(> div[id^="mediaad-"])
+streambuddy.live#?#.elementor-widget-container > p:contains(/^(Advertisment|Advertisement)$/)
+streambuddy.live#?#.elementor-widget-theme-post-content .elementor-widget-wrap:has(> .elementor-element > .elementor-widget-container > .adsbygoogle)
+etherscan.*#?##ContentPlaceHolder1_divSummary > div[class="d-flex justify-content-center"]:has(> .text-center > ins[data-revive-zoneid])
+etherscan.*#?##ContentPlaceHolder1_divSummary > div[class="d-flex justify-content-center"]:has(> .text-center > .text-center > a[href][target="_blank"][class*="d-lg-inline-block"])
+jp-voyeur.net#?#.post > div > p > a[href="https://shopkeys.co/premium-key/rapidgator.html"][rel="noopener"]:upward(3)
+womenoftrek.com#?#.unyson_content .container > .fw-row > .fw-col-xs-12 > center:has(> .adsbygoogle)
+womenoftrek.com#?#.site__content > center > div[style]:has(> iframe[data-src*="amazon-adsystem.com/"])
+2conv.com#?#.simple-modal:has(> .simple-modal__content > .mp3studio-modal)
+fashionunited.*#?#.MuiGrid-root > div.MuiGrid-root[padding] > div[class^="css"] > div > div[class^="css"] > div.adunitContainer:upward(4)
+fashionunited.*#?#.adunitContainer:upward(3)
+downloadr.in#?#.articles > article.grid-50:not(.post):has(> .epcl-banner-grid_loop)
+mangatone.com#?#.c-sidebar:has(div.textwidget > div[id="protag-header"])
+mangatone.com#?#.c-sidebar:has(div.textwidget > div[id^="div-gpt-ad-"])
+familyminded.com#?#.story-section-content > .section-col-main > .story-section-inStory-inline > .ad-inStory:only-child:upward(1)
+dwgshare.com#$?#.better-ads-listitemad { remove: true; }
+softpedia.com#?#div[class^="container_"] > div[class^="grid_"]:has(> div.ad:only-child)
+sukebei.nyaa.si#?#div[class*="-"] > ins.adsbyexoclick:upward(1)
+avmeme.com#?#.align-items-start > a[href="https://3dayseo.com"]:upward(1)
+filecrypt.co#?#form > .protection.online ul > li:not(.buttons):has(> div:not(.circle_captcha))
+xup.in#?#iframe[src^="//youspacko.com/com/"]
+quizdeveloper.com#?#.secondary > .pull-left:has(> .pull-left > span[id^="ezoic-pub-ad-placeholder-"])
+keybr.com#?#body > div[class]:has(> div > #keybr_728x90_970x90_ATF)
+keybr.com#$?#body > div[class]:has(> div > #keybr_160x600_Left) { visibility: hidden !important; }
+buondua.com#?#.main-body > div > div[class]:not([class^="item"]):not([class^="article"]):contains(/^Sponsored ads$/)
+buondua.com#?#.main-body div[class] > .adsbyexoclick:upward(1)
+buondua.com#?#div[class*="article"] > div:not([class]) > div[class]:contains(/^Sponsored ads$/)
+shopee.*##.shopee-search-item-result__items > .shopee-search-item-result__item:has(> a[data-sqe="link"] > div[class^="_"] > div[class^="_"] > div[class^="_"] > div[class^="_"] > div[data-sqe="ad"])
+lectormh.com,muctau.com##.body-wrap > .c-top-sidebar:not(:has(.widget-manga-popular-slider))
+4qrcode.com#?#.container > p.text-center:contains(/^Advertisement$/)
+fluttercampus.com#?#div[class$="side"] > .widget > .card:has(> .adsbygoogle)
+wegotthiscovered.com#?#.the-sidebar > #top-sticky-sidebar-container:has(> .ad)
+mad4wheels.com#?#.prodotti-grid > .mb-5:has(> .card > .card-body > .adsbygoogle)
+hlsloader.com#?#body > center > ins.adsbygoogle:upward(1)
+analyticsinsight.net#?##sidebar > div.widget:has(> div.textwidget > p[style="margin-top: -30px;"])
+analyticsinsight.net#?##sidebar > div.widget:has(> div.textwidget > p > a[href^="https://www.iima.ac.in/"])
+analyticsinsight.net#?#.article-list > div.item > div.banner:upward(1)
+cyberciti.biz#?#.sidebar > div[id^="custom_html-"]:has(amp-ad)
+cyberciti.biz#?#body > center:has(> div[class^="tips_"][class*="_slot_"])
+cyberciti.biz#?#.post_content > div[data-amp-original-style^="text-align: center;"]:has(> amp-ad)
+engine.presearch.org#$?#template[x-if="state.ads"] { remove: true; }
+rugdoc.io#?#.jet-listing-grid__items > .jet-listing-grid__item:has(.elementor-widget-container > h2:contains(SPONSORED AD))
+rugdoc.io#?#.elementor-section-wrap > section.elementor-section-boxed.ct-section-stretched:has(.elementor-widget-container > p:contains(Paid Advertisement))
+w3resource.com#?#.w3r_list ~ div.mdl-cell:has(> div[id^="taboola-below-article-"])
+w3resource.com#?#article > div.mdl-grid:has(> div[id*="banner_block"])
+w3resource.com#?#article > div.mdl-grid:has(> div[id^="bottom_ad"])
+afterschoolafrica.com#?#.bs-vc-wrapper > div.vc_wp_text:has(> div.widget > div.textwidget > div.code-block)
+tech-story.net#?##sidebar > div.widget:has(> div.textwidget > script[async])
+tech-story.net#?##sidebar > div.widget:has(> div.textwidget > a[href^="https://videodl.lbsite.org/"])
+nsis.sourceforge.io#?##column-one > div.portlet:has(> h5:contains(ads))
+paidcoursesforfree.com#$?#.better-ads-listitemad { remove: true; }
+gamertweak.com#?#.sidebar > .widget_mjo:has(> .mjo > div[itemtype="https://schema.org/WPAdBlock"])
+av01.tv#?#.row > div > div#tile-ad:upward(1)
+av01.tv#?#div[style] > iframe[src^="https://kgua0o66bcw8.com/"]:upward(1)
+electronicsandyou.com#?#.sidebar-content > div.widget > div.textwidget a[target="_blank"][rel="noopener"]:upward(div.widget)
+electronicsandyou.com#?#.sidebar-content > div.widget > div.textwidget ins.adsbygoogle:upward(div.widget)
+electronicsandyou.com#?#.sidebar-content > div.widget > h3:contains(Get Best Deals):upward(div.widget)
+apeboard.finance#?#.MuiBox-root > div[class^="css-cache-"] > .MuiBox-root > div[class^="css-cache-"]:has(> .slick-slider)
+tweakdroid.com#?#.tweaksectionheader:has(strong:contains(Advertisement))
+tweakdroid.com#?#.tweaksectionheader:has(strong:contains(Advertisement)) + div[data-widget_type="wp-widget-ai_widget.default"]
+issuu.com#?#div[width="370"] > div:has(> div#ad-primis-wide)
+gizchina.com#?#.vw-content-sidebar > div[id^="block-"]:contains(/div-gpt-ad|protag-sidebar/)
+speed.io#?#.row > .vertical:has(> .block > #ad_mpu)
+wsj.com#?#div[class^="style--column--"] > div[class=""] > div[id^="wrapper-AD_NATIVE"]:upward(2)
+shuajota.com#?#.sidebar > .widget:has(> .widget-content > .adsbygoogle)
+indiatoday.in#?#.sidebar > .block-block:has(> .adtext)
+toptenz.net#?#.theiaStickySidebar > ul > li.widget_text:has(> h3:contains(Sponsor Ads))
+cnnamador.com#?#.cards__item--videos span.flag--banner:upward(.cards__item--videos)
+genius.com#?#div[class^="TopContentdesktop__PromoContainer-"]:upward(1)
+uvnc.com#?#.category-desc > .red ~ center:has(.adsbygoogle)
+ubergizmo.com#?##sidebar_aside > .mediumbox_container:has(> .label_advertising)
+ahaan.co.uk#?#.MuiBox-root:has(> div[class*="-only"] > .adunitContainer)
+alternative.me#?#.container > .block[style]:has(> .adsbygoogle)
+alternative.me#?#.column > #alternatives > .alternatives-wrapper > li#pause:has(> .media-content > .adsbygoogle)
+mdhstream.cc,taradinhos.com,sexseeimage.com,hotxfans.com,dotadostube.com#?#.video-block-happy:upward(1)
+nytimes.com#?#div[data-hierarchy] div:has(> div > div[class] > div[class] > div[data-testid="StandardAd"])
+nytimes.com#?#section[data-testid="most-popular-play"] + div[class]:has(> div[class] > div[data-testid="StandardAd"])
+freevpn4you.net#$?#div[style][align="center"]:has(> ins.adsbygoogle) { visibility: hidden !important; }
+qz.com#?##main > div[class*=" "] > div:has(> #marquee-ad)
+indiatoday.in#?#.timeline > .breaking-section > div[id^="block-itg-ads-ads"]:upward(1)
+mydramalist.com#?#.app-body > div[class] > .is-desktop > .mdl-gpt-tag:upward(1)
+blackenterprise.com#?#.theiaStickySidebar > .wpb_widgetised_column:has(> .wpb_wrapper > .widget_text > .textwidget > .pageload-ad)
+indiamart.com#?#.prd_body #Sidebar_Top > .adsbygoogle:upward(1)
+indiamart.com#?#section[id^="Section-"] > .txtC.mt50 > #afscontainer1:upward(1)
+indiamart.com#?##Below_Related_Section > iframe[src^="https://www.google.com/afs/ads"]:upward(1)
+liveonsat.com#?#td[align="right"] td[height="50"]:has(> script:contains(google_ad_client))
+tutocad.com#?#.theiaStickySidebar > .stream-item-widget:has(.adsbygoogle)
+nudeclap.com#?#.style3 > div[itemprop="name"]:contains(/^Advertisement$/)
+stealthoptional.com#?#.rs-single-footer > .ad-single-footer:upward(1)
+stealthoptional.com#?#.elementor-section-wrap > .elementor-top-section:not([data-settings]) >.elementor-column-gap-default:has(div[data-advadstrackbid])
+techycoder.com#$?#div[class^="vc_column"] > .wpb_wrapper:has(> .td-g-rec > .adsbygoogle) { min-height: 50px !important; }
+leech.ninja#?##page > .cf > .inside:has(> .b-h-2 > .spc > .adsbygoogle)
+limetorrents.torrentbay.st,limetorrents.*#?##rightbar > div:has(> .head:contains(Advertisement))
+limetorrents.torrentbay.st,limetorrents.*#?##content > table.table3:has(> tbody > tr > th:contains(Sponsored))
+gogoanime2.org#?#.content_right > .headnav_center > .adsverting:upward(1)
+5ggyan.com#?##sidebar-wrapper > .sidebar > .HTML > .widget-content > .adsbygoogle:upward(2)
+titantv.com#?#.gridTable > tbody > tr:not([class]):has(> td[align="center"] > div[id] > div[data-stn-player])
+titantv.com#?#.gridTable > tbody > tr:not([class]):has(> td:not([class]) > div[id] > div:empty)
+titantv.com#?#.gridTable > tbody > tr:has(> td:not([class]) > div[id]:only-child:empty)
+titantv.com#?##ctl00_Main_TVL_ctl00_GridUP #sidebox:has(> .sidebar_sticky:only-child)
+comick.fun#?#.float-right > .mx-auto > a[href^="https://comick.app/product/"] > img[alt="affilate"]:upward(2)
+comick.fun#?#.images-reader-container > div > .mx-auto > a[href^="https://comick.app/product/"] > img[alt="affilate"]:upward(2)
+games-guides.com#?#.sidebar > .inner > div[id^="custom_html-"] > .textwidget > div[style="min-height:250px"] > .adsbygoogle:upward(3)
+workandmoney.com#?#.story-section-content > .section-col-main > .story-section-inStory-inline > .ad-inStory:only-child:upward(1)
+openculture.com#?#.curatedcategory > center > .adsbygoogle:upward(1)
+streamingsites.com#?#.card-list > .card > aside > .OUTBRAIN:upward(2)
+streamingsites.com#?#.thumbs-inner > .wn-brand:not(:has(>a[href="https://streamingsites.com/reddit-streaming-sites/"]))
+downturk.net#?#.container > .row > .col-lg-12 > .card:has(> .d-flex > .flex-fill > .item-card-desc > span.text-nowrap:contains(/^Sponsor$/))
+demonoid.is#?#td.main_content > [class] > a:contains(/^(Get VPN Now for FREE!|Demonoid VPN|Trust(\.| )Zone VPN)$/):upward(1)
+demonoid.piracyproxy.biz#?#.main_content td[class][style^="background-color:"] > [class][style^="background-color:"][style*="visibility: visible !important"][style*="position: relative !important"]
+linkedin.com#?#.feed-shared-update-v2:has(.update-components-actor__sub-description:contains(/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|الترويج/))
+techonthenet.com#?#div[class*=" "] > div[id$="_slot"]:upward(1)
+math.tools#?#.box-primary > .box-header > .box-title:contains(/^Sponsored$/):upward(2)
+games4king.com#?#.top_container > #home_right > .adsbygoogle:upward(1)
+timesnownews.com#?#.article-lhs > .content-block > .ad-panel-wrap:only-child:upward(1)
+avaxgfx.com#?#.col-right > .side-box > .title:contains(/^Adventising$/):upward(1)
+infoq.com#?#.related__sponsor:upward(1)
+hidden4fun.com,coursesity.com,ichacha.net,website.informer.com,freetutorialsus.com,mrexcel.com,blockadblock.com#?#.adsbygoogle:upward(1)
+cluset.com#?#.item > div.spot:upward(1)
+ipvoid.com#?#.nav-content-wrap > .row > .col-md-12 > h5:contains(/^ADVERTISEMENT$/)
+seomagnifier.com#?##rightCol > .well > .sideXd:only-child > #Sidebar_Tab:only-child:upward(2)
+freehotporntubes.com#?#.thumb > iframe[width="300"]:upward(1)
+applegazette.com#?#.sidebar > section.widget:has(> div[class^="widget"] span[id^="ezoic"])
+applegazette.com#?#.sidebar > section.widget:has(> div[class^="widget"] div[id^="bsa-"])
+applegazette.com#?#.sidebar > section.widget:has(> div[class^="widget"] ins.adsbygoogle)
+applegazette.com#?#.sidebar > section.widget:has(> div[class^="widget"] a[href^="https://macpaw.audw.net/"])
+kingtalks.net#?#.theiaStickySidebar > div[id^="stream-item-widget-"]:has(.adsbygoogle)
+msn.com#?#div[class^="displayAds"]:upward(1)
+freetutorialshub.com#?#.theiaStickySidebar > div[id^="custom_html-"]:has(.adsbygoogle)
+asurascans.com#?#.theiaStickySidebar > div.section:has(> div.releases:contains(Advertisement))
+darkleia.com#?##sidebar > section[id^="custom_html-"] > h2:contains(Sponsored:):upward(1)
+app.real.discount#?#.container .row > div[class^="col-md-"] > .card[style] > .adsbygoogle:upward(2)
+app.real.discount#?#.container-fluid > .row > .col-lg-7 > .card > .adsbygoogle:upward(1)
+app.real.discount#?#.container-fluid > .row > .col-lg-5 > div[style]:not([class]):not([id]) > .adsbygoogle:upward(1)
+mspmag.com#?##sticky-wrapper > div > .mp-html > #sticky-ad:upward(1)
+mspmag.com#?#.mp-section-wrapper > .mp-grid-4 > .mp-container-wrapper > .mp-layout-sprocket > .mp-html > div[id^="div-gpt-ad"]:upward(2)
+raw-manga.org#?#.rightbarheader:contains(SPONSORED CONTENT):upward(1)
+sangakoo.com#?#.grid-container > div.grid-33:has(ins.adsbygoogle)
+booksummary.net#?#.sidebar section[id^="custom_html-"]:has(.ezoic-ad)
+i-dont-care-about-cookies.eu#?##sidebar > #donations_sidebar + .row > .text-center > .adsbygoogle:upward(2)
+newsgram.com#?#.main > div[style^="width:"][style*="align-items: center;"] > img[onclick^="window.location.href"][onclick*="&utm_medium=banner"]:upward(1)
+nulljungle.com#?#.articles > article.grid-50:not(.post) > .epcl-banner-grid_loop:upward(1)
+webcourses.us#?#.herald-sidebar div[id^="text-"] > h4 > span:contains(/^Advertisement$/):upward(2)
+freetutsdownload.net#?#.g-single > center > .adsbygoogle:upward(1)
+corporatebytes.in#?#.td-ss-main-sidebar > .td_block_template_1 > .textwidget > p > .adsbygoogle:upward(3)
+tlgrm.eu#?#.channel-feed-container > .channel-feed > .channel-feed__brick > .cfeed-card > .cfeed-card-header > .cfeed-card-header__avatar--banner:upward(3)
+gab.com#?#main .sticky-outer-wrapper > .sticky-inner-wrapper > div[class] > aside[class^="_"]:has(> div[class^="_"] > div[class^="_"] > div[class^="_"] > h2:contains(/^Sponsored$/))
+psychcentral.com#?#aside[class^="css-"] div[data-empty="true"] > div[data-adbridg-ad-class]:upward(aside[class^="css-"])
+psychcentral.com#?#div[data-empty="true"] > div[data-adbridg-ad-class]:upward(1)
+psychcentral.com#?#.article-body div[class^="css-"] > aside[style="display: none !important;"]:upward(1)
+pastebin.com#?#div[style]:not([class]):not([id]) > .adsbyvli:first-child:upward(1)
+jaxenter.com#?##sidebar > div.widget:has(iframe[src^="https://jaxlondon.com/"])
+jaxenter.com#?#.row > div.col-lg-4:has(> div.highlight > div.text > p > a[href^="https://develop-your-future.com/"])
+manoranjannama.com,sportsnama.in,naukrinama.com#?#div[class*="colombiaone"] > div[class]:has(> div[class][id] > div > a[href*="/can/evnt/click.htm?"][target="_blank"])
+simplesnippets.tech#?##secondary > #custom_html-17 > h3 + .textwidget > .adsbygoogle:upward(2)
+tumblr.com#?#aside > div[class^="_"][style^="top:"] a[href="/docs/relevantads"]:upward(3)
+tumblr.com#?#header[role="banner"] > div > a[href="/docs/en/relevantads"]:upward(3)
+nudostar.com#?#.p-body-inner > ul.notices > li.notice > .notice-content:only-child:not(:has(>*)):upward(1)
+nudostar.com#?#.p-body-inner > ul.notices > li.notice > .notice-content > iframe[src^="https://go.dmzjmp.com/i?campaignId="]:upward(2)
+ucas.com#?#.section__sidebar-second > .region--sidebar-second.sticky > .brick--article-mpu-first:upward(1)
+algorandfaucet.com#?#.columns > .hide-xl:has(> .card > .card-body > span > div[data-zone])
+algorandfaucet.com#?#.columns > .col-sm-12 > .card:has(> .card-body > span > div[data-zone])
+tuberel.com#?#.tcats div.category-item:has(> a.vda-link)
+tuberel.com#?#.videos div.video-item:has(> a.vda-link)
+oddschecker.com#?#aside[class] > div[class]:has(> div[class] > div[class] div#carousel-frame)
+oddschecker.com#?#div[data-regression-tag="article-text-block"] > p ~ div[class]:has(> div[class] button[class] > div[class]:contains(Claim now))
+dailyhealthpost.com#?#aside > div.widget:not(:has(> div.code-block a[href^="https://dailyhealthpost.com/"]))
+dailyhealthpost.com#?#.code-block-label:contains(Advertisement)
+mysexgamer.com#?#.row > div.a-th:has(> div.a-th-inner > div.a-thumb > div.thumb > a[href^="https://whentai.com/"])
+mysexgamer.com#?#.row > div.a-th:has(> div.a-th-inner > div.a-thumb > div.thumb > a[href^="https://fap-titans.com/"])
+mysexgamer.com#?#.alertHolder > div.alert > div.row:has(> div.col-12 > div[style] > a[href^="https://fap-titans.com/"])
+mysexgamer.com#?#.alertHolder > div.alert > div.row:has(> div.col-12 > div[style] > a[href^="https://whentai.com/"])
+forum.mobilism.me#?##pagecontent > table.tablebg > tbody > tr[class^="row"]:has(> td > b:contains(Advertisement [Bot]))
+forum.mobilism.me#?##pagecontent > table.tablebg > tbody > tr[class^="row"]:has(> td.profile td.postdetails:contains(The Advertiser))
+forum.mobilism.me#?##pagecontent > table.tablebg > tbody > tr[class^="row"]:has(> td.profile td.postdetails:contains(The Advertiser)) + tr[class^="row"]
+forum.mobilism.me#?##pagecontent > table.tablebg > tbody > tr[class^="row"][style="display: none !important;"] + tr:has(> .spacer)
+sakshi.com#?#p > a[href][target="_blank"]:has(> img[src$=".gif"])
+indiastudychannel.com#?#.sidebar > div.row:has(> div.item > div#HP-gpt-passback)
+indiastudychannel.com#?#.sidebar > div.row:has(> div.item > div[id^="div-gpt-ad-"])
+indiastudychannel.com#?#article > div.row:has(> div.col-md-12 > p > ins.adsbygoogle)
+indiastudychannel.com#?#.main > div.row:has(> div.col-md-12 > div.item > div.row > div.col-md-6 > div[id^="div-gpt-ad-"])
+indiastudychannel.com#?##content_rightbar > div.roundedBlock:has(> div#HP-gpt-passback)
+indiastudychannel.com#?##content_rightbar > div.roundedBlock:has(> div[id^="div-gpt-ad-"])
+nekomeowmeow.com#?#div[class*="widget_text"]:has(> div.textwidget:only-child > p > ins.adsbygoogle)
+stocksregister.com#?#.td-post-content > div[id^="stock-"]:has(> p[style] > span[style]:contains(Sponsored))
+poki.com#?#div[class*=" "] > div[class] > div[style^="height:"] + div[class]:contains(/^(Advertisement|Реклама|Re(c|k)lam(a|e)|Iklan|Werbung|An(u|ú)ncios?|Pubb?licit(é|à)|Hirdetés|Advertentie|Mainos|Annons|Διαφήμιση|广告|広告|광고|โฆษณา|إعلان|פרסומת)$/):upward(2)
+tineye.com#?#.no-results > .sidebar.bottom > .promo:upward(1)
+beef1999.blogspot.com#?##banner_app
+beef1999.blogspot.com#?#.overlay
+beef1999.blogspot.com#?#.popup
+beef1999.blogspot.com#?##boz_av_bottom
+webbrowsertools.com#?#div[class^="card shadow"]:contains(Advertisement)
+studyandanswers.com#?#div.banner:contains(-gpt-ad-)
+cambb.xxx#?#.thumb div.ad:upward(.thumb)
+wpshare.net#?#section[class^="widget wpshare-widget"] > h4[class^="widget-title"]:contains(Advertisement)
+live-nba.stream,telerium.digital,dtefrc.online,veopartidos.net,lowend.xyz#$?##overlay { remove: true; }
+imagetwist.com#?#.text-center > iframe[name^="spot_id_"]:upward(1)
+softpedia.com#?##swipebox-overlay > #swipebox-right:matches-css(before, content: /^Advertisement$/)
+sohexo.org,link.ltc24.com,cut-fly.com#$?##go-popup { remove: true; }
+robot-forum.com#?#.boxContainer > div.box ins.adsbygoogle:upward(.boxContainer)
+theregister.com#?##right-col > .rhs_eagle_container > .adun:upward(1)
+mad4wheels.com#?#.prodotti-grid > .mb-5 > .card > .card-body > a > img[src^="/ads/"]:upward(.mb-5)
+mad4wheels.com#?#.prodotti-grid > .mb-5 > .card > .card-footer > .pull-right:contains(/^Ads$/):upward(.mb-5)
+escapegames24.com#?#.sidebar > div.widget:has(> h2:contains(Advertisement))
+escapegames24.com#?#.widget-content > div[align="center"]:has(> font > b:contains(Advertisement))
+taxi-point.co.uk#?#div[id^="comp-"] > a[data-testid="linkElement"] > wix-image[data-src$="~mv2.gif"]:upward(2)
+comidoc.net#?#.MuiBox-root > .MuiCard-root > .adsbygoogle:upward(1)
+gamedev.net#?#.justify-content-start.align-items-center.mb-3 > div[id^="div-gpt-ad"]:upward(1)
+loadout.tf#$?#.loadout-application-top > div[style]:has(> div[style] > div[data-i18n="#advertisement"]) { position: absolute !important; left: -3000px !important; }
+loadout.tf#$?#.flex-panel[style^="display: flex; flex-direction: column; order:"] > .loadout-application-advertisement-header:upward(1) { position: absolute!important; left: -3000px!important; }
+dlsharefile.com#?#.mt-5 > div[class="border bg-secondary"]:has(a[href^="https://www.amazon.com/"])
+shotwars.io#?#.menuCard[style] > div[id^="shotwars-io_"]:upward(1)
+unknowncheats.me#?#center + div:contains(/^sponsored/)
+unknowncheats.me#?#.page > div[style] table[id^="post"] > tbody > tr > .alt2 > div > div > div[id^="div-gpt-ad"]:upward(table[id^="post"])
+chessmoba.us,mostraveller.com#?#.owl-item > div[id^="ads"]:upward(1)
+cnx-software.com#?#aside#secondary > section.widget:has(> h2:contains(Sponsors))
+cnx-software.com#?#div[align="center"]:contains(Advertisements)
+pussyspot.net#?#div[id^="main"] > div[class^="box"] a[target="_new"]:upward(2)
+pussyspot.net#?#div[id^="main"] > div[class^="box"] a[target="_blank"]:upward(2)
+pussyspot.net#?#div[id^="main"] > div[class^="box"] iframe[src^="https://ads.cdngain.com/"]:upward(2)
+nationalfile.com#?#.theiaStickySidebar > div[id^="custom_html-"] > .textwidget > .adsbygoogle:upward(2)
+writerscafe.org#?#.column > .box > .pay:only-child:upward(1)
+writerscafe.org#?#.column > .box > center > .pay:only-child:upward(2)
+webserver.one#?#.imHGroup > div[id^="imCell_"]:not(#imCell_300) > div[id^="imCellStyleTitle_"]:contains(/^Advertisement$/):upward(1)
+askdifference.com#?#.section > .text-center > div:contains(/^ADVERTISEMENT$/):upward(2)
+youtube.com#?#ytd-rich-grid-row > #contents > ytd-rich-item-renderer:has(> #content > ytd-display-ad-renderer)
+youtube.com#?#ytd-rich-grid-renderer ytd-rich-item-renderer div > ytd-display-ad-renderer:upward(2)
+tokyvideo.com#?##related-videos > .fan--related-videos > div[id^="optidigital-adslot"]:upward(1)
+fontspace.com#?#.content-rounded-both .font-container:not([style*="background-color"]) > .text-center > .proper-ad-unit:upward(2)
+msn.com#?#div[data-template-key] > div[style]:has(> div[class] > div[data-t*="NativeAd"])
+msn.com#?#.todaystripe > ul > li:has(> .nativead)
+keybr.com#?#body > .Body-header > div[style^="position:relative;"]:only-child > .Placeholder:upward(2)
+keybr.com#?#body > .Body-container > .Body-aside > div[style^="position:relative;"]:only-child > .Placeholder:upward(2)
+fool.com#?#.special-message > .promoboxAd:upward(1)
+onlinemschool.com#?#body > div[style] > #oms_left_block > #oms_left:only-child > div[id^="oms_"] > .adsbygoogle:upward(#oms_left_block)
+onlinemschool.com#?#body > div[style] > #oms_left_block > #oms_left:only-child > div[id^="oms_"] > div[style*="important"][onclick^="oms_zz_"]:upward(#oms_left_block)
+devcourseweb.com#$?#.better-ads-listitemad { remove: true; }
+freeconvert.com#?#.convert-process-content > .row > .col-sm-offset-1 > .convert-box > .adswrapper:upward(1)
+freeconvert.com#?#.convert-process-content > .row > .col-sm-offset-1 > .convert-box > advertisement:upward(1)
+tricksplit.io#?#p + div[class^="_"] > ins.adsbygoogle:upward(1)
+charlieintel.com#?#div[id^="sidebar"] > .code-block > div > .ai-attributes:upward(2)
+alternativeto.net#?#div[data-testid="alternative-list"] > ul[class^="jsx-"] > li.app-list-item:has(span.sponsored)
+hentai4manga.com#?##innerContent div[style]:has(> div[id^="banner"])
+hentai4manga.com#?##innerContent div.article-top + div.textbox:not(:has(> div.textbox-content))
+ovagames.com#?##left-div > span.single-entry-titles:contains(/^Sponsor$/)
+ovagames.com#?##left-div > .post-wrapper > div > center > #adter:upward(3)
+softpedia.com#?##swipebox-action > #swipebox-top:matches-css(before, content: /^Advertisement$/)
+gsmarena.com#?#.floating-title > div[style="margin-left: -10px; margin-top: 30px; height: 145px;"] > div[id^="div-gpt-ad"]:upward(1)
+pornoeggs.com#?#.col > .card-deck:has(> .card > .card-img > div[class^="ib-"])
+gta5-mods.com#?#.file-list > .row > .col-xs-12 > .file-list-obj > .ad-inline-mod:upward(2)
+gta5-mods.com#?##content > #file-download > .row > .hidden-xs > h4:contains(/^Sponsored Link$/):upward(1)
+receive-sms-free.net#?#.layout > .casetext > .table-hover > .col-xs-12 > .mobile_hide:contains(/^ADS$/):upward(2)
+goodyfeed.com#?#.tdb-block-inner > .code-block > .adsbygoogle:upward(1)
+emulatorgames.net#?#.eg-label:contains(/^advertisement$/)
+emulatorgames.net#?#.eg-list > .eg-incontent > .text-center > .eg-label:contains(/^advertisement$/):upward(2)
+hentaienglish.com#?#.blog-items > .post-item.site__col:has(> .ads-between-post)
+9anime-tv.com#?#.theiaStickySidebar > div[id^="text-html-widget-"]:has(> .widget-title > h4:contains(/^Advertisement$/))
+desktophut.com#?#.king-part-q-list > form > #container > .king-q-list-item:not([id]) > center > .adsbygoogle:upward(2)
+manhwatop.com#?#.body-wrap > div[class^="c-sidebar c-top-"]:not(:has(div[class*="widget-manga-popular"]))
+topbestalternatives.com#?#center > .label.top:contains(/^ADVERTISEMENT$/)
+topbestalternatives.com#?#.entry-content > .list-content > .section > center:has(> .container:only-child > .adsbygoogle)
+wallpaperflare.com#$?#.lst_ads { remove: true; }
+laidhub.com#?#.item-col > div.inner-col:has(span[class="quality-icon q-hd"]:contains(/^AD$/))
+pdfforge.org#?#.column-element > .neos-contentcollection > .column > .neos-contentcollection:has(> div[class^="adsense"])
+digitalfaq.com#?#.rc_c > #posts > center:has(> .page:only-child td[nowrap="nowrap"] > .smallfont:contains(/^Ads \/ Sponsors$/))
+punchng.com#?#.trending-news > .row> .title-header2:contains(/^Advert$/)
+coub.com#$?#.timeline-banner { remove: true; }
+amgelescape.com#?#br + h2:contains(ADVERTISEMENT)
+rule34.paheal.net#?#script[src$="ads.js"]:upward(section[id])
+rule34.paheal.net#?#.blockbody > div[align="center"] > ins.adsbyexoclick:upward(2)
+rule34.paheal.net#?#section[id$="main"] > div.blockbody:contains(ad_idzone)
+staticice.com.au#?#td[valign="middle"] .s_font[align="right"] > font:contains(/^advertisement$/)
+staticice.com.au#?#table[style="border-width:1px"] td[width="100%"]:only-child:has(> b:contains(/^Ads by Google$/))
+staticice.com.au#?#table[width="100%"] > tbody > tr > td[height="80"][valign="middle"][align="center"]:has(> table > tbody > tr > .s_font)
+staticice.com.au#?#table[width="100%"] > tbody > tr > td[height="100%"]:has(> table:only-child > tbody > tr > td > a[href][target="_blank"] > img)
+canonrumors.com#?##main > #text-15:has(#canonrumorsFreeStarVideoAdContainer)
+adultgamesportal.com#?#.widget:has(> div.textwidget > a[href][target="_blank"][rel^="noopener"])
+adultgamesportal.com#?#.widget:has(> div.textwidget > a:not([href^="https://adultgamesportal.com/"]))
+adultgamesportal.com#?#.widget:has(> div.textwidget iframe[src*="cfgr2.com/"])
+adultgamesportal.com#?#.widget:has(> div.textwidget > script[src*="juicyads.com/"])
+adultgamesportal.com#?#.widget:has(> div.textwidget > iframe[name^="spot_id_"])
+mousecity.com#?#div[style^="display: inline-block; width: 728px; height: 90px; border:"] > script:only-child:upward(1)
+mousecity.com#?#.main-slides > div[style^="float: left; width: 468px; height: 60px; display: inline-block;"] > script:only-child:upward(1)
+lcpdfr.com#?#.ipsPad > div[id^="lcpdfr_728x90_970x90_970x250_320x50_"].clsReductionLeaderboardHeight:only-child:upward(1)
+bing.com#?#.insights > .insml > li > .ins_exp > div > ul > li > .ta_c > a[href*="/aclick?ld="]:upward(1)
+kissmanga.link#?#.body-wrap > .c-top-sidebar:not(:has(.widget-manga-popular-slider))
+washingtonpost.com#?#.story > .bigbox-wrapper > .bottom-ad--bigbox:upward(1)
+washingtonpost.com#?#.story > .bigbox-wrapper:has(> .bottom-ad--bigbox) + .ma-auto.flex.items-center
+mangarockteam.com#?#.body-wrap > .c-top-second-sidebar:not(:has(.widget-manga-popular-slider))
+cryptodaily.co.uk#?#.related-row > div.related-item:has(> div > p.post-ad-title)
+solarmovie.cr#$?#iframe[data-glx][style] { remove: true; }
+soundandvision.com#?#.region-right > .latest-video-wrapper:has(> .headhome600 > span.h1:contains(/^SPONSORED VIDEO$/))
+wordreference.com#?#.rightcolumn > tbody > .adtitle + tr[style]:has(> td:only-child > div[id^="adright"])
+nudeteenwhore.com#?#.title:has(> h2:contains(Recommend))
+nudeteenwhore.com#?#.title:has(> h2:contains(Recommend)) + div.thumbs
+letsrun.com#?##letsrun-wp-sidekick > .code-block-1:has(> center + div[id^="div-gpt-ad"])
+letsrun.com#?##letsrun-wp-sidekick > .code-block-2 > center > i:contains(/^Article continues below player$/)
+nulleb.com#?#.g1-collection-items > .g1-injected-unit:has(> .g1-advertisement-inside-grid)
+roleplayer.me#?#div[align="center"] > font[color="grey"]:contains(/^Advertisement$/)
+roleplayer.me#?#div[id^="ClearVista_Roleplayerme_300x"] + table:has(> tbody > tr > td > center > font > a[href="premium/paid_membership.php"])
+thequint.com#?#.content div[style=""] > div[class*=" "]:has(> div[class] > div > .adunitContainer)
+pixiv.net#?#iframe[name="dashboard_home"]:upward(div[class^="sc-"][span="1"])
+pixiv.net#?#iframe[name="footer"][width="728"][height="90"]:upward(1)
+pixiv.net#?#iframe[name="rectangle"][width="300"][height="250"]:upward(1)
+pixiv.net#?#iframe[name][width="184"][height="232"]:upward(1)
+pixiv.net#?#iframe[name][width="500"][height="520"]:upward(1)
+pixiv.net#?#.gtm-toppage-thumbnail-illustration-recommend-works-zone ul[class] > li:has(> div[class] > iframe[name="topbranding_rectangle"])
+pixiv.net#?#div[style^="position: static;"] + div[class] > iframe[name="header"][width]:upward(1)
+pixiv.net#?#div[class^="sc-"] > div[style^="margin:"][style*="font-size:"]:only-child > iframe[name="footer"][width]:only-child:upward(2)
+torrentfreak.com#?#.page__sidebar > .widget_text > .o-widget__title:contains(/^Sponsors$/):upward(1)
+cinereporters.com#?##btm-widget > h1:contains(/^From around the web$/)
+cinereporters.com#?#.colombiaonesuccess > div[class]:has(> div[id] > div > a[onclick] > div > .brand_ctn)
+cinereporters.com#?#.story-mainnews > .row > .col-md-6 > .colombiaonesuccess > div[class]:has(> div[id] > div > a[href] > div > p:matches-css(before, content: /^Ad$/))
+yourstory.com#?#main > div[class^="sc-"] > div[id$="-banner-0-landing"]:only-child:empty:upward(1)
+yourstory.com#?#div[id^="page-style-"][id*="-multisize-"][id$="-story-def"]:only-child:empty:upward(1)
+independent.co.uk#?#article > div[class^="sc-"]:has(> div > div[data-tile-name="top_banner"])
+cointelegraph.com#?#.sidebar > .sidebar__widget:has(> div > div > a[href*="cointelegraph.com/advertise"])
+cointelegraph.com#?#.posts-listing__list > .posts-listing__item:has(> div > div > a[href^="javascript:void(0);"][data-link] img)
+cointelegraph.com#?#.post-page__item > div[class]:has(> div > div > a[href^="javascript:void(0);"][data-link] img)
+letsupload.org#?#.mngez_upgradepage > .content > h3:contains(/^Sponsored Content\.$/)
+ouo.io#$?#iframe[name]:not([class]):not([id]):not([src])[style^="display:"] { remove: true; }
+mirrorace.*#?#.uk-article > .uk-card-default > .uk-card-secondary:has(>.uk-text-center > a[rel="nofollow"] > img)
+mirrorace.*#?#.uk-article > .uk-card-small > .uk-card-secondary:has(> h3.uk-text-truncate + .uk-grid-medium > div > button.vpn-download)
+imdb.com#$?#.interstitial-adWrapper { remove: true; }
+punemirror.indiatimes.com#?##content > div[class]:has(> div > div > a[onclick*="punemirror.indiatimes.com/glnmep/"])
+justfullporn.com,xorgasmo.com#?#.row > div.order-1:has(> div.video-block-happy)
+duolingo.com##div[class*=" "] > div[class^="_"]:not([class*=" "]) > div[class*=" "]:has(> div[class^="_"]:only-child > div[class^="_"]:first-child > ins.adsbygoogle)
+duolingo.com#?##root div[data-test="player-end-carousel"] > div[class]:has(> ins.adsbygoogle)
+duolingo.com#?#section > div:has(> div > div[class] > div[class] > ins.adsbygoogle)
+crazyshit.com#?#.side_box:has(> .trevda)
+crazyshit.com#?#.side_box:has(> .row > .tile > a[href*="out.php?"])
+engadget.com#?#ul[data-component="LatestStream"] > li:has(> div[data-component="GeminiAdItem"])
+fux.com,pornerbros.com,porntube.com#?#.shelve > .row-grid > div[class^="col-"]:has(> iframe[src*="external"])
+erofus.com#?#.row-content > .col-xs-12:has(> .ad.thumbnail)
+washingtontimes.com#?#.block-content > .article-position-render:has(> .page-headline > .sponsored-heading)
+washingtontimes.com#?#.aside-inner > .block:has(> .block-content > .sponsored-container)
+washingtontimes.com#?#.aside-inner > .block:has(> .block-content > script[data-paid-clicks])
+unity3diy.blogspot.com#?##sidebar > div.widget:has(> div.widget-content > ins.adsbygoogle)
+mangazuki.online#?#.body-wrap > .c-top-sidebar:not(:has(.widget-manga-popular-slider))
+xxam.org,18pussy.porn,tabooporn.tv,amateurporn.me,severeporn.com#?#.block-video > div.table:has(> div.opt)
+imore.com#?#p > a[href^="/e?link="][href*="offer"][target="_blank"].norewrite + span[style^="text-align: center; padding: 2px; display"]
+codecs.forumotion.net#?##main-content > div[style]:has(> div[class] iframe[src^="https://adstune.com/"])
+codecs.forumotion.net#?##main-content > #p0.post:has(> .inner > .postprofile > dl > dt > strong:contains(/^Sponsored content$/))
+ask4movie.co#$?#iframe[data-glx][style*="z-index"] { remove: true; }
+sexu.*#?#.section--sm > .title--sm:contains(/^Advertising$/)
+speed-down.org#?#center > .download-option-btn:has(> button > a[href^="https://speed-down.org/download"])
+mensxp.com#?#ul[class$="-card"] > li:not(.track_ga):has(> div[class*=" "] > div > a[onclick])
+xtits.com#?#.container > div.block-content > div.table:has(> div.spot-holder > div.adv-title)
+sharkz.io#?#.wrapper > .pure-g > div[class^="pure-u"] > .section:has(> .frontPageAdvertisementHeader)
+takemine.io#?##home > .container > .row > .col-xs-5:has(> .panel > .panel-body.text-center > div[id$="ads"])
+takemine.io#?#.modal-body > .text-center > #summary ~ .flex-row:has(> .col > .text-muted > small:contains(/^Advertisement$/))
+wormate.io#?#.line-center > .column-right:has(> div[id] > .label:contains(/^Advertisement:$/))
+wormate.io#?##game-cont > #results-view > div[id][style]:has(> .label:contains(/^Advertisement:$/))
+pngegg.com#$?#.list_ads { remove: true; }
+mangainn.net#?#.col-md-4 > .sidebar:has(> .text-back > span:contains(/^Sponsored Content$/))
+comicastle.org#?#.card > .card-body.text-center:has(> .adsbygoogle)
+file-upload.com#?#.container > div.page-wrap > div.text-center[style^="margin-bottom: 20px;"]:contains(ads)
+file-upload.com#?#.container > div.page-wrap > center:contains(ads)
+vanis.io#?##overlay > .container > .fade-box.box-1:has(> div[style="padding: 4px;"]:contains(/^Advertisement$/))
+majorgeeks.com#?#.content > center > font[size="1"]:contains(/^-=Advertisement=-$/)
+windowcleaningforums.co.uk#?#.cWidgetContainer > .ipsList_reset > .ipsWidget_vertical:has(> .ipsWidget_inner > .ipsType_reset > a[href="https://thrivewp.com/"])
+shootup.io#?#body > div[id$="-wrap"]:has(> div[id^="shootup-io_"])
+mp4upload.com#?##container > div[style] > .container > div:has(> script[src*="apus.tech"])
+tradingreview.net#?##sidebar > .widget:has( > a[rel*="nofollow"][target="_blank"] > img)
+7torrents.cc#?#.card-body:has(> div.warning-note > strong.ip)
+rogerebert.com#?#.page-content > div[class="columns is-centered is-spaced--large"]:has(> .column > .page-content--block > .page-content--ad-block)
+filecrypt.co#?##cform > .protection div > ul > li:has(> .bims > div[onclick])
+onepiece-online-manga.com#?#.code-block > center:contains(Advertisement)
+myviptuto.com#?#.articles > article.grid-25.np-mobile:has(> .epcl-banner)
+primewire.li#?#.choose_tabs > .actual_tab > .movie_version:has(> tbody > tr > td > span > a[href^="/links/sponsored/"])
+marketrealist.com#?#.ad-vertical:upward(1)
+ecityworks.com#?##section_content .col-md-8 > .row > .col-12 > .adsbygoogle:upward(1)
+alphr.com#$?#.fs-pushdown-sticky { remove: true; }
+sentinelassam.com#?#.theiaStickySidebar > div[id^="common_top_right_"] > .adsbygoogle:upward(1)
+sentinelassam.com#?##aside-home > div[id^="top_right_"]:not([data-name]) > .adsbygoogle:upward(1)
+peepdaily.net#?##sidebar > .widget > .textwidget > p > a[href^="https://subyshare.com/affiliate/"]:upward(3)
+iphoneincanada.ca#?##main > .widgets-after-content > aside > div > div[id^="div-gpt-ad"]:upward(3)
+timesofindia.indiatimes.com#?#.clearfix > div[class^="_"]:has(> div.LazyLoad:first-child > div[id^="div-gpt-ad-"])
+timesofindia.indiatimes.com#?#.sidebar > .one-third.outer > style + div[class*=" "] > div[data-cb="processCtnAds"]:upward(2)
+mashable.com#?#div[data-pogo][id]:matches-css(before, content: /^ADVERTISEMENT$/)
+watannetwork.com#?#.row > .col-md-12 > .box-radius.unavailable > div[align="center"] > .adsbygoogle:upward(2)
+gamingintelligence.com#?#.col-lg-3 > .main > .mb-3 > div[class$="adsanity-"]:upward(2)
+arrowos.net#?#.center.card-content:has(> ins.adsbygoogle)
+rule34hentai.net#?#section[id$="left"] > .blockbody > script[type]:upward(2)
+rule34hentai.net#?#section[id$="main"] > .blockbody > .adsbyexoclick:upward(2)
+manchestereveningnews.co.uk#?#.secondary > .teaser:has( > figure > .sponsored)
+healthline.com#?##__next > div[class]:has(> aside > div > div[data-adbridg-ad-class])
+topminecraftservers.org#?#.grey-section:has(> div[style^="text-align:center;min-height:"])
+reshish.com#$?#.sideArea:has(div.adsSideHeight) { visibility: hidden !important; }
+yuzu-emu.org#?#div[class="hero-body"] > div.has-text-centered > ins.adsbygoogle:upward(2)
+istheservicedown.in,istheservicedown.com#?##reports > ul > li > .promoted-infeed:upward(1)
+istheservicedown.in,istheservicedown.com#?##main-content > article > section > .section > .promoted:upward(1)
+xrares.com#?##related_videos > div.row > div > div.well:has(> a[href*="/plugout.php"])
+gizchina.com#?#.vw-content-area > section#vwspc-section-2:has(> .container > .row > .vwspc-section-content > p > script:contains(googletag))
+gizchina.com#?#.vw-content-area > section#vwspc-section-4:has(> .container > .row > .vwspc-section-content > center > p > script:contains(googletag))
+electrical4u.com#?#.inside-right-sidebar > .widget:has(.ezoic-ad)
+9gag.com#?#.main-wrap > div:has(> [id|="dfp"])
+9gag.com#?#.list-stream > article:has(p > a[target="_blank"]:contains(Promoted))
+9gag.com#?#.list-stream > article:has(> header > .post-header > .ui-post-creator > .promoted)
+9gag.com#?#.list-stream > article:not([id]):has(a[href="https://9gag.com/advertise"])
+9gag.com#?#div[id^="sidebar-stream-"] > h4:contains(Advertisement)
+hinkhoj.com#?##maint > div[class^="row dict_search_"] > .custum_heading > h3:contains(/^Advertisements$/):upward(1)
+global.techradar.com#?#.feature-block > div[id]:has(> a[class]:contains(ponser))
+examveda.com#?#.sidebar > .padding2 > div[id^="div-gpt-ad"]:upward(1)
+examveda.com#?#div[class^="col-md"] > .padding2 > div[id^="div-gpt-ad"]:upward(1)
+examveda.com#?#div[class^="col-md"] > .padding2 > .adsbygoogle:upward(1)
+digiday.com#?#.fly-sidebar-column > div.fly-module-holder:has(> div.sidebar-promo)
+tureng.com#$?#.termresults-ad-tr { remove: true; }
+cheatcc.com#?##sidebar > .side-box > .top > div:contains(/^AROUND THE WEB$/):upward(2)
+dubzstreams.com#?#.widget_admania_sticky_widgets > .admania-widgettit > h3.admania-widgetsbrtit:contains(/^Sticky Ad$/):upward(1)
+apkpure.*#?#.right > div[style*="position: relative;"][style*="height:"]:has(a[href="https://www.macblurayplayer.com/spyhunter-malware-removal-windows.htm"])
+dramacool.*#?#.content-right > div.block-tab > ul.tab > li:contains(/^Ads$/)
+dramacool.*#?#.content-right > div.block-tab > div.block > div.tab-content:has(> div.ads_place_160)
+browserhow.com#?#div[class^="display-block"] > .adsbygoogle:upward(1)
+browserhow.com#?#.sidebar-content > .ai_widget > div[class^="display-block"] > .adsbygoogle:upward(2)
+egamersworld.com#?#.right_column > div[class="side_bookmakers"]:has(> div > h2:contains(/Bookmaker|Wettanbieter|Casas de apostas|Casas de apuestas|Bukmacherzy|Bahisçiler|Vedonvälittäjät|Букмекеры/))
+tripadvisor.*#?##component_2 > div[class^="_"] > div > div[class^="iab_"][style="min-height:90px"]:upward(2)
+tripadvisor.*#?#.ui_container > div[class] > div[class^="_"] > .iab_medRec:only-child:upward(1)
+latestlaws.com#?#.box > a[href^="https://us02web.zoom.us/meeting/register/"]:has(> div.row > div.col-md-12 > img[alt^="KD Lex Chambers LLP"])
+latestlaws.com#?#.front-sidebar > div.row:has(> div.col-md-12 > div.widget-border-none > a[target="_blank"][rel="nofollow"]:not([href^="https://latestlaws.com/"]):not([href^="https://bit.ly/"]))
+latestlaws.com#?#.front-sidebar > div.row:has(> div.col-md-12 > div.widget-border-none > a[target="_blank"] > img[alt="Dee Gee"])
+latestlaws.com#?#.front-sidebar > div.row:has(> div.col-md-12 > div.widget-border > a[href^="https://nalsa.gov.in/"])
+thephoblographer.com#?##side-bar > div.widget_text > h3.widget-head:contains(Shop eBay):upward(1)
+thephoblographer.com#?##side-bar > div.widget_text > div.textwidget > div[id^="vuukle-ad-"]:upward(div.widget_text)
+engadget.com#?#ul[data-component="LatestStream"] > li:has(> article > div[class] > div[class] div[data-component="PostInfo"] > a[data-ylk*="Sponsored"])
+irishtimes.com#?#.row > div.story:has(> a[href^="/sponsored/"])
+greatist.com#?#.article-body > div:not(.otnotice):has(section div[class]:contains(ADVERTISEMENT))
+healthline.com,greatist.com#?#.article-body > div[class^="css-"] > p ~ div[class]:has(> aside div[data-ad="true"])
+greatist.com#?#.article-body > div:has(section span[class]:contains(/^GO NOW$/))
+healthline.com#?##__next > aside[class^="css-"]:has(> div[class] > button + div > div[data-ad="true"])
+msn.com#?##main > .stripecontainer > .lifestyle:has(> .stripe > .stripenav > ul > li > span.adslabel)
+vxxx.com#?#.videoplayer + div:has(> .a-label)
+vxxx.com#?#.video-page-content + div:has(> div > h2:contains(Suggested))
+vxxx.com#?#.wrapper-margin + div:has(> .a-label)
+pluginsaddonsextensions.com#?#.col-md-4 > .rightcol:has(> #google_ad)
+pluginsaddonsextensions.com#?#.col-md-4 > .mapbox > .adsbygoogle:upward(1)
+tasteofcinema.com#?##secondary > .inner > aside[id^="text-"] > h3:contains(/^Advertisement$/):upward(1)
+xtorx.com#?##restitle:has(> strong > a[target="_blank"])
+xtorx.com#?##restitle:has(> strong > a[target="_blank"]) + div#rescite
+xtorx.com#?##restitle:has(> strong > a[target="_blank"]) + div#rescite + div#resdesc
+scrolller.com#?#.gallery-view > .vertical-view > .vertical-view__columns > .vertical-view__column > .vertical-view__item:has(> .vertical-view__banner-item > .vertical-view__ad)
+scrolller.com#?#.vertical-view__item > a[rel] > div > div > div.native-ad-item-panel:upward(4)
+electricaltechnology.org#?#.container-normal > .main-content-row > .main-content > .stream-item-mag > .container-wrapper > .adsbygoogle:upward(2)
+devcourseweb.com#?##secondary ins.adsbygoogle:upward(2)
+freecourseweb.com#?#.site-main > article:not([id]):has(> div.custom-infeed-wrap-div > ins.adsbygoogle)
+thehansindia.com#?#.theiaStickySidebar > div > section.editorial:has(> .pd-0 div[align="center"]:contains(ADVERTISEMENT))
+thehansindia.com#?#.theiaStickySidebar > div > section.editorial:has(> div > div[align="center"] > div[id^="div-clmb-ctn-"])
+thehansindia.com#?#.theiaStickySidebar > div > section.editorial:has(> div div[class^="ads"])
+thehansindia.com#?#.theiaStickySidebar > div > section.editorial:has(> div.pd-0.hide)
+theusbreakingnews.com#?#.theiaStickySidebar > div.widget:has(> div.widget-container > div.textwidget > ins.adsbygoogle)
+audiophileon.com#?##sidebar-one-blocks .sqs-block-html:has(+ .amazon-block)
+audiophileon.com#?##content > .extra-wrapper > .sqs-layout:has(.sqs-block-button-container--center > a[href^="https://www.amazon.com/"][target="_blank"])
+neowin.net#$?#.news-item--sharethrough { remove: true; }
+freemoviescinema.com#?#.container > div[style="text-align:center;"]:contains(/^Advertisement$/)
+coursewikia.com#?##secondary > .widget_text:has(> div.textwidget ins.adsbygoogle)
+sektekomik.com#?##sidebar > .widget_text:has(> .textwidget > a > img[alt="ads"])
+yourbittorrent2.com#?#.card > div#torrent-description:upward(1)
+discudemy.com#?#article > section.card > ins.adsbygoogle:upward(section.card)
+upvideo.to#?#.downloadGenerated > .row.align-items-center > .text-center:contains(ADS HERE)
+xxxvideos.ink#?#li.plate iframe[width="300"]:upward(.plate)
+jomo-news.co.jp#?#.article-card > div.ads_triple:upward(1)
+ibarakinews.jp#?#div[style^="height:250px;width:300px"] > a[href^="https://af."]:upward(1)
+courseclub.me#$?#.listing-item-ad { remove: true; }
+kiss-anime.ws#?#.rightBox:has(> .barTitle:contains(KissAnime Ads))
+gtainside.com#?#.col-lg-4 > .bar_container > .bar_headline:contains(/^Advertising$/):upward(1)
+rawkuma.com#?##sidebar > .widget_text > .textwidget > script[id*="clb"]:upward(2)
+rawkuma.com#?##sidebar > .widget_text > .textwidget > script:contains(var ad_idzone):upward(2)
+influencersgonewild.com#?#.g1-advertisement-inside-grid:upward(li)
+tecadmin.net#?#.widget_text > .textwidget > ins.adsbygoogle:upward(2)
+secureblitz.com#?#.widget_text > .widget-title > span:contains(/^ADVERTISEMENT|Advertisement$/):upward(2)
+flatpanelshd.com#?#.col-md-4 > div[class^="forsideboks"] > .seperatorposition > .kategoritekst:contains(/^AD$/):upward(2)
+tumblr.com#?#div[style^="top:69px"]:has(h1:contains(/^Sponsor|Patrocinado|Gesponsert|Gesponsord|Спонсируется|広告/))
+vladan.fr#?#.widget-wrap > h4:contains(/Advertisement|BSA/):upward(2)
+arkadium.com#?#.fresnel-container:has(> div[style] > div[class*="AdContainer"])
+cdromance.com#?#.game-container > ins.adsbygoogle:upward(1)
+cdromance.com#?#.widget_custom_html > .widget-title:contains(/^Advertisements$/):upward(1)
+musixmatch.com#?#.side-panel > .box > .box-content > div > div[id^="div_gpt_ad_"]:upward(3)
+cointelegraph.com#?#div[class$="=="] > .banner-blocked:only-child:upward(1)
+cointelegraph.com#?#.posts-listing__list > li.posts-listing__item:has(> div[class] > div[class] > .banner-blocked)
+koat.com,wxii12.com#?#.article-content--body-text > .article-content--body-wrapper-side-floater:has(> .ad-rectangle)
+downloadhub.kim#?#.widget-title > .textwidget > p > a[href][rel="noopener"]:upward(3)
+dutchycorp.ovh#?#center > p > b:contains(/^Advertisement$/)
+faucetcrypto.com#?#.grid > .items-center > iframe[id$="-ad-iframe"]:only-child:upward(1)
+faucetcrypto.com#$?#.items-center > iframe[id$="-ad-iframe"]:only-child:upward(1) { min-height: 0 !important; }
+faucetcrypto.com#$?#:not(.grid) > .items-center > svg.animate-spin:only-child:upward(1) { min-height: 0 !important; }
+mcrypto.club#?#div[id^="custom_html-"] > .widget_text > .bestwp-widget-title > span:contains(/^(Our )?Sponsor$/):upward(3)
+canonrumors.com#?#.site-main > .block-xpress[id^="text-"] > .block-container > .block-row > .textwidget > #taboola-below-article-thumbnails:upward(4)
+cybermania.ws#?#.widget_text > .textwidget > p > ins.adsbygoogle:upward(2)
+anupama.net#?#.text-html:has(> div.widget-top > h4:contains(/Sponsored|Advertisement/))
+uvnc.com#?##sp-left > div.sp-column > div.sp-module:has(.adsbygoogle)
+thewindowsclub.com#?##genesis-content > .textwidget > span[id^="ezoic-pub-ad-placeholder-"]:upward(1)
+thewindowsclub.com#?##genesis-content > .textwidget > center > span[id^="ezoic-pub-ad-placeholder-"]:upward(2)
+bikeradar.com#?#.sidebar__item > .article-list > h3.section-heading-1:contains(/^Daily Deals$/)
+bikeradar.com#?#.elementor-widget-container > .article-list > h3.section-heading-1:contains(/^Daily Deals$/)
+c4ddownload.com#?#.posts > article.preview-post > .preview-wrapper > .adContent1:upward(2)
+downloadingadda.com#?#.inside-right-sidebar > aside[id^="custom_html-"]:has(> .textwidget)
+xplay.gg#?##__next > div[class*=" "] > div[class*=" "]:first-child:has(> a[href*="?utm_promo="][href*="_banner"][target="_blank"]:only-child)
+torrentdownloads.pro#?#.inner_container > div:has(> div[style="float:left"])
+youporn.com#?#.playWrapper > #videoWrapper + div[class*=" "]:has(> div[id]:only-child > .adsbytrafficjunky)
+houstonchronicle.com#?#aside > .stickyWrapper:has(> .adModule)
+redgifs.com#?#ul.SideBar > li.SideBar-Item:has(> div[class] > div[class^="LiveButton_"])
+webstick.blog#?#.main > article > p:has(img[src^="images/images-ads/"])
+gptgo.ai#?#.main-page-wrapper > div.hero-banner + p[style^="text-align:"]:contains(ADVERTISEMENT)
+hypebeast.com#?#.sidebar-sticky-container:has(> .ad-skyscraper-container:only-child)
+hsreplay.net#?#.ads-container > div[class]:first-child:has(> div[style]:only-child > .vm-placement)
+hsreplay.net#?#.ads-container > div[class]:last-child:has(> div[class]:only-child > div[style] > .vm-placement)
+biblestudytools.com#?#.mx-auto > div.content-center:has(> div[id*="varxvar"])
+biblestudytools.com#?#.mb-5 > div.content-center:has(> div.a-d-90)
+stormininnorman.com#?##top-stories > li:has(> div[id^="Outbrain"])
+krakenfiles.com#?#.row > div.col-md-12:has(> div.file-top-ad)
+smser.net#?#.flex-auto > .grid > .text-center:has(> div > .adsbygoogle)
+590m.com,jdxiazai.cn,089u.com,306t.com,ctfile.com,474b.com,u062.com#?#.card:has(div[id="760ad"])
+ain.capital#?#.sidebar > .small-white-block:has(> .small-white-block-wrapper > div[id^="admixer_"])
+deccanherald.com#?#.story-element p > #container-text:contains(/^ADVERTISEMENT$/)
+deccanherald.com#?#.side-story-section > .hide-mobile > div[class]:has(> .hide-mobile .ad-background)
+igfonts.io#?##main > div.content-box:has(> div.proper-ad-unit)
+domainnamewire.com#?#h4.widget-title:contains(/^Advertisement$/)
+firstsportz.com#?#.code-block:has(> :not(.share-container))
+redgifs.com#$?#.topNav-wrap > div:not([class]):contains(/Explore.*Cams$|Watch Live Sex/) { visibility: hidden !important; }
+porntrex.com#?#.content > div[class]:has(> div[style*="text-align"] > center > script)
+freshnewsasia.com#?#div[itemprop="articleBody"] > div[style]:has(> a[href*="/banner/"])
+freshnewsasia.com#?#.row-fluid > div#aside:has(a[href*="/banner/"])
+instacart.ca,instacart.com#?##store-wrapper div[class] > ul li:has(div[aria-label="Product"]:has(img[alt="Sponsored"]))
+instacart.ca,instacart.com#?##store-wrapper div[class] > ul li:has(div[aria-label="Product"] div[data-sssp-eligible])
+instacart.ca,instacart.com#?##store-wrapper div.e-ijs5rh
+trakt.tv#?#div:has(> span[id^="adn"])
+yunjiema.top#?#.row.border-bottom.table-hover:has(ins.adsbygoogle)
+m3uiptv.com#?#.entry-content > p:has(> .adsbygoogle)
+shabdkosh.com#?#.text-uppercase.text-center:contains(/^Advertisement$/)
+shabdkosh.com#?#div:not([class], [id]) > .text-center:has(> a[href="/payments/"]:only-child)
+telepisodes.org#?##link-table > tbody > tr:has(> td[title="Sponsored Link"])
+alotporn.com#?#.list-videos > div > .item:has(> ins)
+sexu.site#?#.title--sm:contains(/^Advertising$/)
+hdhole.com#?#.content > li:has(> div.item > div.adthumb)
+pholder.com#?##root > div[class]:has(> .SearchBarAlignWrapper:first-child + div[class]:last-child > iframe[src^="https://chaturbate.com/"])
+faceitstats.com#?#tbody > tr:has(> td > div[style] > div#vm-av)
+faceitstats.com#?##app > div[style] > div[style]:has(> div.vm-placement)
+coolors.co#?##explore-palettes_results > div.explore-palettes_col:has(> a[id])
+wagwalking.com#?#main > div[display="flex"]:has(> div > div[display="inline-block"] > div > img[height="88px"])
+radio.net#?##headerTopBar ~ div > div:has(div#RAD_D_station_top)
+allabout-japan.com#?#.bnr:has(> a[href][target="_blank"])
+fireload.com#?#aside > .justify-center:has(> .adsbygoogle)
+moumentec.com#?#.theiaStickySidebar > div[id^="custom_html-"]:has(> .textwidget > .adsbygoogle)
+thelocal.it#?#.hp-new__block > div[data-hasbanner="yes"]:has(> .hp-new__article--mpu:only-child)
+thelocal.it#?#main > .article-single__worth:has(> .read-also-recs > .tp-cxense-placeholder-inline)
+timesascent.com#?#.bg-gray-100:has(> div[id^="div-gpt-"]:only-child)
+timesascent.com#?#.animate-pulse > div[class^="w-[3"].bg-gray-100:has(> svg:only-child)
+timesascent.com#?#.place-content-center:has(> .bg-gray-100:only-child > div[id^="div-gpt-"])
+timesascent.com#?#.mt-6 > .hidden:has(> .bg-gray-100 > div[id] > [id^="google_ads_iframe"])
+crictracker.com#?#.container > div.d-none:has(> div[id^="div-ad-gpt-"])
+star-history.com#?#.mx-auto:has(> div.w-full > a[href][target="_blank"] > img[src^="https://star-history.com/sponsors/"])
+carnewschina.com#?#.tdc_zone > div.td-stretch-content div.vc_column_container:has(a[class^="tds-button"][target="_blank"])
+blog.quastor.org#?##content-blocks > div[style]:has(> a[href^="https://flight.beehiiv.net/"] > button)
+blog.quastor.org#?##content-blocks > div[style]:has(> p > i:contains(sponsored))
+themarysue.com#?#.sticky-sidebar-container:has(> .units > div[data-freestar-ad])
+charlieintel.com#?#.col-span-full > .items-center > .flex:has(> div[class^="top-"]:only-child > div[data-ad-unit-id])
+charlieintel.com#?#div[id^="article-"] > .flex:has(> .text-center:first-child + .items-center:last-child > .sticky:only-child > div[data-ad-unit-id])
+unilad.com#?#div[class*="StyledArticle-articleBody"] > div[class^="css-"]:has( > div[height="1em"] > div[class^="css-"]:empty)
+bing.com#?#.tob_calcontainer > div.slide:has(> div.tobitem > a[href*="/tracking?adUnit="])
+vogue.com.au#?#div[class^="sc-"]:has(> div[style="display: none !important;"])
+vogue.com.au#?#div[class^="sc-"]:has(> div[id^="ad-"])
+vogue.com.au#?#div[class^="sc-"]:has(> div[class^="ad-"])
+gagadget.com#?#.l-container > .col-sm-12 > .l-inner_wide.text-center:has(> div[style*="min-height:"]:only-child > #gagadget_sidebar_premium_en:only-child)
+storagereview.com#?#.theiaStickySidebar > aside.stora-widget:has(> div[id^="gpt-ad-"])
+trendyporn.com#?#.container > div.row:has(> div.well h4:contains(LIVE MODELS))
+trendyporn.com#?#.container > div.row:has(> div a[href^="//ptosrd.com/"])
+pcinvasion.com#?#.sticky-sidebar-wrapper:has(> .units > div[data-freestar-ad])
+pcinvasion.com#?#.sticky-sidebar-wrapper:has(> #sticky-sidebar > .sticky-sidebar__inner > div[data-freestar-ad])
+movies123-online.me#?#body > div[class]:has(> div[id] > div[id] > a[href$="/premium-membership"])
+singletracks.com#?#body > div.jumbotron:has(div[id^="singl-"])
+thetechoutlook.com#?#.pmhubtge:has(> div.pmhubtge-container > div[id*="ScriptRoot"])
+moviesapi.club##body > div[id]:has(> div > a[href*="gmxvmvptfm.com"])
+whatismyip.net#?#.container > div.panel:has(> div.panel-body > ins.adsbygoogle)
+cineplex.com#?#div[class^="jss"]:has(> div#desktop-default-header-ad)
+cineplex.com#?##flex-grid > section:not([id]):not([class]):has(> div[class^="jss"] > div[class^="jss"] > div#left-ad)
+2ip.me,2ip.ua#?#.ipblockgradient > div[class]:contains(/Сменить IP-адрес|Змінити IP-адресу|Change IP-address|Changer adresse IP/)
+bellesa.co#?#div[class^="Structure-sc"] > div[class^="Structure-sc"]:has(> div[class^="MediaQuery__"] div[data-label="HardX"])
+ephotozine.com#?##content > div.hp-slot:has(div[id^="div-gpt-ad-"])
+aniporn.com#?#.wrapper > section:has(> div > div > div[id^="footer_"] > div._ccw-wrapper)
+gifhq.com#?#.content > div[class^="col-"]:has(> div.card > [id^="bn-placeholder"])
+hd-easyporn.com#?#.video > aside[id]:has(ins.adsbyexoclick)
+taboolanews.com#?#.taboola_feeds > div[tbl-feed-card]:has(> div.trc_rbox_container a.trc_attribution_position_after_branding)
+jav-desu.xyz#?#.home-img-box:has(> div.related-ad)
+deviantart.com#?#div[data-hook] > div[class]:has(> div[id^="deviantartcom_desktop"])
+cleantechnica.com#?#.zox-post-body > div > center:has(> .adsbygoogle) + hr
+cleantechnica.com#?#.zox-post-body > center:has(> a[href="https://cleantechnica.com/support/"] > span.mrf-detailsMedia)
+dvdizzy.com#?#.primary-custom-header > div.header-content:has(> ins.adsbygoogle)
+digg.com#?#aside > div.mb-8:has(> div[id^="bsa-zone_"])
+mangatale.co#?##sidebar > div.widget_text:has(> div.custom-html-widget > center > script[id^="cid"])
+leak.sx#?#main > div.row:has(> div[class] > center script[src$="invoke.js"])
+theaviationgeekclub.com#?#.wp-block-image > figure > a[href="https://ospreypublishing.com/"][target="_blank"] + figcaption:contains(/^Advertise$/)
+blog.wiki-topia.com#?#div[class="row"] > div.col > div.border:has(> div[id^="hbagency_"])
+metager.org#?##results > div.result:has(> div.result-header > div.result-subheadline > a.result-link > span.mark:contains(Ad))
+fselite.net#?#main > section[class^="brxe-"]:has(> div[id] > div[class]:first-child:empty)
+fselite.net#?#footer > section[class^="brxe-"]:has(> div[id] > div[class]:first-child:empty)
+pimpandhost.com#?#.list-view > .content_placing > .item:not([data-key]):has(> a[target="_blank"] > img)
+txxx.com,txxx.tube#?#.video-content > div[class] > div[class]:has(> div[class] div[id] + div[class] > span:contains(AD))
+investing.com#?#div[class="desktop:relative desktop:bg-background-default"] > .pb-4:has(> div[data-test="ad-slot-visible"]:only-child)
+babylonbee.com#?#div:not([class]) > div.fixed:has(> div[role="dialog"] > div > a[href="/join"])
+ground.news#?##__next > div.sticky:has(> div.sticky > div.flex > div.flex > a[href="/subscribe"])
+timesofindia.indiatimes.com#?#div[class^="topBand_"] + div > div[class]:has(> div[id^="div-gpt-ad"])
+tmail.gg#?#.img-box:has(> a[target="_blank"]:only-child)
+azuremagazine.com#?#div[class]:has(> ins[data-revive-zoneid])
+thebump.com#?#.advertisement + .space-holder[style*="height"]:contains(/^ADVERTISEMENT$/)
+freevpn4you.net#?#div[style] > div[align="center"]:has(> div[id^="yandex_rtb_"])
+fansonlinehub.com,teralink.me,teraearn.com,terashare.me,hotmediahub.com,terabox.fun#?##app div.overlay:has(> div.modal > div.dialog-ad-box)
+productreview.com.au#?#header + div[class]:has(> div > div#sticky-top-advertisement)
+mail.com#?#.content-wrapper > div[data-mod-name="container"]:has(> div > p:contains(/sponsored news/i))
+mail.com#?#.blocks > div.block:has(> div.ad-container)
+ship24.com#?#div:has(> app-ad):not(:has(> .flex.items-center ~ .flex.flex-col .items-start))
+mybrowseraddon.com#?#.sections > div.section-box:has(> div.container > div[style] > ins.adsbygoogle)
+hentai.desi#?#.recommended > div:has(> iframe[src^="//a.realsrv.com/"])
+quizlet.com#?##__next > div[class] > div[class][style] > div[class][style*="--"][style*="block"]:has(> .SiteAd:only-child)
+rephrase.info#?#div[style] > div.text-center:has(> div#txt-sidebar)
+gearspace.com#?##site-notice-container > .noticeBit:has(> center > a)
+free-proxy.cz#?##webproxy_list > tbody > tr:has(> td > div > .adsbygoogle)
+geekflare.com#?#.wp-site-blocks > div.wp-block-template-part:has(> section > div.x-container > div.x-content > div[id^="adngin-header-leaderboard-"])
+wlwt.com,kcci.com#?#.article-content > div.article-content--footer:has(> div.grid-content a[href^="https://www.goodhousekeeping.com/"])
+vidmo.pro#?##mcont > div.items:has(> div.item-card > div[id^="afr"])
+insiderintelligence.com#?#.container > div.container:has(> div[class^="BottomAd__"])
+apkmonk.com##.col > div[class]:has(> ins.adsbygoogle)
+vsthemes.org#?#.catalog > .shorty:has(> .block > .adsbygoogle)
+manhwas.men#?#.row > .col-md-4 > div[style*="margin-bottom:"]:has(> .d-flex > h3:contains(/^Ads$/))
+celebmafia.com#?#div:has(> div[data-ad])
+calendar-canada.ca#?#aside > .inner:has(> div > div[class^="r89-"][class*="-rectangle-"])
+osgamers.com#?##sidebar > .inner:has(> div > div[class^="r89-"][class*="-rectangle-"])
+odditycentral.com#?##sidebar div.widget:has([id^="mmt-"])
+noodlemagazine.com#?#.container > noindex:has(> div[style] div.banner-container)
+wccftech.com#?#body > div.d-none:has(> div.bg-horizontal-2 div[id^="div-gpt-ad-"])
+thestreet.com#?#.m-detail--body > div.m-detail--body-item:has(> figure > div > phoenix-iframe[src^="https://products.gobankingrates.com/pub/"])
+fieldandstream.com,popphoto.com,futurism.com#?#.tadm_ad_unit
+productreview.com.au#?#main div#search-results + div > div[class]:has(> div div[id^="google_ads_iframe_"])
+productreview.com.au#?#main div#search-results + div > div[class]:has(> div div[style="line-height:0"])
+almanac.com#?#.layout__region > div.sticky-right-sidebar:has(> div.block__content > div.text-content > p > span.advertisement-label)
+steamid.uk#?#.primary > div.row:has(> ins.adsbygoogle)
+greatandhra.com#?#.container:has(> .container-inner > #id1.child)
+moddb.com#?#.column > div.normalbox:has(> div.inner > div.body > ins.adsbygoogle)
+creepypasta.com#?#.entry-content > div.code-block:has(> div[id^="pwMobiMedRect"])
+creepypasta.com#?##page > center:contains(Advertisement)
+letmejerk.net#?##videos > div.th:has(> span.th-ad)
+thesportsupa.com#?##sidebar-primary > div.widget:has(div[id^="div-gpt-ad-"])
+thesportsupa.com#?#.col-xxl-9 > div.shadow-sm:has(> center > figure > a[href*=".play."])
+thesportsupa.com#?#.col-xxl-9 > div.shadow-sm:has(> center > [class^="ads"])
+javtiful.com#?#.row > div.col:has(> div.card > a[href^="http://bit.ly/"])
+javtiful.com#?#.theeffect > div.d-flex:has(> section ins.adsbyexoclick)
+javtiful.com#?#.contents > div.mb-4:has(> section ins.adsbyexoclick)
+issuu.com#?#div[data-testid="side-section"] > div[class]:has(> div[class] > div#ad-primis-small)
+azlyrics.com#?#.noprint:has(> span[id^="cf_async_"])
+dl4all.biz#?##dle-content > div[style^="padding:20px;"] > center:has(> div[style="text-align:center;"] > a[rel="noopener external noreferrer"] > img)
+onmsft.com#?#.gb-grid-column > .gb-container .gb-inside-container > .gb-container:has(> .gb-inside-container > div[data-pw-desk="sky_atf"])
+ip-address.org#?#.feat-holder > th.track:contains(Advertisements)
+123telugu.com#?#.post-content > p:has(> b > font[color="#ff0000"][size="3px"])
+thebrighterside.news#?#div[id^="comp-"]:has(> wix-iframe)
+thebrighterside.news#?#div[data-id="rich-content-viewer"] > div > div[id^="viewer-"]:has(iframe[src*="usrfiles.com"])
+thebrighterside.news#?#div[data-id="rich-content-viewer"] > div > div[data-hook^="rcv-block"] + div[id^="viewer-"]:has(div[data-hook="divider-single"])
+elitebabes.com#?#.list-gallery > li[class]:has(> :is(iframe, .adsbyexoclick))
+pythoncheatsheet.org#?#.relative:has(> div#carbonads)
+news18.com###__next > div[style^="height:"]:has(> div.banner_cricket)
+infoq.com#?#.related__group > li:has(> div.related__spns)
+pexels.com#?#div[data-testid="column"] > div[data-testid="item"] > div.inline-ads:upward(1)
+monteozlive.com#?#.td-ss-main-sidebar > aside.widget_block:has(> .wp-block-code .adsbygoogle)
+sanjun.com.np,acharyar.com.np#?##postBody div[id^="HTML"]:has(> .widget-content > .adsbygoogle)
+stadiumgaming.gg#?#.wrapper > div.container > div.row > div[class^="col-"]:has(> div.vm-placement)
+topgear.com#?#aside > div[data-testid="StickyContainer"]:has(> div[class^="AdContainer-"])
+hoes.tube#?#.margin-fix > div.item:has(> div.ads)
+skylinewebcams.com#?#.row > div[class]:has(> div.cam-light > ins.adsbygoogle)
+yuzu-emu.org#?#.columns > div.column:has(> div.px-md > ins.adsbygoogle)
+decrypt.co#?#.relative:has(> .absolute > span:contains(AD))
+cults3d.com#?##content > .grid--guttered > .grid-cell > .tbox:has(> .drawer > a:not([href*="cults3d.com/"], [href^="/"]))
+opensubtitles.org#?#.msg > div[itemscope] > fieldset:has(> legend > a[href="/support#vip"])
+decrypt.co#?#main[role="main"] div:has(> div[class] > div[class] > span:contains(AD))
+supersport.com#?#.flex-col > .col-span-6 > .flex.items-center.border:has(> .relative > div[id*="_DSTV_SSZ_Responsive_Supersport_"])
+uploadrar.com#?#div[class^="banner"]:not(:has(> div#commonId))
+modrinth.com#?#.normal-page__content > div[class]:has(> div[class] > div[class] > div[class] > a[rel$="sponsored"])
+cryptogems.info#?#.MuiBox-root > span[style*="max-width:"]:has(> img[alt="ad"])
+foursquare.com#?#.sidebarRelatedVenues > .newRelatedVenuesSet:has(> div[id^="div-gpt-"])
+topsporter.net#?#.scroller > .heateor_sss_sharing_ul:has(> div[id^="div-gpt-"])
+topsporter.net#?#.sidebar-content > .widget:has(> div > center > div[id^="div-gpt-"])
+imperiodefamosas.com#?#section > .row > .visible-lg-block:has(> .grid-item > .text-center > a[target="_blank"]:not([href^="/"]))
+mobilityarena.com#?#.code-block:has(ins.adsbygoogle)
+mobilityarena.com#?#.code-block:has(div#protag-native-after_content)
+kentonline.co.uk#?#.row > div[class^="col-"]:has(> div[class] > span[id^="p_mpu"])
+kentonline.co.uk#?#.row > div[class^="col-"]:has(> div[class] > span[id^="p_dmpu"])
+mydramalist.com#?#div[class^="col"] > div[style^="min-height"]:has(> div.spnsr)
+mydramalist.com#?#.app-body > div[class]:has(> div.is-desktop-ads)
+txxxporn.tube#?#.video-content > div[class]:has(> div[class] > div[id] > noscript > iframe[src^="https://syndication.realsrv.com"])
+txxxporn.tube#?#.video-content > div[class] > div:has(> div.pplayer) + div[class]
+insta-stories-viewer.com#?#.context__caption > .context__title:contains(/^Advertising$/)
+noodlemagazine.com#$?#.video_player + style { remove: true; }
+noodlemagazine.com#$?#.video_player ~ div[style] { remove: true; }
+go.bicolink.net#?#center > div.box:has(> div.banner)
+go.bicolink.net#?#.box-main > div.box:has(> center > iframe[src*="/ads-bicolink.html"])
+go.bicolink.net#?#.box-main > div.box:has(> div.banner-336x280)
+thehackernews.com#?#body > div.cf:has(> center > a[rel*="sponsored"])
+proporn.cc#?#.c-denomination > div > h2:contains(Advertis)
+yeptube.net#?#.wrapper > div.container.mt10 + div.container.mt10:not(:has(> div.c-content))
+nme.com#?#.wpb_wrapper > div.td-fix-index:has(> div#taboola-below-article)
+vpnmentor.com#?#.single > div.vm-block-highlight:has(> a[onclick^="clickedLinkExternal"])
+mysocceraustralia.com#?#.cactus-sidebar-content > aside.widget:has(> div.widget-inner div[id^="div-gpt-ad-"])
+cosxplay.com#?#.order-2:has(.duration-ad)
+cosxplay.com#?#.order-1:has(> div[class^="inside-list-boxes"])
+producthunt.com#?#div[class*="style_direction-row__"]:has(a[href="/sponsor"])
+electricalexams.co#?#.inside-right-sidebar > aside.widget:contains(new advadsCfpAd)
+desiporn.tube#?#.content div[class]:has(> div.wrapper > div[class]:contains(Advertisement))
+desiporn.tube#?#div[class] > a[href^="https://clickadilla.com/"]:upward(2)
+batimes.com.ar#?#.row > div.col-lg-4:has(> div.ads-space)
+elevenforum.com#?#.p-body-pageContent > div.message--post:has(> ins.adsbygoogle)
+sextu.com#?#div.headline:has(> h2:contains(Advertisement))
+sextu.com#?#.wrapper > section:has(> div.__native_container)
+yourdailypornvideos.ws#?#.column_container > aside.widget:has(> div.textwidget script[src^="https://ads.exosrv.com/"])
+yourdailypornvideos.ws#?#.column_container > aside.widget:has(> div.block-title > span:contains(FOLLOW US ON TELEGRAM GROUP)) + aside.widget ~ *
+23isback.com#?##content div.sqs-block:has(> div.sqs-block-content > div.image-block-outer-wrapper > figure.sqs-block-image-figure)
+bmj.com#?##__next > div[class^="css"] > div[class^="css"]:has(> div[id^="div-gpt-ad"])
+youramateurporn.com#?#.owl-stage > div.owl-item:has(> div.item-col > a[href^="https://www.youramateurporn.com/video/ad-"])
+voyeurhit.tube,hdzog.tube#?#.jwplayer > div[style] > div[class]:has(> div[class]:contains(Advertisement))
+auto123.com#?#.float_right > div[style^="height:"]:has(> div.pub_BoxA)
+newyorker.com#?#.tny-interactives-story > div > div[class^="styles-module--rules--"]:has(> .ad__slot)
+onlineocr.net#?#.row > h3:contains(/^Advertisement$/)
+linuxadictos.com#?##content > aside[id^="text-"]:has(> div.textwidget > p.gt-block > ins.adsbygoogle)
+pornstar-scenes.com#?#.row > div.portfolio-item:has(> div.card > div[id^="chaturbate"])
+my18pussy.com#?#.content-holder > .heading > strong:contains(/^Sponsored Content$/)
+18pussy.porn#?#.content > .headline > h1:contains(/^Sponsored Content$/)
+milf-porn.xxx#?#.main-content:has(> div.main-container > div.webcamitems)
+youporn.com#?#div[class] > a[data-tracking="track-close-btn-ad"]:upward(1)
+porcore.com#?##videoitems > div.onevideothumb:has(> a[href^="https://www.iyalc.com/"])
+xxxymovies.com#?#h4:contains(Sponsored Advertisement):upward(2)
+flasharch.com#?#div[class*="MuiGrid-grid-lg-"] ~ div:not([class*="MuiGrid-grid-md-"]) ~ div[class*="css-"]:has(.adsbygoogle)
+web.telegram.org#?#.bubbles-inner > div.bubble:has(> div.bubble-content-wrapper > div.bubble-content > div.message > span > span:contains(/^sponsored$/))
+gayfor.us#?#p:has(> ins.adsbyexoclick)
+zedporn.com#?#.main > h2:contains(Suggested for)
+hellporno.com#?#.hp-wrap > p.rel-tit:contains(/You may also like|Suggested for you/)
+notateslaapp.com#?#a[href^="https://www.getAdfinity.com"] > img[src^="data:image/png;base64"]:upward(3)
+proporn.com#?#.thrcol > .thr-rcol:has(> .refill > .trailerspots)
+actualidadiphone.com#?##abn_singlestealer:not(:has(> div.nav-youtube))
+canberratimes.com.au#?##story-body + div[class] > div.hidden:has(> div.sticky > div[id^="story-side-"])
+tubewolf.com#?#.main > h2:contains(/You may also like|Suggested for you/)
+cnnindonesia.com#?#.r_content div.mr > p[id^="adv-caption"]:upward(1)
+analyticsindiamag.com#?#main[data-elementor-type="single-post"] > section.elementor-section:has(> div.elementor-container a[href="https://mlds.analyticsindiamag.com/"])
+fsiblog2.com#?#.elementor-widget-container:has(> h5:contains(Indian girls - advertisement))
+fsiblog2.com#?#.elementor-widget-wrap:has(> div.elementor-widget-ipe-ad-zone)
+ratedgross.com#?#.block-video > .table:has(> .spot)
+ratedgross.com#?#.list-videos > div > .place:has(> .spot)
+bdnews24.com#?#div[data-infinite-scroll]:has(> div div.scorecard)
+givemesport.com#?#.gms-content-wrapper > div.gms-videos-container:has(> div#primis-video)
+ultrasurfing.com#?##main > #container-top-stories:has(> .adsbygoogle)
+hentaiworld.tv#?#.swiper-slide:has(> a[target="_blank"])
+xcum.com#?#.heading > h2:contains(Suggested for you)
+okmagazine.com#?##Paginator > div[class]:has(> .ad-title)
+disntr.com#?#[style^="font-size:"]:contains(Advertisement)
+begindot.com#?#.elementor-element:has(> div.e-con-inner a[href="https://phonexa.com/"])
+begindot.com#?#.e-con-inner > div.elementor-element:has(> div.elementor-element a[href^="https://appwiki.nl/"])
+jnckmedia.com#?#.container-fluid > .row > .col-md-12:has(> .card-box > .text-center > .adsbygoogle)
+slashdot.org#?#.fhitem:has(> header > div.ntv-sponsored-disclaimer)
+istream2watch.com##.stream-single-player > p[style]:has(> a[href="/out/"])
+qwer.gg#?#.flex:has(> div[id^="div-gpt-ad-"])
+hotmovs.com#?#.video-page > div.block_label:has(> div:contains(Suggested for you))
+macrumors.com#?##root > h1#page-title ~ div div#maincontent > article:has(> div[class^="titlebar--"]:contains(/^Deals:/))
+comick.fun#?#.overflow-scroll > div.w-full:has(> div:contains(/^ADVERTISEMENT$/))
+imgur.io#?#.GalleryHandler-postContainer > div.Ad:not(:has(> a[href^="https://imgur"]))
+fsharetv.io#?#div:has(> div.rice:first-child)
+fsharetv.io#?#colgroup + tbody > tr:not([itemprop]):has(> td[colspan] > div[id^="movie_vrec_"])
+independent.co.uk#?#aside.sidebar > div[class^="sc"]:has(> div[class^="sc"] > div[data-size-key="DOUBLE_MPU"])
+leechpremium.link#?#.row > div.col-md-2 > div.pricingTable:has(> div.pricing-content > ins.adsbygoogle)
+uploadedpremiumlink.net#?#div[class^="blue-grey"][style^="width"] > ins[data-ad-client]:upward(1)
+mindbodygreen.com#?##article-container > div:has(> div > div > section > div > h5:contains(/^Advertisement$/))
+mindbodygreen.com#?#span > section:has(> div > h5:contains(/^Advertisement$/))
+audiosexstories.net#?#.column > div.wrapper > li.sam_pro_block_widget:upward(1)
+paktales.com#?#.theiaStickySidebar > div.widget:has(> span.ezoic-adpicker-ad)
+investorshub.advfn.com#?#header > div.full > div.container-fluid:has(> div.top-banner)
+herexxxtube.com#?#body > div.container:has(> h2:contains(/^Recommended$/))
+animeland.tv#?#.sidebar_right li:has(> center > h3:contains(/Animeland( Premium)? Ads/))
+animeland.tv#?##social > h2.video_header:contains(Sponsors)
+sciencefocus.com#?#.stack__item section:has(> div[data-feature="monetizer"])
+sciencefocus.com#?#.stack > div.stack__item:has(.ad-slot)
+fffcvn.net#?#.row > div.bs-vc-wrapper:has(> div.wpb_column > div.bs-vc-wrapper div.textwidget > p > br + a[href])
+benzinga.com#?#div.lazyload-wrapper > div[class^="InvestingChannel"]:upward(1)
+infobae.com#?#.article > div.rawHTML:has(> h2)
+inverse.com#?#div[class] > amp-ad:upward(1)
+affpaying.com#?##sidebar ul.flex:has(> li.flex > a[target="_blank"][rel="nofollow"] > img[style="width:125px;height:125px;"])
+affpaying.com#?##sidebar div.text-center:has(> a[href^="https://trckgdmg.com/"])
+affpaying.com#?##sidebar div.bg-white:has(> a[target="_blank"] > img[width="300"][height="250"])
+notateslaapp.com#?#.articles-container > div.container:has(> div.release > script[src*="amazon-adsystem"])
+katestube.com#?#.player-aside > b:contains(Advertisement)
+nonktube.com#?##wrapper div[class^="col-"] > div.box-body:upward(1)
+javhay.net#?##sidebar-border > h3:contains(Advertisement)
+jpvhub.com#?#.exoclick-popunder-trigger:upward(3)
+btmulu.com#?#.list-view > article.item:has(> div > a[href*="?"][target="_blank"]:not([href*="/hash/"]) > h4 > span.label-danger)
+redtub.club#?#h3:contains(/^Advertising$/)
+project-syndicate.org#?#.cur-section__header:has(> div.cur-section__view-all > a[href^="/order/subscription?"])
+thequint.com#?#div[class] > span:contains(/^ADVERTISEMENT$/):upward(1)
+sellthing.co#?##content > div.main-container:has(> div.container-fluid > div.widget-content > div.row > div.imageBanner)
+techcabal.com#?##single-article-sidebar > div.list-sidebar-item > div.ad-box:upward(1)
+fuck-videos.xxx#?#.container:has(> iframe[src^="//fuck-videos.xxx/tmp/"])
+hellporno.com#?#.block-title:has(> h3:contains(/Suggested for you|Advertisement/))
+nubiapage.com#?#.g1-collection-items > li:has(> div.g1-advertisement)
+mail.com#?#.content-wrapper > div.mod-container > div.blocks > div.block > div.mod-taboolateasers:upward(div.mod-container)
+wccftech.com#?#.main-container > div[style]:has(> div.bg-horizontal div[id^="div-gpt-ad"])
+watchasian.ac#?#.block-tab > ul.tab > li[data-tab]:contains(Ads)
+javtv.to#?#.bar-sidebar > h4:contains(Advertiser)
+watchasian.ac#?#.block > div.tab-content:has(> div[class^="ads_place_"])
+thewindowsclub.com#?#footer > div.widget:has(> span[id^="ezoic-pub-ad-placeholder"])
+javrank.com#?#.video-box-ather > div.container > div.home-img-box:has(> div.text-center > div[class^="koukoku"])
+mangaraw.org#?##sidebar > div.section:has(> div.releases > h4 > span:contains(Advertisement))
+gekso.xyz#?#.content > div.grid > div.item:has(> div.oi > iframe[src^="//a.realsrv.com/"])
+vivaldi.com#?#.blocks > div.row > div.column:has(> div.color-soft form#signupform)
+developerinsider.co#?#center tr:has(> td > ins.adsbygoogle)
+newzpanda.com#?#.theiaStickySidebar > .stream-item-widget:has(> .widget-title:contains(Advertisement))
+vikiporn.com#?#.top-block > .container > .top-list > .content-aside:has(> .banner)
+thesun.co.uk#?#div[id^="customiser"] > div.sun-grid-container > div.new-block > div.customiser-native-ads:upward(div.sun-grid-container)
+analyticsindiamag.com#?#.elementor-widget-wrap > div.elementor-widget-text-editor:has(> div.elementor-widget-container > p:contains(Advertisement))
+analyticsindiamag.com#?#.elementor-widget-wrap > div.elementor-element:has(> div.elementor-widget-container > a[href^="https://www.sas.com/"])
+animekhor.xyz#?##sidebar > .widget_text:has(> .releases > h3:contains(Advertisement))
+koiniom.com#?#.container > div.text-center:has(> div.row > div.col-xs-6 > a[href^="https://a-ads.com/"])
+inenglishwithlove.com#?#.sqs-block:has(> div.sqs-block-content div.image-button-inner > a[href^="https://elsaspeak.com/"])
+couponxoo.com#?#body > div.container:has(> p.text-center:contains(Advertisement))
+couponxoo.com#?#.row > div:has(> ins.adsbygoogle)
+freac.org#?##leftcol > div.module:has(> div script[src^="http://pagead2.googlesyndication.com"])
+unsplash.com#?#div[data-test="masonry-grid-count-three"] > div[class^="ripi"] > div > footer:upward(1)
+thetimes.co.uk#?#article > div[class^="responsive-"]:has(> div[class^="css-"] > div#ad-header)
+nubng.com#?#.main-content > div[id^="tie-block"]:has(> div.container-wrapper > ins.adsbygoogle)
+nudostar.com#?#.notices > li.notice:has(> div.notice-content > div.azz_div)
+freeshib.biz##.alert ~ div.row > div[class^="col-"] > div.row > div[class^="col-"]:has(> div.ads)
+porndish.com#?#.g1-collection-items > li.g1-collection-item:has(> div.g1-advertisement)
+nxmac.com#?#p:has(> ins.adsbygoogle)
+icrypto.media#?#.head_2:has(> a[href^="https://cryptofans.news"])
+tutorialsplanet.net,freeallcourse.com#$?#.better-ads-listitemad { remove: true; }
+wccftech.com#?#.post-details-container > .row > div > .related-stories:has(> header > h2.gradient-text:contains(/^A message from our sponsor$/))
+thenationalpulse.com#?#.dropcap-content > div.code-block:not(:has(> div#social))
+audiotools.pro#?##sidebar > div.widgetbox:has(ins.adsbygoogle)
+flightconnections.com#?#.display-box-2
+analyticsindiamag.com#?#div[data-element_type="widget"]:has(> div.elementor-widget-container > a[href^="https://praxis.ac.in/"])
+piracy.moe#?#main > h2:contains(Sponsored items)
+euronews.com#?#.u-hide-for-medium-only:has(> div[class] div[data-ad-id])
+ioshacker.com#?##canvas-content > div.cnvs-block-section:has(div.cnvs-block-section-content-inner > center > ins.adsbygoogle)
+stirilekanald.ro#?#div[class^="col-"] > div.sidebar.featured:has(> div.ad)
+dailyfx.com#?#.row > div[class^="col"]:has(> div.dfx-ad)
+dailyfx.com#?#div[class^="col"] > div.row:has(> div.dfx-ad)
+analyticsinsight.net#?##sidebar > div.widget:has(> div.textwidget > div.banner)
+swtestacademy.com#?#.inside-right-sidebar > aside.widget:has(ins.adsbygoogle)
+shyteentube.com#?#.thumbs > div.thumb:has(> iframe[data-src^="http://ag.palmtube.net/"])
+digminecraft.com#?#div[id] > div[class]:not([id]) > p:contains(/^Advertisements$/):upward(1)
+adn.com#?#h4:contains(/^Sponsored$/)
+industryarena.com#?#.flex-grow > div:has(> div.portal-header-ad-swiper)
+coursed.co#?#.widget-area > aside.widget:has(> div.textwidget:first-child)
+emulatorgames.net##.mx-auto.text-center:has(> div.site-label)
+purepeople.com#?#.sidebloc > div.sticky-container--hp:has(> div.sidebloc-sticky > div.ad__placeholder)
+aa.com.tr#?#.container > style ~ div.ad:has(> span > a:not([href^="https://www.aa.com.tr/"]))
+gifhq.com#?#.content > div[class^="col-"] > div.card iframe[src^="https://syndication.realsrv.com/"]:upward(div[class^="col-"])
+glebbahmutov.com#?##sidebar > div.widget-wrap:has(> div.widget > script[src^="//cdn.carbonads.com/"])
+technojobs.co.uk#?#.section > div.block:has(> div.content > h2:contains(Featured Recruiters))
+freetutsdownload.com#?#.inside-right-sidebar > aside.widget:has(> p > script[src^="https://brazenwholly.com/"])
+keithrainz.me#?#.inside-right-sidebar > aside.widget:has(> figure[class] > a[href])
+tutorialsduniya.com#?#div[class$="-sidebar"] > aside.widget:has(> div.textwidget ins.adsbygoogle)
+crunchadeal.com#?##sidebar > aside.widget:has(> div.sidebox-main a[href^="https://crunchadeal.com/recommends/"])
+r-bloggers.com#?#.sb-right > div.sb-widget:has(> h4:contains(Sponsors))
+freebookcentre.net#?#.page-head ~ div.row:has(> div[class^="col-"] > div[class] > div.ad-adverting)
+comidoc.net#?#div > ins.adsbygoogle:upward(1)
+thegeeklygrind.com#?#.sidebar_inner > div.widget:has(> div.textwidget > ins.adsbygoogle)
+insider.com#?#.content-lock-content > div.in-post-sticky:has(> .ad-wrapper)
+dailyringtone.com#?##ringtones > div.rt-container:has(> div.member > ins.adsbygoogle)
+allconnect.com#?#div.factbox:has(> div.myFinance-ad-unit)
+swarajyamag.com#?#.story-grid > div + div.container-fluid > div[class^="_"] div[class]:contains(Advertisement):upward(div.container-fluid)
+addressadda.com#?#.box-widget-wrap > div.box-widget-item:has(> ins.adsbygoogle)
+addressadda.com#?#.box-widget-wrap > div.box-widget-item:has(> script[src^="//z-in.amazon-adsystem.com/"])
+homeworklib.com#?#.span8 > div.box:has(> div.adsbyvli)
+news18.com#?##right > div[style="height:250px;"]:has(> div.expandoad)
+news18.com#?#.recomeded_story > ul > li:has(> div[style]> div[class*="dfp-ad"])
+addmusictophoto.com#?#h6:contains(/^Advertisement$/)
+thebarentsobserver.com,fromtexttospeech.com#?#h2:contains(/^Advertisement$|^ADVERTISEMENT$/)
+cgtips.org#?#.sidebar > div.widget:has(> div[class] ins.adsbygoogle)
+sweethentai.com#?##picture > center:has(> b:contains(Recommended Hentai games))
+dmitripavlutin.com#?#header + div[class] > main + aside[class] > div[class]:has(> div[class] > div > script[src^="//cdn.carbonads.com/"])
+freetutorialsus.com#?##secondary > aside.widget > div.textwidget > ins.adsbygoogle:upward(aside.widget)
+zomato.com#?#body > div.wrapper:has(> div.tac > div.ad-banner-text)
+urbanthesaurus.org#?#.words > div[style]:not([class]):has(> .ad-tag)
+forum.ragezone.com#?##posts > li.postcontainer:has(> div.postdetails span.usertitle:contains(Check out our sponsor))
+udemyfreecourses.org#?#h4:contains(Sponsored ads)
+freesoft.id#?#.entry-content > p ~ div[class]:has(> p[style] > button[onclick*="https://href.li/"])
+freecourseweb.com#?##secondary > aside.widget > div.textwidget > a[href="https://freecourseweb.com/binancemakemoney"]:upward(aside.widget)
+vfxdownload.net#?#.theiaStickySidebar > div.widget_text:has(> div[class] > h3[class] > span:contains(Download Now))
+bestlittlebaby.com#?#.row > div[class]:has(> div.info-box > div:contains(/^Advertisement$/))
+opportunitydesk.info#?#.td-ss-main-sidebar> aside.widget:has(> a[href^="https://iubh.prf.hn/"])
+remote.tools#?##product-grid > div.col-lg-6:has(> div.card > div[onclick^="sa_event('sponsored_product');"])
+coolztricks.com#?#.inside-right-sidebar > aside.widget_text:has(> div.textwidget a[href^="https://bit.ly/"])
+popular-babynames.com#?#.mx-auto > div[class] > div.shadow:has(> div.text-center > a[onclick^="javascript:oplk('brave'"])
+studysolve.online#?##widgets-wrap-sidebar-right > div.widget_text:has(> div.textwidget > ins.adsbygoogle)
+techno360.in#?##secondary > aside.widget:has(> div.textwidget ins.adsbygoogle)
+downforeveryoneorjustme.com#?#.columns > div.is-half:has(> div.columns > div.column > div.native-carbon)
+free-fonts.com#?##sidebar > div.box:has(> div[id^="freefonts_sidebar"])
+ebookee.com#?##secondNav > div.navbar:contains(Sponsored Links)
+techsupportalert.com#?##secondary > aside.widget:has(> h3.widget-title > span:contains(You May Like This Too))
+getsetclean.in#?#a[rel^="sponsored"]:upward(1)
+rd.com#?#.content-wrapper > section.content:has(> section > div.taboola-wrapper)
+inc.com#?#div[class^="Article__articleContent"] > div.title-bar:has(> span:contains(Sponsored Business Content))
+kiro7.com#?#.row > div.wrap-bottom:has(> div.arcad_feature)
+ancient-origins.net#?#.region > div.block:has(> div.block-inner div[id^="ad-unit"])
+freecoursewebsite.com#?#.inside-left-sidebar > aside.widget:has(ins.adsbygoogle)
+computerhope.com#?#div[id^="column"] > h2:contains(Recommended for you)
+adaa.org#?#.section[role="complementary"] > div[class]:has(> div[class] div[class]:contains(Advertisement))
+algemeiner.com#?#.widget_mostreadwidget ~ div.widget:has(> h2:contains(Controversial))
+ted.com#?#.Grid__cell > div:has(> div[class][style] > div[class] > div[class] > a[href^="/membership"])
+nytimes.com#?#section > div[class^="css-"] > div[class^="css-"]:has(> div#pp_morein-wrapper > div.ad)
+homeworklib.com#?#.row-fluid ~ div.box > span.ezoic-adpicker-ad:upward(1)
+troypoint.com#?#.sidebar-main > aside:has(> h2:contains(Today’s Discounts))
+indiatimes.com#?#div[id^="c_articlelist_stories"] > ul > li:has(> div.ad-widget)
+haaretz.com#?#div[data-google-interstitial="false"]:has(> div[class] > div[class] > section > a[href^="/promotions-page?"])
+greaterkashmir.com#?#body > div > div[id^="div-gpt-ad-"]:upward(1)
+conservativebrief.com#?##primary > div.main-box:has(> div.main-box-inside > div[id^="ld-"])
+bforbloggers.com#?#.sidebar > section.widget div.sidebar-product:upward(section.widget)
+foreignpolicy.com#?#.sidebar > div.sticky-container:has(> div[id^="distroscale_ad_"])
+foreignpolicy.com#?#.sidebar > div.sticky-container:has(> div.ad-container)
+foreignpolicy.com#?#.sidebar > div.sticky-container:has(> div > div.channel-sidebar-big-box-ad)
+isitdownrightnow.com#?#.rightdiv > div[class^="ad"]:upward(1)
+lustflix.in#?#div > center:has(> div[data-zone])
+downloadfreecourse.com#?#.post-content > section:has(> div.row > ins.adsbygoogle)
+lionsroar.com#?#.elementor-section-wrap > section.elementor-section:has(div.elementor-widget-wrap > div.elementor-element > div.elementor-widget-container > div.elementor-text-editor > p:contains(/^ADVERTISEMENT$/))
+udemyfreecourses.org#?#.container > center:has(> h3:contains(Sponsored ads))
+freetutorialonline.com#?#.sidebar > div.widget:has(> div.title-block-wrap > h5:contains(Coursera Affiliate))
+123movies.domains#?#body > div[class]:has(> div[id] > div[id] > a[href="/user/profile/premium-membership"])
+office-forums.com#?#.block-body > div[class="message message--post"]:has(h4.adsense-name)
+studylib.net#?#.sidebar-top-content > span:contains(advertisement)
+colorlib.com#?##sidebar-inner > div.widget:has(> div.textwidget > a[href^="https://colorlib.com/out/"])
+cartoq.com#?##home-wrapper div[id^="div-gpt-ad-"]:upward(1)
+punchng.com#?##content > section.section-main:has(> div[class] div.recommended-stories)
+howtogeek.com#?#.entry-content > p ~ div[style] > span.future_inline_clone_target:upward(1)
+shockwave.com#?##page_wrapper div[class^="advertisement_"]:upward(1)
+piracy.moe#?#.tab-pane > div.row:has(> div.col a[class*="-sponsored-"])
+migranturus.com#?#.entry-content div.migra-adlabel:upward(1)
+jagranjosh.com#?#.ls-cmp-wrap > div.iw_component:has(> div.tags > h2:contains(Related))
+studytonight.com#?##body-content > div.layout_size:has(> div.asc-ads)
+ptutorial.com#?#.col-lg-4 > div.well:has(> div.a2a_kit)
+coinmarketcap.com#?#.cmc-body-wrapper div[class^="sc-"] + div[class*="sponsored_"]:upward(1)
+mooc-list.com#?#.region > div[id^="block-"] ins.adsbygoogle:upward(div[id^="block-"])
+coursecatalog.us#?#.herald-sticky > div.widget ins.adsbygoogle:upward(div.widget)
+pythonbestcourses.com#?#.herald-sidebar > div.widget ins.adsbygoogle:upward(div.widget)
+21stcenturywire.com#?##sidebar > div.widget > div.widget-wrap > div.textwidget > div:not([class^="twitter-tweet"]) + p > script:upward(div.widget)
+activistpost.com#?#aside[class$="sidebar"] > div.widget_text:has(> h4.widget-title > span:contains(Affiliate Links))
+firstthings.com#?#div:not([class^="leaderboard"]):has(> div[id^="div-gpt-ad"])
+psdly.com#?#.theiaStickySidebar > div.widget:has(> div[class] > h3.jeg_block_title > span:contains(Premium Benefits))
+freenulledworld.com#?#ins.adsbygoogle[data-ad-slot]:upward(2)
+freecourseudemy.com#?#.ct-sidebar > div.ct-widget ins.adsbygoogle:upward(div.ct-widget)
+freecoursewebsite.com#?#.inside-right-sidebar > aside.widget ins.adsbygoogle:upward(2)
+asciitohex.com#?#body > .box.zone > .adsbygoogle:upward(1)
+3dnatives.com#?#.widget-title > span:contains(Advertisement)
+forum.devicebar.com#?#.row > div.alert-info a[href^="https://device.is/"]:upward(div.alert-info)
+toptechpal.com#?##sidebar > div.widget ins.adsbygoogle:upward(div.widget)
+diabetesincontrol.com#?#.theiaStickySidebar > div.widget:has(> div[class] > h4:contains(Advertisement))
+medicalnewstoday.com#?#.article-body > div:not([class]):has(> div div[class]:contains(ADVERTISEMENT))
+blunt-therapy.com#?#.elementor-column-wrap div.elementor-widget:has(> div[class] .elementor-heading-title:contains(ADVERTISEMENT))
+dogsofthedow.com#?#.code-block:has(ins.adsbygoogle)
+yourarticlelibrary.com#?##sidebar > div:has(> div[class^="code-block code-block-"][style^="margin: 8px"])
+libhunt.com#?#main div.container > div.boxed:has(> div.columns a[data-event-name="promo-click"])
+todayifoundout.com#?##sidebar > aside.widget:has(> div.textwidget > script[src*="exponential.com/"])
+newagebd.net#?#p:contains(/^Advertisement/):upward(1)
+studysite.org#?#div[style^="padding-right:10px;"] > center:has(> table ins.adsbygoogle)
+studysite.org#?##containerindex > div.menu:has(> table:not([class]) > tbody ins.adsbygoogle)
+washingtonpost.com#?#div[data-video-props] ~ div[class] > div.relative wp-ad:upward(3)
+3movs.com#?##side_col > div.section:has(> div.block_header_side > h4:contains(Advertisement))
+tut4dl.com#?#.sidebar > div.widget:has(> div.widget_text > div.textwidget > a[href^="https://rapidgator.net/"])
+myuploadedpremium.de#?#.container-fluid > div.row > div.col-lg-10:contains(buy cryptos)
+lawlex.org#?#.sidebar > div > ul > .widget:has(> a:not([href^="https://lawlex.org/"]))
+medicalnewstoday.com#?#span ~ div[class]:has(> aside[class] div[data-empty="true"])
+freecourseslab.com#?#.widget-area > aside.widget_custom_html:has(> div > ins.adsbygoogle)
+republicworld.com#?#div[class*="mrgnbtm"] > div[id^="div-gpt-ad"]:upward(1)
+examveda.com#?#div[data-fuse]:upward(1)
+hentaihand.com#?#main > div.row:has(> div.container iframe[src*="o333o.com/"])
+infolaw.co.uk#?#div[class^="col-"] > aside.widget:has(> h3.widget-title:contains(Advertisers))
+necacom.net#?#.tm-sidebar-b > div.uk-panel:has(script:contains(google_ad_client))
+tinyurl.is#?#.container .row > div[class]:has(> div[class][style] a[href$="/NordVPN"])
+thetimes.co.uk#?##article-main > div[class^="responsiveweb-sc-"]:has(#ad-header)
+tellerreport.com#?#article.flex-column > div[class]:contains(/^ADS$/):upward(2)
+hotcleaner.com#?#div[class]:has(> div:not([class]) > ins.adsbygoogle)
+lyricsmode.com#?#.lmd-content > div.lmd-content__left:has(> div.lm-ad)
+hotcleaner.com#?#body > div[class]:contains(Advertisements)
+filecr.com#?#.sidebar-widget:has(> script:contains(advadsCfpAd))
+stackshare.io#?##navbar_wrap ~ div[id] > div[class^="css-"]:has(> div[data-testid="Squib"] > a[rel="nofollow"] img)
+studydhaba.com#?#.sidebar-main > aside.widget_text > div.textwidget > ins.adsbygoogle:upward(2)
+healthy4pepole.com#?#.sidebar > div.widget_text > div.textwidget > div[id^="div-gpt-ad-"]:upward(2)
+investing.com#?#.wrapper div > div.OUTBRAIN:upward(1)
+upload-4ever.com#?#div[class^="my-"] > ins.adsbygoogle:upward(1)
+gamcore.com#?#.all_items > div.item:has(> div.row > div.text > h3 > a[target="_blank"][rel="nofollow"])
+mshowto.org#?#.theiaStickySidebar > aside:has(> div.textwidget > center > a[href^="https://www.vargonen.com/"])
+playonlinux.com#?#.aside-menu > h1:contains(/Ads|Publicité|Werbung|Publicidad|Reklama|Реклама|Annonser|Reclame/)
+hentaicloud.com#?#main > section:has(> div.container > div.row > div.col-6 > div.manga-item > div.thumbnail > a[href^="https://www.nutaku.net/signup/landing/"])
+hentaifreak.org#?##content-masonry > article:has(> div.post-thumbnail-container > a[href^="https://hentaied.com/"])
+reuters.com#?#h4:contains(Advertisement)
+ownedcore.com#?##sidebar > li > div.smaller:has(> div.blocksubhead > span:contains(Sponsored Ads))
+tubeoffline.com#?#div[style^="min-height: 2"][align="center"]:upward([class="divContent2 borderCurve otherSites"])
+billboard.com#$?#.chart-list__ad { remove: true; }
+thepalmierireport.com#?##secondary > div.widget:has(> div.textwidget > div[data-rc-widget])
+thepalmierireport.com#?##secondary > div.widget:has(> div.textwidget > div[id^="ld-"])
+dloady.com#?#.p-body-sidebar > div[class="block"]:has(h3:contains(Advertisement))
+abplive.com#?#.text-center > p:contains(Advertisement)
+hotcleaner.com#$?#div > ins.adsbygoogle:upward(1) { remove: true; }
+nzherald.co.nz#?#.recommended-articles__heading:contains(Paid Promoted Content)
+earnload.co#?#p[style]:has(> a[href][target="_blank"])
+krebsonsecurity.com#?#.nobullet > li:has(> a[href^="https://www.amazon.com/"])
+osuskins.net#?#.vad-container:upward(div.skin-container)
+beinmatch.tv#$?##rufous-sandbox ~ div[style*="data:image/gif;base64"] { remove: true; }
+reuters.com#?##content > div[class]:has(> div[style="display: none;"])
+123unblock.*#$?#html { margin-top: 0 !important; }
+pornpics2u.com,porngifs2u.com#?#.elementor-section-wrap > section.elementor-section:has( div[align="center"] > a > img[src^="https://adultwebmasters.org"])
+hdpornmax.com#?#.container > h2:contains(Recommended)
+haho.moe#?#.mirror-video > div[class] > div[title="Click to Close the Ad"]:upward(1)
+xxxpicz.com#?##container > ul > li:has(> div.thumbnail > div > script.labeldollars-ads)
+nakedneighbour.com#?#.content > div.block:has(> div.banner)
+tube8.com#?##flvplayer > div[id]:has(> div[id] > div[id] > ins.adsbytrafficjunky)
+teslarati.com#?#body div[class^="ntv-"]:not([class="ntv-title"]):has(a.ntv-headline-anchor)
+mangaworld.cc#?#.container > div.row > div.col-sm-12 > div.row:has(> div.col-md-12 > div.ads)
+indy100.com#?#header ~ div:matches-css(height: 250px)
+tumblr.com#?##base-container aside > div[class^="_"] > div[class^="_"] > div[class^="_"] > div[class^="_"] > h1 + div[class] > div[class^="_"] div.iab_sf:upward(4)
+submityourflicks.com#?#.twocolumns > div.aside:has(> div[align="center"] > b:contains(Advertisements))
+hotscope.tv#?#div[class]:has(> a[target="_blank"] > div[class] > button[tabindex="0"] > div[class] > p:contains(Advertisement))
+hotscope.tv#?#div[class]:has(> div[class] > div[style*="position:"][style*="absolute"] > iframe[src^="//ads2.contentabc.com/"])
+chubbyporn.com#?#.twocolumns > div.aside:has(> div[align="center"] > iframe[src^="//a.realsrv.com/"])
+fapnado.com#?#a:contains(Remove this ad)
+ebonyo.com#?#.entry-content > center:has(> div.mobileHide:contains(Advertisement))
+lewdzone.com#?#.widget_text > h4:contains(Advertisement)
+newsmax.com#?##nmLeftColumn > div.nmNewsfrontStory:has(> div.sponsorLink)
+androidheadlines.com#?#.entry-content > div.post-video:has(> div.video-title:contains(Sponsored Video))
+lolhentai.net#?#.container div.side-box:has(> div[class] > iframe[src^="https://ads.trafficjunky.net/"])
+hstoday.us#?#.widget-area > aside.widget.dasanity-single:not(:has(> div[class] > a[href$="/newsletter-ad/"]))
+techspot.com#?#.news_container > article:has(> div[data-ns="largerectangle"])
+filecr.com#?#main > div.card-content:has(> script:contains(advads))
+videosection.com#?#.player-detail__tabs > div.player-detail__tab:contains(Advertisement)
+cpomagazine.com#?#body div[class]:has(> div[class^="cpoma-articles-inline-"])
+xdarom.com#?#.sidebar-main > aside:has(> div.textwidget > p > ins.adsbygoogle)
+wisn.com#?#.article-content--body-text > div.article-content--body-wrapper-side-floater:has(> div.ad-rectangle)
+letfap.com#?#.box > center:has(> span[id^="ad-top-"])
+ladsnbastands.com#?##secondary > section:has(> div.textwidget ins.adsbymahimeta)
+youngpornvideos.com#?#.sidebar div[class]:has(> a[href^="https://a.bestcontentoperation.top/"])
+onlinemschool.com#?#div[style*="!important;"]:has(> img)
+kiktu.com#?##secondary > div.widget:has(> div.code-block > script[src^="https://www.highprofitnetwork.com/"])
+alltutorialsworld.com#?##secondary > aside.widget_text:has(> div.textwidget > ins.adsbygoogle)
+radio.net#?#header ~ div[class]:has(> div[class] > div[id^="RAD_NET_"])
+mamalisa.com#?#.row div[class] > div[style]:contains(Advertisement)
+fapnado.com#?##list_videos_related_videos > center:contains(Advertisement)
+pinkvilla.com#?#div[style]:has(> span:contains(Advertisement))
+pinkvilla.com#?#li:has(> div[style] > span:contains(Advertisement))
+pinkvilla.com#?#.articles > ul#latestArtGal > li.fullWidth:has(> div#taboola-below-home-thumbnails)
+giga-down.com#?#.captcha > div.download-option-btn:has(> button > a[href^="https://www.google.com.eg/"])
+germs.io#?##menuCenter > div.card:has(> div.row div#germs-io_300x250)
+bombarena.io#?##spaceBarIndicatorContainer td[style]:has(> div.ribbonTitle:contains(Advertisement))
+shootem.io#?#body > div[id]:has(> div[id] > div.ympb_target_banner)
+vrsumo.com#?#aside div.box-container:has(> div.inner-box-container a[target="_blank"]:contains(Ads by))
+flyflv.com#?#.box > div.content:has(> div.line > a#joinLink)
+larvelfaucet.com#?#.row > div[class]:has(> div:only-child > a[href]:contains(advertise))
+pocketgamer.com#?#.fence > article.content-block:has(> h3:contains(ADVERTISEMENT))
+kentonline.co.uk#?#.PageContent > div.SiteContentBlock:has(> div#TaboolaMain)
+foobar2000.com#?#body table[style]:has(> caption:contains(advertisement))
+hometheaterforum.com#?#.uix_sidebar--scroller > div.block:has(> div.block-container > h3:contains(Forum Sponsors))
+windowschimp.com#?#.inside-right-sidebar > aside.widget:has(> div.textwidget a[target="_blank"] > img)
+thetakeout-com.cdn.ampproject.org#?#article > div[class]:has(> div[class] > p[class]:contains(Advertisement))
+thewindowsclub.com#?#.sidebar > aside.widget:has(> div.textwidget > span[id^="ezoic-pub-ad-placeholder-"])
+healthline.com#?#article > div:not([class]):not([id]):has(> section > div > div > div > div:contains(ADVERTISEMENT))
+macmillandictionary.com#?##topslot_container:has(> #ad_topslot)
+aetherhub.com#?#.inner-content > div.row div.card:has(> div > div[id^="zone"])
+watchpornx.com#?#aside > div.widget_execphp:has(> div[class] script[type])
+totaljerkface.com#?##container div[id="mainContainer"]:has(> div[id="adContainer"])
+myshows.me#?#main > div[style^="min-height"]:has(> div[id^="ad-wmg-container-"])
+tunefind.com#?#ul[class^="MainList__container"] > li:has(> div[class^="AdSlot"])
+tunefind.com#?#.media-body:contains(advertisement)
+wooordhunt.ru#?##content > div[style*="min-height"]:not([id]):has(> .adsbygoogle)
+flutenotes.ph#?#.sidebar > div.widget:has(> div.widget-content > div[id^="headline"])
+torlock.com#?#article > table:has(> tbody > tr > td > div.warn)
+eyerollorgasm.com#?#footer div.four-columns-footer > section.widget:has(> h2.widget-title:contains(Advertisments))
+adulthub.ru#?##main > div.container > div.row > div[class] > div.widget > div.title:has(> h3:contains(/Partners$|Live Girls/))
+reclaimthenet.org#?#.s-post-content > div.code-block:has(> a[href^="https://reclaim.link/"])
+miohentai.com#?##sidebar-right > div.related-post > div.related-post-header:contains(Advertisement)
+dotabuff.com#?#.container-inner > div.header-content-container + div[class] > div[class]:has(> div[style] a[target="_blank"] > img)
+gamulator.com#?#.container > div.row > div[class^="col-"]:has(> ins.adsbygoogle)
+tecadmin.net#?##sidebar > div[id^="custom_html-"]:has(> .custom-html-widget > strong > .adsbygoogle)
+criticecho.com#?##right-sidebar > div.inside-right-sidebar > aside.widget:has(> div.textwidget > div[id^="amzn-assoc-ad-"])
+sexvid.xxx#?#.spots_thumbs > .spots_title:contains(Advertisement)
+8muses.com#?#.gallery > a.t-hover:has(> div.image > iframe[src^="/banner/"])
+filecr.com#?#.sidebar > section.widget:has(> div.textwidget ins.adsbygoogle)
+jnovels.com#?#aside > div.widget_text:has(> div.widget-content > div.textwidget > ins.adsbygoogle)
+bitcointalk.org#?#.bordercolor > tbody > tr:has(> td > table > tbody table[width="100%"][class] + [class] a[href])
+ooodesi.com#?#.main-content > div.mag-box:has(> div.container-wrapper > div.clearfix script[src^="https://a.exosrv.com/"])
+txxx.*#?#.video-content > div:first-child > div[class]:has(> div > a[href="#"])
+txxx.*#?#.page-video > div.video-videos-slider ~ div[class]:matches-css(justify-content: center)
+camseek.tv#?#.content > div[style]:has(> div.embed-container > iframe[src^="https://chaturbate.com/"])
+simpleflying.com#?#.sidebar > div.widget:has(> div.title-block-wrap > h5.title-block:contains(Featured Video))
+whowhatwear.co.uk#?#.suggested__section > .card__group > .card__item:has(> div[class^="placement__wrapper"])
+footwearnews.com#?#.slick-track > .slick-slide:has(> article > .admz)
+zmovs.com#?#.jscroll-inner > div.jscroll-added > div.in-gallery-spot:has(> div[class]:contains(Advertisement))
+stackabuse.com#?#.sidebar > .widget:has(> .ad)
+stackabuse.com#?#.sidebar > .widget-sticky:has(> div > div > .ad)
+bluemoongame.com#?#.relative > section:has(> div.section-content > div.row > div.col > div.col-inner > div.box a[rel^="sponsored"])
+petri.com#?#.content_sidebar > div.widget:has(> div.widget_header > h6.title:contains(Sponsors))
+horriblesubs.info#?##secondary > div.well:has(> div.showpage-sponsor)
+btcnewz.com#?#.row > div[class^="col-md-"]:has(> div.panel > ins.adsbygoogle)
+nitroflare-porn.com#?#.box > h3:contains(NitroFlare)
+pornktube.porn#?##main_content > div.pornkvideos:has(> div.wrap > h2 > a:not([href^="https://www.pornktube.porn/"]))
+scores24.live#?#.__ProfileFeed > div > div.__CommonPane:has(> div > div > div[style="position:relative;"] > a[target="_blank"])
+merriam-webster.com#?#.right-rail > div[id$="-sticky-wrapper"]:has(> div > div[class^="mw-ad-slot"])
+dailyprogress.com#?#.tncms-region:has(> div.panel-body > section.block > div.clearfix > div.block-title > div.block-title-inner > h3:contains(Recommended for you))
+dailyprogress.com#?#.card-img-md > div.card-panel:has(> div.panel-body > article.clearfix > div.card-container span.label-flag-promotion)
+weartesters.com#?#.sidebar-content-inner > div:has(> div > div > div[id^="weartesters_300x250"])
+weartesters.com#?#.sidebar-content-inner > div:has(> div > div > div[id="taboola-right-rail-thumbnails"])
+ohentai.org#?#.videobrickwrap > div.videobrick:has(> div.videoadintro)
+pons.com#?##wrap > div[style]:has(> #ad-leaderboard__container)
+siouxcityjournal.com#?#section.block:has(> div.clearfix h3:contains(Ads))
+pantagraph.com,siouxcityjournal.com#?#.block-title:has(> div.block-title-inner > h3:contains(Recommended))
+designoptimal.com#?#.widget-area > aside.sidebar-widget:has(> div.textwidget:only-child ins.adsbygoogle)
+timesofindia.indiatimes.com#?#.as_article > div.article_content > div[class*=" "]:has(> div > div > a[onclick])
+timesofindia.indiatimes.com#?#.sidebar > div[class*=" "]:has(> div > div > a[onclick])
+timesofindia.indiatimes.com#?#.main-content > div.article_content~div[class*=" "]:has(> div > div > a[onclick])
+wakefieldexpress.co.uk#?#div[class] > section:has(> div.slab > div.slab__inner > div.dy-editorial-wow)
+healthline.com#?#.article-body > div:has(> aside[class] > div > div[class] > div[data-ad="true"])
+healthline.com#?#div > div[class^="css-"]:has(> ins#ad-pb-by-google)
+thelibertydaily.com#?#.widget-box:has(> div.widget-text > div.powerinbox > div.pi_header)
+porndig.com#?#.navbar_menu_wrapper > ul.main_menu > li.main_menu_item:has(> a[href] > span:contains(/Webcams|Meet/))
+thecambabes.com#?#.main-content > div.content:has(> div.box > iframe[src*="sexedchat.com/"])
+pornxs.com#?#.video__container > div.video__inner > div > div:not([class]):contains(Advertisement)
+levelsex.com#?#.content-wrap > div > .related:has(> div > .recommended-logo)
+icegay.tv#?#.b-secondary-column__randoms > div.b-head > h3:contains(Sponsored)
+techgenix.com#?#ul.sidebar_widget > li:has(> div > .dfp_ad_pos)
+techgenix.com#?#ul.sidebar_widget > li:has(> div > .ezoic-ad)
+ticklingforum.com#?##tmf_sidebar > div.tmf_sb_content:has(> p.tmf_sb_p > a[href*="clips4sale.com"])
+ticklingforum.com#?##tmf_sidebar > div.tmf_sb_content:has(> p.tmf_sb_p > a[href*="cams.com"])
+ticklingforum.com#?##tmf_sidebar > div.tmf_sb_heading > p.tmf_sb_p:contains(/clips4sale|Live Camgirls/)
+nationalpost.com#?#section:has(> div > .flyer-ticker)
+ofoct.com#?#.widget-area > aside[id^="text-"]:has(> div > ins.adsbygoogle)
+ofoct.com#?##content > article:has(> ins.adsbygoogle)
+filesmerge.com#?#.slider-body > div.slider_item:has(> div > h4:contains(/Ads|Werbung|Mainostaminen|Publicité|Publicidad|Pubblicità|广告|Реклама/))
+rumormillnews.com#?#p:has(a[target="_blank"])
+m4maths.com#?#.m4_footer_container:has(> div:contains(Advertisements))
+researchgate.net#?#.lite-page__side > div.nova-o-stack > div.nova-o-stack__item:has(> div > div > div.lite-page-ad)
+5movies.to#?#.links > ul > li.download:contains(Download in HD)
+iplocation.net#?#section > div.container div.widget:has(> div.widget_title > h3:contains(Advertisement))
+wallpaperstudio10.com#?#.col-md-5 > div[class="card card-body"]:has(> div.text-center > ins.adsbygoogle)
+sexy-youtubers.com#?#.td-ss-main-sidebar > aside.widget_text:has(script:contains(ad_idzone))
+sexy-youtubers.com#?#.site-sidebar > aside.widget:contains(var ad_idzone)
+milffox.com#?##page_content > div#side_content:has(> div > div.banner)
+petri.com#?##sidebar > div.widget:has(> header > h6:contains(Sponsors))
+vortez.net#?#.sidebar-content > div.split-panel > div.right > div.panel-block:has(> div.panel-title > h2:contains(Advertisement))
+shareae.com#?##sidebar > div.block:has(h3.sidehead:contains(Advertising))
+shareae.com#?##sidebar > div.block:has(> .topitem > div[align="center"] > a[href*="/aff_c?offer_id="])
+problogbooster.com#?#.sidebar.section > div[class="widget HTML"]:has([id^="ezoic-pub-ad-"])
+problogbooster.com#?#.sidebar.section > div[class="widget HTML"]:has(.pbbcenterads)
+printscreenshot.com#?#body > div.container > div.fieldset:has(> div.googleAd)
+sap-certification.info#?#.sidebar > section[id^="text-"]:has(> div.textwidget ins.adsbygoogle)
+3movs.com#?##data > div.section_wide:has(> div.block_header > h4:contains(Advertisement))
+3movs.com#?##side_col_video_view > div.section:has(> div.block_header_side > h4:contains(Advertisement))
+tube8.com#?##videos_page_wrapper > div[class]:has(> div[class]:contains(Advertisement))
+tube8.com#?#.content-wrapper > div[id] > div[id] > div[class] > div[class][id]:has(> div[class]:contains(Advertisement))
+beemp3s.net#?#[class="col-md-12 text-right"] > small:contains(Advertisement)
+nbk.io#?#.overlay_section.left:has(> div#leftContent > ins.adsbygoogle)
+nuvid.*#?#.aside > h2:contains(Advertising)
+zapak.com#?#.rightPanel div.colm3 > div.widget-box:has(> div.ad300)
+javarchive.com#?#.sidebar_list > .widget_text:has(> h6:contains(/(ADS|Content Here)/))
+javarchive.com#?#.sidebar_list > .widget_text:has(a[title="ads"])
+jav789.com#?#.container > div.box:has(> div.porn-videos-ads)
+pervclips.com#?#.cut_block > .block > .heading > h2:contains(Ad)
+katestube.com#?#.video-control:has(> span.text_adv)
+pornboss.org#?##menu-menue-1 > li:has(> a[href^="http://toplist.raidrush.ws/"])
+yeptube.com#?#.wrapper > div.container:has(> div.c-title > div.c-medtitle-output > h2.c-mt-output:contains(Advertisement))
+thebody.com#?#font[color="#999999"]:contains(Advertisement)
+ghacks.net#?##sidebar > strong:contains(Advertisement)
+emuparadise.me#?#.row > div.col_3 > div.left-menu:has(> div#ad160)
+vol.az#?##esas > [class] > .basliq4:contains(Reklam)
+sitepoint.com#?#.l-w-aside-i > .m-border + .f-light.f-larger.f-uppercase.f-c-white.t-bg-grey-500:contains(Sponsors)
+sitepoint.com#?#.Product_sidebar > [template-alias="Premium Resource Sidebar"] + .f-light.f-larger.f-c-white.t-bg-grey-500:contains(SPONSORS)
+shabdkosh.com#?#.col-sm-4 > h3:contains(Sponsored Link)
+shabdkosh.com#?#.col-lg-4 > h1:contains(Sponsored Link)
+bradsknutson.com#?##blog-widgets > p + h2:contains(Check These Out)
+toolslib.net#?#[class="col-lg-4 col-md-6 col-sm-6"]:has(.custom > div.custom-label > span:contains(Advertising))
+camwhores.tv#$?#body > div[style*="position"][style*="box-shadow"]:has(> a[href^="https://t.hrtyj.com/"]) { position: absolute!important; left: -3000px!important; }
+amazon.*#?#.s-widget > [data-cel-widget^="MAIN"] > [data-cel-widget^="tetris"] > div[id^="CardInstance"][class^="_tetris-"]:upward(3)
+amazon.in#?#.s-result-item div[class^="_multi-card-creative-desktop_Container_container__"][data-card-metrics-id]:has(> div[class^="_multi-card-creative-desktop_DesktopContainer_adLabelContainer__"])
+bleepingcomputer.com#?##ips_Posts > .post_block:has(div.apb)
+wolframclient.net#?#.post-content > div:has(ins.adsbygoogle)
+windows10gadgets.pro#?#.content-box > .row > .col-1-4:has(>.wrap-col > .item-content > .adsbygoogle)
+royalroadl.com#?#.portlet-body > h6.bold:contains(Advertisement)
+loks.us#?#.splash.container > .row > .col-md-5:has(>.ads)
+javadecompilers.com#?#.row > .col-xs-12.col-md-5:has(>.row > .adsbygoogle)
+dcode.fr#?#div[id^="right"] > .heading_bar:contains(Sponsored ads)
+audiobookbay.*#?#.torrent_info tr:has(a[rel=nofollow]:not([href^="/downld?"]))
+audiobookbay.*#?##rsidebar > ul > li > h2:contains(/^AD$/)
+download.hr#?#.add_center_big:has(>.adsbygoogle)
+download.hr#?#.add_responsive_right_box:has(>.adsbygoogle)
+yeswegays.com#?#.header > .nav > ul > li:has(> a[href^="https://www.flirt4free.com/"])
+corporationwiki.com#?#.sidebar-container > .card:has(>.card-header:contains(Advertisements))
+findgaytube.com#?#.random-container > .wrapper > .b-head-title.recommend:contains(Advertisement)
+onlydudes.tv#?#.b-randoms-col > .b-head > h3:contains(Sponsored by:)
+pajiba.com#?##burstBox > h2:has(> b:contains(Advertisement))
+pajiba.com#?##burstBox > h2:has(> b:contains(Advertisement)) + hr
+freevirtualsmsnumber.com#?#tbody > tr:not(:first-child):not(:last-child) > td[colspan]:contains(ADS)
+freevirtualsmsnumber.com#?#div[style^="clear:"][style*="both;"][style*="margin:"][style*="text-align:"][style*="center"]:contains(ADS)
+giveaway.su#?#.content > div.row > div.col-md-4:has(> div.definetelynotanad)
+putlockers.tv#?#.conteudo > h2[style]:contains(Sponsored Content)
+dailyfx.com#?#center > span:contains(Advertisement)
+wesh.com#?#.article-content--body-text > .article-content--body-wrapper-side-floater:has(>.ad-rectangle)
+codingforums.com#?##sidebar_container > #sidebar:has(span.blocktitle:contains(Sponsored Ads))
+graphicex.com#?##rightsidebar > .mainbox:has(> div.modules > div.blocktitle > h3:contains(Advertising))
+reuters.com#?#.sectionContent > .module-header > .module-heading:contains(Sponsored)
+lifehack.org#?#div.hidden-sm.col-md-4 > aside > div:not([class]):not([id]):has(div[class] > [id^="lifehack_d_"][id*="TF"])
+lifehack.org#?#.visible-md:has(>[id^="div-gpt-ad"])
+lifehack.org#?#.visible-md:has(>[id^="div-dfp-ad"])
+lifehack.org#?#.visible-sm:has(#article_desk_728x90_ATF11)
+10news.com#?#.ob-widget-items-container > li.ob-dynamic-rec-container:has(> a[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"][target="_blank"])
+youramateurporn.com#?##videoTopCarousel:has(a[target="blank"][rel="nofollow"] > img)
+apkpure.*#?##iframe_download + .slide-wrap > .bd > .tempWrap > ul[style^="width: 1656px;"] > li[style*="float: left; width: 828px;"]:has(> a[href^="https://yaksgames.com/?utm_source"])
+readonepunchman.net#?##main > .chapter_coin > center:has(.adsbygoogle)
+readonepunchman.net#?##main > .code-block-1:has(.adsbygoogle)
+timesnownews.com#?#.right-block > div[class^="section-"]:has(> .ad-div)
+updatesmarugujarat.in#?##adsense-target .tr_bq > span:contains(Advertisement)
+porn300.com#?#.primary-nav > ul.main-menu > li.main-menu__item:has(> a[href^="http://traffic.bannerator.com/"]#tabcams-desk)
+gaypornempire.com#?#.item-page-stats > .item-list:contains(Advertisement)
+swatchseries.to#?#.block-left-home > .block-left-home-inside[style]:has(>a[href="/westworld-watch.html"][rel="nofollow"] > img)
+mangarock.com#?#.row > .col-lg-4 > div[class^="_"]:has(div[id^="taboola-"])
+gamecode.win#?#.container > .row > .col-sm-4.text-center.white:has(> .adsContainer)
+superyachtfan.com#?#[id^="frag_"]:has(> .adsbygoogle)
+mail.google.com#?#.aeF > .nH > .nH[role="main"] > .aKB:has(> div)
+softpedia.com#?#.main > div[class^="container_"] > div[class$="_30 grid_48"]:has(> .dlcls > span.promoted[style])
+readheroacademia.com#?##main > .chapter_coin > center:has(> h3 > strong:contains(Advertisement))
+readheroacademia.com#?##main > .code-block[style] > center:has(> h3 > strong:contains(Advertisement))
+mylust.com#?#div[class^="span"] > div.box:has(> div.title:contains(Advertisement))
+geekdrop.com#?##forum > div[align="center"]:has(> a[href^="https://x.geekdrop.com/"])
+geekdrop.com#?#.left-corner > div[align="center"]:has(> a[href^="https://x.geekdrop.com/"])
+caminspector.net#?#.container > .headline:has(> h2:contains(Web Girls - Online Now!))
+yourdailypornvideos.com#?#.span8.column_container > article[id^="post-"] > p[style^="text-align: center;"]:has(a[href^="https://www.brazzersnetwork.com/landing/"][target="_blank"])
+paksociety.com#?#.textwidget > p > b:contains(Advertisement)
+fpo.xxx#?#.block-video > .table:has(> .opt > [id^="mp_spot_"])
+ghanaweb.com#?##ads > .ad:has(>.adsbygoogle)
+celebitchy.com#?##sidebar > .hotposts:contains(Advertisements)
+n4mo.org#?##sidebar > .sidebar-box:has(> .custom-html-widget > a[href^="https://keep2share.cc/"] > img)
+tejji.com#?#.ip_url_convert + table td > span:contains(Advertisement)
+siterankz.com#?#.chartcontainer > .infotable:has(ins.adsbygoogle)
+rentanadviser.com#?##ctl00_ContentPlaceHolder1_lblvideos > .videocontainer:has(> .reklamcontainer)
+newatlas.com#?#.js-recommendations-inner > section:has(div[id*="taboola"])
+mirrorace.com#?#.uk-article > .uk-card-default > h1 + .uk-card-secondary:has(> .uk-grid-medium > div > button.vpn-download)
+lo4d.com#?#ul > li.feedb2.bbcr:has(>.glbt > .adsbygoogle)
+lo4d.com#?#.Bcolumn_2 > div:not([class]):not([id]):has(>.glbt > .adsbygoogle)
+proapkmod.com#?#.isotope-active > .item-isotope:has(.adsbygoogle)
+freethesaurus.com,thefreedictionary.com#?##sidebar > .widget:not([id]):has(>.holder > a[href])
+add0n.com#?#.content tbody > tr:first-child:contains(Advertisement)
+add0n.com#?#.content tbody > tr:first-child:contains(Advertisement) + tr
+cryptomininggame.com#?#.col-lg-3 > .panel:has(>.panel-heading > h2:contains(Advertisements))
+wuxiaworld.com#?#.row > .col-md-4 > #widget_0:has(>.panel-heading:contains(Advertisement))
+genesisowners.com#?##sidebar > li > .block:has(> .blocksubhead > span.blocktitle:contains(Genesis Ads))
+smarturlref.net#?#body > center > p > b:contains(Advertisement)
+kpliker.net#?#center > p:contains(Advertisement)
+androidcentral.com#?#.article-body > .article-body__section > p + div[style*="text-align: center;"][style*="display:"][style*="!important"]:not(p):contains(Advertisement)
+vipleague.bz#?#.collapse.show > div[class]:contains(Betting)
+xtube.com#?#.wrapper > .container:has(>[class] > .adContainer)
+wikifeet.com#?#.dashboard > div[style^="float:"]:has(> div.dashad)
+mywebtimes.com#?#.side > div.innertube:has(> aside > div.bundle > div.promo)
+playtube.pk#?#.container > .panel-default:has(> .panel-body > .adcode)
+upload.ac#?#.row > .fmore:has(> a[href^="https://bit.ly/"])
+prostylex.org#?#.wrapper > div[style*="text-align"]:has(> a[href^="https://trustaffs.com"])
+askvg.com#?##sidebarHome > p:contains(/^Advertisements$/)
+ratemyprofessors.com#?##container > .sticky-wrapper:has(> .ad.GAM)
+manatelugumovies.cc#?#center > h6:contains(Advertisement)
+manatelugumovies.cc#?#.sidebar > h6:contains(Advertisement)
+unblocked.to#$?#html { margin-top: 0 !important; }
+investmentwatchblog.com#?#.inside-right-sidebar > aside[id^="custom_html-"]:has(> div.textwidget:empty)
+investmentwatchblog.com#?#.inside-right-sidebar > aside[id^="custom_html-"]:has(> div > script[src^="//ads.investingchannel.com/"])
+vosizneias.com#?#.body > div[style^="position: relative;"]:has(> #gruuvAd)
+rutracker.appspot.com,pornolab.biz,pornolab.cc,pornolab.lib,pornolab.net,rutracker.cr,rutracker.lib,rutracker.net,rutracker.nl,rutracker.org#?#.vf-table > tbody > tr:not([data-topic_id]):has(> td > a[class^="ref-"])
+free-mockup.com#?##main > #secondary > div[style*="text-align: center; margin: 0 auto 15px;background: white;"]:has(> .adspot-title)
+imtranslator.net#?#td:has(div[style="border:0px; margin-top:8px;width:728px;height:90px;"])
+multiup.io,multiup.eu,multiup.org#?#.panel-body > .row > .col-md-4:has(> .panel > .panel-footer > a[href^="/download-fast/"][namehost^="UseNe"])
+kickass.love,kickass.vc#?#td[width="100%"] > style + div[id]:has(> div[id] > a[href="/k/?q=q"][target="_blank"])
+kickass.vc#?#td[width="100%"] > .tabs > style + div[id]:has(> div[id] > a[href="/k/?q=q"][target="_blank"])
+kickass.vc#?#td[width="100%"] > div:not([class]):not([id]) > style + div[id]:has(> div[id] > a[href="/k/?q=q"][target="_blank"])
+kickass.love,kickass.vc#?#.commentsLeftModule > style + div[id]:has(> div[id] > a[href="/k/?q=q"][target="_blank"])
+discordbots.org#?#.bot-list-section > .columns > .column:has(> .content > .info > span.lib:contains(Promoted))
+smarthomebeginner.com#?#.theiaStickySidebar > .widget:has(> div > div[class^="shb-"][class*="-placement"])
+texastech.forums.rivals.com#?#.mainContent > .sectionMain.funbox:has(.funbox_forum_view_above_thread_list > div > a[href][target="_blank"] > img)
+theseotools.net#?##rightCol > .well:has(> .sideXd > p > a[href^="http://deal.ink/Grammarly"])
+msn.com#$?#.swipenav > li:has(>a.nativead) { remove: true; }
+macrotrends.net#?##main_content > div[style*="background-color"][style*="text-align"][style*="min-height:"]:has(>#ic_728_90)
+kickass.love#?#td[width="100%"] > style + div[id]:has(> div[id] > a[href="/k.php?q=q"][target="_blank"])
+kickass.love#?#.commentsLeftModule > style + div[id]:has(> div[id] > a[href="/k.php?q=q"][target="_blank"])
+kickass.love#?#td[width="100%"] > div:not([class]):not([id]) > style + div[id]:has(> div[id] > a[href="/k.php?q=q"][target="_blank"])
+kickassz.com#?#td[width="100%"] > style + div[id]:has(> div[id] > a[href="/k/?q=q"][target="_blank"])
+kickassz.com#?#.commentsLeftModule > style + div[id]:has(> div[id] > a[href="/k/?q=q"][target="_blank"])
+kickassz.com#?#td[width="100%"] > div:not([class]):not([id]) > style + div[id]:has(> div[id] > a[href="/k/?q=q"][target="_blank"])
+bleepingcomputer.com#?#.cz-post-comment-wrapp + .cz-related-article-wrapp:has(> .adsbygoogle)
+nsfwyoutube.com#?#.embed-container > h2:contains(Watch the Featured Video of the Day)
+vivatube.com#?#.container.mt15 > .c-title:has(> .c-normtitle-output:contains(Reklam))
+ccn.com#?#.theiaStickySidebar > #text-31:has(> .widget-title:contains(Advertisement))
+reblop.com#?#.td-block-row > div[class^="td-block-span"]:has(a[href^="https://t.frtyo.com/"])
+nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion#?#section[aria-labelledby="new-york-section"] > div > div[class^="css"] > #pp_morein-wrapper:upward(1)
+nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion#?#div[data-testid="block-Well"] > div[class^="css-"] > [class^="css-"][data-well-section="well-section"]:has(> div[class^="css-"] > div > .ad)
+mensxp.com#?#.mb-50 > div[class*=" "]:has(> div > div > a[onclick])
+pcsteps.com#?#.entry-content > p > strong:has(a[href^="https://www.pcsteps.com/cyberghost-pcsteps-deal"])
+robot-forum.com#?##quickModForm > .windowbg2:has(> .post_wrapper > h4.member-r:contains(Advertisement))
+gizchina.com#?##vwspc-section-2 > .container > .row > .vwspc-section-content:has(> #ad-slot2)
+sammobile.com#?#.owl-stage > .owl-item:has(a[href*="/sponsored"])
+sammobile.com#?##latest_news .item:has(a[href*="/sponsored"])
+gtainside.com#?#.container > .col-sm-6:has(> .box_grey.ad)
+gtainside.com#?#.container > .row > .col-sm-6:has(> .box_grey.ad)
+ign.com#?#.broll.wrap > .tbl > article:has(a[href*="/promoted/"])
+hackedonlinegames.com#$?#div[class=""][style^="display: block !important; visibility: visible !important;"] { remove: true; }
+economictimes.indiatimes.com#?#.pageContent > .articleSep:has(div[class*=" "] > div > div > a[onclick])
+economictimes.indiatimes.com#?#.tabdata > div[class*=" "]:has(> div > a[onclick])
+nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion#?##app > #site-content > div[class] > div[class^="css-"] > div[class^="css-"][class*=" "]:has( div[class^="css-"][class*=" "] > .ad)
+nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion#?#div[data-testid="block-Well"] > div[class] > div[data-well-section="well-section"]:has( > div[class] > .ad)
+wordexcerpt.com#?##main-sidebar > .widget_text > div[id^="custom_html-"].default:has(> .c-widget-wrap > .font-heading > h4:contains(Advertisement))
+easyvoyage.co.uk#?#.code-block > div[style*="text-align"]:contains(ADVERTISEMENT)
+opensubtitles.org#?#div[class="msg"][style="padding: 10px;"] > div:has(> iframe[src^="ads2.opensubtitles.org"])
+appsgeyser.com#?#.row > .col-md-12 > .powerwidget.green:has(> header:contains(Advertisement))
+heidisql.com#?##content > .bordered-box:has(> .adsbygoogle)
+wwitv.com#?##page-wrapper > center:has(> .adsbygoogle)
+wwitv.com#?#.panel.top > .panel-body:has(> .adsbygoogle)
+wwitv.com#?#.panel > .panel-body:has(> center:contains(Sponsored links))
+goalnepal.com#?#.highlights > .items:has(> .boundary-box > .adsbygoogle)
+brisbanetimes.com.au#?#article > section > div[class] > .noPrint:has(> div > div > div[id^="adspot-"])
+ihackedgames.com#?#div[class][style*="!important;"] > a[href][style*="!important;"]:has(> img[style*="!important;"])
+dnslytics.com#?#.row > .col-xs-12[style="margin-top: 20px;"] > .row > .col-lg-5:has(>.adboxcontentsum)
+thesaurus.com#?#aside[class^="css-"] > aside[class^="css-"] > aside[class^="css-"]:has(> div[id^="thesaurus_serp_"])
+mangarock.com#?#div[class="col-12 col-lg-8"] > div[class]:has(> iframe[title^="Adtrue"])
+dutchycorp.space#?#center > p > b:contains(Advertisement)
+timesofindia.indiatimes.com#?#.main-content > div[style="display: none !important;"] ~ div:has(> div > div > a[onclick][rel="nofollow"] > span)
+opencritic.com#?#.table-view > .row.d-md-block:has(> .col > app-advertisement)
+liveleak.com#?#.content_main_right_outer > .col-xs-12[style*="padding:"]:has(> center > script:first-child)
+liveleak.com#?#.content_main_right_outer > .col-xs-12[style*="padding:"]:has(> center > div[class^="runative-banner-"])
+radioforest.net#?#.col_right > .box:has(> .col_title:contains(Advertisement))
+shortzon.com#?#.col-md-12 > #link-view > center:contains(Sponsored Links)
+pornpics.com#?##container2 > div:has(> span:contains(Brought By:))
+adultwalls.com#?#.sidebar .panel:has(h3.panel-title:contains(Sponsors))
+adultwalls.com#?#.sidebar .panel:has(h3.panel-title:contains(Our Friends))
+spaste.com#?#.pasteContent > b:contains(Weekend Sale Live - Buy Brazzers, Mofos, RK, DP etc. Just for $9.99 How ?)
+kickass.ws#?#.tabNavigation:has(> li > a.selectedTab > span:contains(Recommended by us))
+kat.rip,kickass.ws,kickass.love,kickass2.cc#?#.tabNavigation:has(> li > a.selectedTab > span:contains(Sponsored Links))
+kickass2.cc#?#td[width="100%"] style ~ div[id]:has(> center > div[id] > a[href="/k.php?q=q"])
+tubeon.com#?#.envelope-coverap > div.contain:has(> div.livecams)
+tubeon.com#?#.contain > div.c-appellation:has(> div.c-medappellation-output > h2:contains(/Advertising|Reklama|Werbung|Publicité|Anuncio|Advertentie|Pubblicità|Anúncio|Реклама|広告/))
+tubeon.com#?#.envelope-coverap > div.contain:has(> div.c-appellation > div.c-medtitle-output > h2:contains(/Advertising|Reklama|Werbung|Publicité|Anuncio|Advertentie|Pubblicità|Anúncio|Реклама|広告/))
+pandamovies.pw#?#.wrap > .rightdiv1:has(> .rightdiv1content > a[href][rel="nofollow"])
+gamesradar.com#?##sidebar > div > div:contains(Advertisement)
+kizi.cm#?#div[class*="game"] > .sidebanner:has(> .main-game > .title-special > div > center > h2:contains(Advertisement))
+windows101tricks.com#?##sidebar-primary-sidebar > .primary-sidebar-widget > .section-heading > span.h-text:contains(Advertisement)
+inputmag.com,bustle.com,inverse.com#?#div[data-adroot] > div[class*=" "]:has(> div[id^="ad-"]:only-child)
+inputmag.com,inverse.com#?#body > header + div[class] > div[class*=" "]:has(> div[id^="ad-"]:only-child)
+inputmag.com,inverse.com#?#article > div > div[class*=" "] > div[class] > div[class*=" "] > div[class*=" "]:has(> div[id^="ad-"]:only-child)
+png.is#?#.grid > .grid__item > img[onload="reloadma()"] + .alert-info:contains(/^These ads help/)
+png.is,nohat.cc#?#.grid > .grid__item[style*="min-height: 250px; position: absolute;"]:has(> .adsbygoogle)
+elitepvpers.com#?#.page > div[style="padding:0px 10px 0px 10px"] > .smallfont[style*="padding-bottom:"]:contains(/^Advertisement$/)
+cryptopotato.com#?##sidebar section.widget:has(> div.widget-inner > div.textwidget div.widget-image > center > span:contains(ADVERTISEMENT))
+station-drivers.com#?#aside[class^="tm-sidebar-"] > .uk-panel > .bannergroup:upward(1)
+station-drivers.com#?#.body-innerwrapper > #tm-bottom-a > .uk-container > .tm-bottom-a:has(> div[class^="uk-"] > .uk-panel-box > .bannergroup)
+station-drivers.com#?#.body-innerwrapper > #tm-top-b:has(> .uk-container > section.tm-top-b.uk-grid > div[class^="uk-"] > .uk-panel-box > .bannergroup)
+f150forum.com#?#form[method="post"][id="notices"]:has(> div.tbox > div > div.tcell:contains(Topic Sponsor))
+f150forum.com#?#.page.column > div.tbox:has(> div.trow > div.tcell > div.flexitem > div.forum_sponsor_add)
+forum.team-mediaportal.com#?#.block-container > .js-replyNewMessageContainer > div[style^="min-width:250px;min-height:250px;"]:has(> .adsbygoogle)
+forum.team-mediaportal.com#?#.block-container > .js-replyNewMessageContainer > div[style^="min-width: 250px; min-height: 250px;"]:has(> .adsbygoogle)
+elamigosedition.com#?#.video-box > center:has(> a[rel="nofollow"] > img)
+fossbytes.com#?#.td-ss-main-sidebar > .ai_widget:has(> .code-block > .adsbygoogle)
+fossbytes.com#?#.td-ss-main-sidebar > .ai_widget:has(> .block-title > span:contains(/^Advertisement$/))
+afly.us#?##link-view > .form-group + div:not([class]):not([id]):has(> center:contains(/^Advertisement/))
+cointelegraph.com#?#.posts-listing__list > li.posts-listing__item:has(> div.posts-listing__bnr)
+servedez.com#?##sp_right > .sp_block_section:has(> #sp_block_20 > .windowbg > .sp_block > a[href="https://nexusbytes.com"] > img)
+mmo-population.com#?#.row > .col-sm-12 > .card-box:has(> .adsbygoogle)
+mmo-population.com#?#.row > .col-xl-12 > .card-box:has(> .m-b-20 > .adsbygoogle)
+fxempire.com#?#div[class^="fx-grid__Header-sc-"] div[class^="Positions__Absolute-sc-"] > div[class^="Card-sc-"] > div[class^="Card-sc-"] > span:contains(/^Advertisement$/)
+fxempire.com#?#div[class^="fx-grid__Content-sc-"] > div[class*="fx-grid__RowSystem-sc-"]:has(> div[class*="fx-grid__ColSystem-sc-"] span[class^="Span-sc-"]:contains(/^Advertisement$/))
+fxempire.com#?#div[class^="fx-grid__MainContent-sc-"] > div > div[class*="fx-grid__RowSystem-sc-"] > div[class*="fx-grid__ColSystem-sc-"] > div[class*="fx-grid__RowSystem-sc-"]:has(> div[class*="fx-grid__ColSystem-sc-"] > div[class^="Card-sc-"] > div[class^="Card-sc-"] > div[class^="Card-sc-"] > span:contains(/^Advertisement$/))
+fxempire.com#?#div[class^="fx-grid__MainContent-sc-"] > div > div[class*="fx-grid__RowSystem-sc-"] > div[class*="fx-grid__ColSystem-sc-"] > div[class*="fx-grid__RowSystem-sc-"]:has(> div[class*="fx-grid__ColSystem-sc-"] > div > div[class^="Card-sc-"] > div[class^="Card-sc-"] button > span > span:contains(/^Sponsored$/))
+fxempire.com#?#div[class^="fx-grid__MainContent-sc-"] > div > div[class*="fx-grid__RowSystem-sc-"] > div[class*="fx-grid__ColSystem-sc-"] > div[class^="Positions__Sticky-sc-"]:has(> div[class^="Card-sc-"] > div[class^="Card-sc-"] > div[class^="Card-sc-"] > span:contains(/^Advertisement/))
+fxempire.com#?##content > div[class^="fx-grid__Layout-sc-"] > div > div[class^="Card-sc-"] > div[class^="fx-grid__Content-sc-"]:has(> div[class^="Card-sc-"] > div > div[class^="Positions__Relative-sc-"] > button > span > span:contains(/^Sponsored$/))
+fxempire.com#?#article[class^="Post__PostArticle-sc-"] > div[class*="fx-grid__RowSystem-sc-"] > div[class*="fx-grid__ColSystem-sc-"] > div[class^="Card-sc-"] > div[class^="Card-sc-"] > span:contains(/^Advertisement$/)
+fxempire.com#?#div[class^="fx-grid__MainContent-sc-"] div[class*="fx-grid__ColSystem-sc-"] > div > div[class^="Card-sc-"]:has(> div[class^="Top-"] + div[class^="Card-sc-"] > span > div > div[class^="Positions__Relative-sc-"] > button > span > span:contains(/^Sponsored$/))
+fxempire.com#?#div[class^="fx-grid__Layout-sc-"] > div[class^="fx-grid__Content-sc-"] > div[class*="fx-grid__RowSystem-sc-"]:has(> div[class*="fx-grid__ColSystem-sc-"] > div > div[class^="Card-sc-"] > ul[class^="Lists"] > li[class^="Lists"] > div[class^="Positions__Relative-sc-"] > div[class^="Card-sc-"]:contains(/^Advertisement$/))
+antdm.forumactif.com#?##main-content > #p0.post:has(> .inner > .postprofile > dl > dt > strong:contains(/^Sponsored content$/))
+healthlytalks.com#?#.td-ss-main-sidebar > .td_block_template_8:has(> .textwidget > p > .adsbygoogle)
+sciencealert.com#?#.section-container > .section-container-col-2 > .moduletable:has(> .custom > div[style] > div[id^="taboola-"])
+lifehacker.com#?##sidebar_wrapper > div.js_sidebar_sticky_container ~ div > div > h3:contains(Popular Deals)
+lifehacker.com#?##sidebar_wrapper > div.js_sidebar_sticky_container ~ div > div > h3:contains(Popular Deals) + aside
+uflash.tv#?#.thumbs:has(> .native)
+prostylex.org#?#.wrapper > div[style="text-align:center;font-family:Tahoma;"]:not([class]):not([id]) ~ center:has(a[href="http://slotslights.com/"])
+reclaimthenet.org#?#.ezoic-ad
+temp-mail.org#?#.inbox-dataList > ul > li[class]:has(> div[class="col-box"] > a > span.inboxSenderEmail:contains(/^ad\s*\|.*|^AD\s*\|.*/))
+android-x86.org#?#section > h6:contains(Advertisement)
+tumblr.com#?##base-container main div:not([class]):not([id]) > div[class^="_"]:not([data-id]):has(.iab_sf)
+djmag.com#?#._section--row > ._teaser--container--MPU:has(> ._teaser--MPU > .pane-djmag-advert-responsive-pane)
+rateyourmusic.com#?##content > .mbgen > tbody > tr > td > div[style]:has(> div[id^="div-gpt-ad"])
+rateyourmusic.com#?##user_list > tbody > tr[class] + tr:not([class]):has(> td > div[style] > div[id^="div-gpt-ad"])
+forum.mobilism.org#?##pagecontent > .tablebg > tbody > .row1:has(> td[align="center"][valign="middle"] > b.postauthor:contains(/^Advertisement \[Bot\]$/))
+forum.mobilism.org#?##pagecontent > .tablebg > tbody > .row1:has(> .profile > table[align="center"] > tbody > tr > .postdetails:contains(/^The Advertiser$/))
+forum.mobilism.org#?##pagecontent > .tablebg > tbody > .row1:has(> .profile > table[align="center"] > tbody > tr > .postdetails:contains(/^The Advertiser$/)) + .row1:has(>.profile)
+pinterest.*#?#div > div[style] > div[data-grid-item="true"]:has(div[data-test-pin-id] a[rel] div[class][style] > div[class]:last-child:matches-css(before, content:/Promoted\s*by|Promowane\s*przez|Sponsorisée\s*par|Рекламный\s*пин|Рекламодатель|Gesponsord\s*door|広告|Promocionado\s*por|Promovido\s*por/))
+pinterest.*#?#div > div[style] > div[data-grid-item="true"]:has(div[data-test-pin-id] :is(span, a div[title]):contains(/Promoted\s*by|Promowane\s*przez|Sponsorisée\s*par|Рекламный\s*пин|Рекламодатель|Gesponsord\s*door|広告|Promocionado\s*por|Promovido\s*por/))
+xxxhentai.net#?#.gallery-list > div[itemprop='associatedMedia'] ~ div:not([class]):not([id]):not([itemprop]):has(> .tac > .admin-frame-wrap > div > iframe[width="300"][height="250"])
+reallifecamsex.xyz#?#.col-md-sidebar > .widget > .pm-section-head > h2:contains(Advertisment)
+readmng.com#?#.row > .col-md-12.page_chapter:has(> .ads-title)
+readmng.com#?#.row > .col-md-12.page_chapter[style^="min-height:"]:has(> center > .OUTBRAIN)
+readmng.com#?#.col-md-4 > div[style^="padding-top"]:has(> .apester-media)
+readmng.com#?#.col-md-4 > div > center[style^="min-height:"]:has(> div[id^="div-gpt-ad"])
+readmng.com#?#.col-md-4 > .title:has(> h3:contains(/^Sponsored (Content|Website)$/))
+gamcore.com#?#.slides > .item:has(> h4 > a[href^="https://gamcore.com/pzdc"])
+gamcore.com#?#.all_items > .item:has(> .row > div[class] > h3 > a[href^="https://gamcore.com/pzdc"])
+spyur.am#?##footer > div[class]:has(.baner_footer)
+a2zapk.com#?#.ArticleLand > .DownLoadBotton + .Clear ~ small:contains(/Grab Limited Offer!|Earn Huge Money/)
+androidcentral.com#?#.article-body > .article-body__section > .article-body__aside:has(> p.caption > img[alt="Zagg Ad Hero"])
+gogodl.com#?#.mb-5.align-items-end > .col-lg-6:has(> .adsbygoogle)
+mygc.com.au#?#.entry-content > .code-block[style]:has(> div[id^="div-gpt-ad"])
+freep.com#?#.more-stories-content:has(> div[id="js-taboola-wrapper"])
+wowroms.com#?##sandBox-wrapper > .ulromlist > li.element:has(> .row-container > li > .adsbygoogle)
+1819714723.rsc.cdn77.org#$?##player #layerName_postroll { remove: true; }
+1819714723.rsc.cdn77.org#$?##player #layerName_preroll { remove: true; }
+yahoo.com#?##YDC-Stream > ul > li.js-stream-content:has(> div > div > span > a[href^="http://help.yahoo.com/kb/index?page=content&y="][rel="nofollow noopener"])
+courseforfree.com#?##secondary > aside[id^="custom_html-"]:has(> .textwidget > .adsbygoogle)
+asia-mag.com#?##secondary > aside[id^="text-"]:has(> h3 > span:contains(/^PARTNER ADS$/))
+techinferno.com#?#.ipsWidget > div[class^="ipsWidget_inner"]:has(> p > a[rel="external"])
+moviesand.com#?#.twocolumns > .aside > div[style*="font-weight: bold;"][style*="text-align: left;"][style*="background-color:"]:contains(/^Sponsored Content$/)
+dignited.com#?#.single-content > div.center > small:contains(/^Advertisement - Continue reading below$/)
+cointelegraph.com#?#.post-preview-list-cards > li.post-preview-list-cards__item:has(> div.post-preview-item-banner)
+cointelegraph.com#?#.affix-sidebar__widget > div.sbar-area-wrap_with-footer:has(> div.sbar-area-wrap__header > a[href="/advertise-with-bitcoins"])
+grammarist.com#?##wrap > div[style="width:100%;"] > center > div[align="center"] > small:contains(/^Advertisement$/)
+hotgirlclub.com#?#aside.sidebar > .headline > h3:contains(/^ADVERTISEMENT$/)
+creatorlabs.net#?#div[data-container="sidebar"] > div[id^="cc-matrix-"] > div.j-module:has(> p[style="text-align: center;"] > span:contains(Advertisement))
+mangafor.com#?#div[id^="custom_html-"]:has(> .textwidget > .adsbygoogle)
+mangafor.com#?#div[id^="custom_html-"]:has(> .textwidget > div[id^="rn_ad_native_"])
+crackedvst.com#?#.g1-collection-items > .g1-injected-unit:has(> .g1-advertisement-inside-grid)
+retrogames.cc#?#div[style] > div[class^="ejs--"] > div[class^="ejs--"] > div:not([class]):not([id]) > div[class^="ejs--"][style*="!important"]:has(> iframe[src="https://www.emulatorjs.com/ad.html"])
+dailywire.com#?#footer[class^="css-"] > section[class^="css-"] > header[class^="css-"]:has(> div[class^="css-"] > span.zergattribution)
+mariogames.be#?#.gameinfo tr > td:has(> div > .adsbygoogle)
+webbrowsertools.com#?#body > .card.description:has(> div[style^="text-align:center;"] > .adsbygoogle)
+msn.com#$?#.adslidedata-container { remove: true; }
+msn.com#$?#li[data-adindex] { remove: true; }
+pornpictureshq.com#?#.masonry_thumbs > div.grid > div.thumb:has(> iframe)
+imdb.com#?##sidebar > div[class]:has(> span.ab_widget > div.ab_zergnet)
+its.porn#?#.twocolumns > aside:not([class]):not([id]):has(> .table > div[class*="IPO-Itsporn_Native_"])
+ftuapps.dev#?##secondary > aside[id^="custom_html-"]:has(> .textwidget > .adsbygoogle)
+apk4all.com#?#.app-footer > div.ny-down:has(> a:not([href*="://dlapk4all.com"]))
+deleted.io#?#body.route-index > section > div.container:has(> h2:contains(/^Our Sponsors$/))
+reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion#?#div[style*="fakelightbox-overlay-"] ~ div[tabindex] > div > div > div > div[data-redditstyle="false"]:has(> div > div > div[data-before-content="advertisement"])
+techrepublic.com#?#.col-4 > div:has(> section[class^="content-mpu"])
+rat.xxx#?#.heading > h2.title:contains(Advertisement)
+rexporn.com#?#.mainside > div.pitem:has(> div.pitemcont > div.pitem_screen > a[target="_blank"])
+bodysize.org,porngo.com,heavy-r.com,y2mate.com,niceporn.xxx,0gomovies.com,igg-games.com#$?#iframe[srcdoc*="XMLHttpRequest"] { remove: true; }
+discordrep.com#?#main > div[class^="container-fluid margin_"]:has(> div > center > img.semiwide-ads)
+cleantechnica.com#?#.xoxo > li[id^="text-"]:has(> .textwidget a[href^="http://cleantechnica.com/advertise/"])
+cleantechnica.com#?#.xoxo > li[id^="text-"]:has(> .widgettitle > span:contains(Advertisement))
+agario-play.com#?##helloContainer > div.side-container > div.agario-panel:has(> div.text-center > div[id^="div-gpt-ad"])
+airmore.com#?#.aside > section:has(> h5:contains(Ads))
+petapixel.com#?#.posts > .is-elsewhere:has(> .post-preview__excerpt > p > a[rel="norewrite follow external noopener noreferrer"])
+pornhd.com#?##pageContent > .thumbs > li.video-list-corner-block:has(> .corner-block-element > .remove-ad-block)
+disboards.com#?#.p-body-sidebar > div[style^="background-color:"]:has(> div[align="center"] > a[href^="https://www.wdwinfo.com/"])
+gadgetsnow.com#?#.clearfix > div[class*=" "]:has(> div > div > a[onclick])
+gadgetsnow.com#?#.sidebar > .clearfix > div[class*=" "]:has(> div > div > div > a[onclick])
+mi-globe.com#?#div[class*="tdi"]:has(> div > span[id^="ezoic-pub-ad"])
+medicalnewstoday.com#?#div[style="position:relative"] > article > div[class^="css-"]:has(> aside > div > div[data-empty="true"])
+greatist.com,medicalnewstoday.com#?#div[id="__next"] > div[class^="css-"] > aside:has(> div:matches-css(before, content: /ADVERTISEMENT/))
+greatist.com,medicalnewstoday.com#?#div[id="__next"] > div[class^="css-"] > div > section > div:matches-css(before, content: /ADVERTISEMENT/)
+dl.gamecopyworld.com#?#body > center > .t2 > tbody > tr:has(> td > .lb#lb)
+torrentdownloads.co#?#.inner_container > div > div[style^="float:"]:has(> a[rel="nofollow"][style^="display: block !important;" ])
+extremetube.com#?##video-box > div[style^="float: right; right: 16px; position: relative;"]
+bing.com#?##b_results > li.b_algo:has(> .b_caption > p:matches-css(before, content: /^(Ad|Ann\.|Annonce|Anúncio|Anzeige|Reklama|Реклама|Reclamă|Publicidade)$/))
+freegames66.com#?#.B1 > #R5:has(> center > .adsbyvli)
+payskip.org#?#.box-main > center:has(> div[id^="adm-container-"])
+softfamous.com#?##sidebars > .sidebar:has(> .widget > .container_ads)
+xanimeporn.com#?##sidebar > .sidebar-widget:has(> .widget-title > span:contains(/^Sponsor$/))
+myneobuxportal.com#?#.g1-collection-items > .g1-injected-unit:has(> .g1-advertisement-inside-grid)
+hiclipart.com#$?#.list_ads { remove: true; }
+neowin.net#$?#.news-list > .news-item:has( > .news-item-promo > .news-item-thumb > a > .sponsored) { remove: true; }
+mixloads.com#?#.container > .row > div[class^="col-md-"]:has( > .adsbygoogle)
+dropapk.to#?#.container.py-5 > .row > .col-md-8:has(> .adsbygoogle)
+ipornia.com#$?#.cj-foot { remove: true; }
+mumbaimirror.indiatimes.com#?#.home-widgets > ul > li > div[class*=" "]:has(> div > div > a[onclick])
+desktophut.com#?#.gridlove-content > .adsfront:has(> center > .adsbygoogle)
+imgtaxi.com#?#.sidebar > div:has( > iframe[src^="frame.php?"])
+imgtaxi.com#?#.sidebar > h3:has( > a:contains(Recommended))
+mi-globe.com#?#.widget_custom_html:has(> div.custom-html-widget > span[id^="ezoic-pub-ad-"])
+cloutgist.com,link.almaftuchin.com,link1s.com,cravesandflames.com,novelsapps.com,cybertechng.com,shorturl.unityassets4free.com,download.windowslite.net,novelssites.com,pndx.live,shortlink.prz.pw,baominh.tech,za.uy,coinsparty.com,enagato.com,clikern.com,webshort.in,linkmit.us,oncehelp.com,tui.click,adpop.me,adnit.xyz,fwarycash.moviestar.fun,clickhouse.xyz,bloggingguidance.com,charexempire.com,adnet.cash,cryptoads.space,okec.uk,paidtomoney.com,za.gl,pureshort.link,curto.win,4rl.ru,url.namaidani.com,xz2.xyz,doctor-groups.com,gibit.xyz,pkr.pw,dz4win.com,shortearn.in,stfly.me,shorthitz.com,mitly.us,afly.us,rifurl.com,shrt10.com,adclic.pro,uii.io,shortearn.eu,vivads.net,urlcloud.us,shrinkurl.org,lkop.me,egovtjob.in,shrtfly.net,stfly.io#$?#form[action$="/links/popad"] { remove: true; }
+lifehacker.com#?#body > div > div[class^="sc-"]:has( > .ad-container)
+opencritic.com#?#app-review-table > div > #ReviewTableTop + div > app-review-table-row ~ .review-row:has(> .col > app-advertisement)
+thegay.com#?#.underplayer__info > div:has( > div#und_ban)
+thegay.com#?#.footer-margin > .content > .box:has(> .bottom-adv__link-wrapper)
+palmtube.com#?#.Video_Block > .Sub_Title:contains(Advertisement)
+pholder.com#$?#main[id="Slideshow"] > section[class^="Slide "]:has(> div.OUTBRAIN) { remove: true; }
+pholder.com#$?#main[id="Slideshow"] > section[class^="Slide "]:has(> article.Frame > div[aria-label^="Chaturbate"]) { remove: true; }
+mangarock.com#?##page-content > .container > .row > .col-12 > span[style]:has(>a[href="/membership"])
+mangarock.com#?#div[role="presentation"] > div[id^="vertical-page-"]:has(> div[class]:not([style]) > a[href="/membership"])
+mangarock.com#?#div[role="presentation"] > div[id^="vertical-page-"]:last-child > div[class] > div[class]:has(> div > a[href="/membership"])
+mangarock.com#$?#div.slick-track > div.slick-slide:has(> a[href="/membership"]) { remove: true; }
+mangarock.com#?#div.slick-track > div.slick-slide:last-child > div[class]:has(> div > a[href="/membership"])
+camera.aeonax.com#$?##wrapper > #predownloads:has(> .inner > #AdamWr) { height: 0px!important; }
+txxx.com#$?#.fat_under { remove: true; }
+repo.hackyouriphone.org#?##list_container > .list_elemnt:has(> .adsbygoogle)
+imgburn.com#?#td[class="contents"][align="center"]:has(> div[style="border: 1px solid black; width: 346px; padding: 5px;"])
+tvlogy.to#$?##pre-banner { remove: true; }
+protopage.com#?#body > div[style^="position: absolute"]:has(div.scheme-body-text[style*="width: 100px"])
+protopage.com#?#body > div[style^="position: absolute"]:has(> div[style*="/web/images/12x"])
+protopage.com#?#body > div[style^="position: absolute"]:has(.adsbygoogle)
+fijivillage.com#?#.contentleft > p > small:contains(/^ADVERTISEMENT$/)
+biertijd.com,biertijd.xxx#?##wrapper > div#sidebarcontainer > h2:contains(/Advertenties|Sponsors|Aanrader/)
+mumbaimirror.indiatimes.com#?##content > div[class*=" "]:has(> div > div > a[onclick])
+mumbaimirror.indiatimes.com#?#.latestCmmtData > .mrtoday > div[class*=" "]:has(> div > div > a[onclick])
+circleofcricket.com#$#body { overflow: visible !important; }
+circleofcricket.com#$#.modal-backdrop { display: none !important; }
+circleofcricket.com#$##myModal { display: none !important; }
+circleofcricket.com##div.container-full.add:has(> a[href]:first-child)
+||circleofcricket.com/assets/adv/
+!
+! Hulu video ads
+hulu.com#%#//scriptlet('xml-prune', 'xpath(//*[name()="MPD"]/@mediaPresentationDuration | //*[name()="Period"][.//*[name()="BaseURL" and contains(text(),"/ads-")]] | //*[name()="Period"]/@start)', 'Period[id^="Ad"i]', '.mpd')
+hulu.com#%#//scriptlet('json-prune', 'breaks pause_ads')
+hulu.com#%#//scriptlet('set-constant', 'Object.prototype.isAdPeriod', 'falseFunc')
+hulu.com#%#//scriptlet("set-constant", "Object.prototype._parseVAST", "noopFunc")
+hulu.com#%#//scriptlet("set-constant", "Object.prototype.createAdBlocker", "noopFunc")
+! aglint-disable-next-line invalid-modifiers
+!
+! fc.lc / fc-lc.xyz
+fitdynamos.com###content a[target="_blank"] > img[style]
+fitdynamos.com##body > a > img
+fc.*###link-view > iframe[src*="/fc."]
+/js/nt.js$domain=fc.*|fitdynamos.com
+||fc.lc/*.html$~third-party,subdocument
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/185726
+mirror.co.uk#%#//scriptlet('googletagservices-gpt')
+! https://github.com/AdguardTeam/AdguardFilters/issues/169887
+mangafire.to,myflixer.is,kerapoxy.cc,myflixerz.nl,flixwave.to#%#//scriptlet('prevent-window-open')
+mangafire.to,myflixer.is,kerapoxy.cc,myflixerz.nl,flixwave.to#%#//scriptlet('set-cookie', '__pf', '1')
+!
+! instagram.com
+instagram.com#%#//scriptlet('json-prune', 'data.xdt_injected_story_units.ad_media_items')
+||instagram.com/api/v*/injected_story_units/
+instagram.com#$?#main > div div[style*="flex-direction: column;"] > article > div:has(span:contains(/(Sponsored|Gesponsert|Sponsorlu|Sponsorowane|Ispoonsara godhameera|Geborg|Bersponsor|Ditaja|Disponsori|Giisponsoran|Sponzorováno|Sponsoreret|Publicidad|May Sponsor|Sponsorisée|Oipytyvôva|Ɗaukar Nayin|Sponzorirano|Uterwa inkunga|Sponsorizzato|Imedhaminiwa|Hirdetés|Misy Mpiantoka|Gesponsord|Sponset|Patrocinado|Patrocinado|Sponsorizat|Sponzorované|Sponsoroitu|Sponsrat|Được tài trợ|Χορηγούμενη|Спонсорирано|Спонзорирано|Ивээн тэтгэсэн|Реклама|Спонзорисано|במימון|سپانسرڈ|دارای پشتیبانی مالی|ስፖንሰር የተደረገ|प्रायोजित|ተደረገ|प|प्रायोजित|স্পনসর্ড|ਪ੍ਰਯੋਜਿਤ|પ્રાયોજિત|ପ୍ରାୟୋଜିତ|செய்யப்பட்ட செய்யப்பட்ட|చేయబడినది చేయబడినది|ಪ್ರಾಯೋಜಿಸಲಾಗಿದೆ|ചെയ്തത് ചെയ്തത്|ලද ලද ලද|สนับสนุน สนับสนุน รับ สนับสนุน สนับสนุน|ကြော်ငြာ ကြော်ငြာ|ឧបត្ថម្ភ ឧបត្ថម្ភ ឧបត្ថម្ភ|광고|贊助|内容 内容|贊助|告 告|広告|സ്പോൺസർ ചെയ്തത്)/)) { height: 1px !important; visibility: hidden !important; }
+instagram.com#$?#main > div > div > div[style*="flex-direction: column;"] > div:has(span:contains(/(Sponsored|Gesponsert|Sponsorlu|Sponsorowane|Ispoonsara godhameera|Geborg|Bersponsor|Ditaja|Disponsori|Giisponsoran|Sponzorováno|Sponsoreret|Publicidad|May Sponsor|Sponsorisée|Oipytyvôva|Ɗaukar Nayin|Sponzorirano|Uterwa inkunga|Sponsorizzato|Imedhaminiwa|Hirdetés|Misy Mpiantoka|Gesponsord|Sponset|Patrocinado|Patrocinado|Sponsorizat|Sponzorované|Sponsoroitu|Sponsrat|Được tài trợ|Χορηγούμενη|Спонсорирано|Спонзорирано|Ивээн тэтгэсэн|Реклама|Спонзорисано|במימון|سپانسرڈ|دارای پشتیبانی مالی|ስፖንሰር የተደረገ|प्रायोजित|ተደረገ|प|प्रायोजित|স্পনসর্ড|ਪ੍ਰਯੋਜਿਤ|પ્રાયોજિત|ପ୍ରାୟୋଜିତ|செய்யப்பட்ட செய்யப்பட்ட|చేయబడినది చేయబడినది|ಪ್ರಾಯೋಜಿಸಲಾಗಿದೆ|ചെയ്തത് ചെയ്തത്|ලද ලද ලද|สนับสนุน สนับสนุน รับ สนับสนุน สนับสนุน|ကြော်ငြာ ကြော်ငြာ|ឧបត្ថម្ភ ឧបត្ថម្ភ ឧបត្ថម្ភ|광고|贊助|内容 内容|贊助|告 告|広告|സ്പോൺസർ ചെയ്തത്)/)) { visibility: hidden !important; }
+instagram.com#$?#article:has(> div[style*="display: none !important;"]:only-child) { padding-bottom: 0px !important; border-bottom: none !important; border: none !important; }
+!
+! Tiktok
+! https://github.com/AdguardTeam/AdguardFilters/issues/180614
+!+ NOT_PLATFORM(ext_ublock)
+tiktok.com#%#//scriptlet('json-prune-fetch-response', 'itemList.*.ad_info.ad_id', '', 'api/recommend/item_list')
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/179481
+! UpFiles
+upfiles-urls.com,falpus.com,plknu.com,nexnoo.com,simana.online,efhjd.com,upfilesurls.com#%#//scriptlet('prevent-window-open')
+upfiles-urls.com,falpus.com,plknu.com,nexnoo.com,simana.online,efhjd.com,upfilesurls.com#%#//scriptlet('set-constant', 'shouldOpenPopUp', 'false')
+!
+! Broadcasts ASSIA.TV
+fullassia.com,assia24.com,assia23.com,assia4.com,assia.*#%#//scriptlet('prevent-window-open')
+fullassia.com,assia24.com,assia23.com,assia4.com#%#//scriptlet("abort-on-property-read", "ClickUnder")
+fullassia.com,assia24.com,assia23.com,assia4.com,assia.*##body > div[class^="ban"]
+/css/banr*.html$domain=fullassia.com|assia.*|assia4.com|assia23.com|assia24.com
+/css/jquerymin*.js$domain=fullassia.com|assia.*|assia4.com|assia23.com|assia24.com
+/css/bannernov.js$domain=fullassia.com|assia.*|assia4.com|assia23.com|assia24.com
+!
+! Same project sports streaming sites
+! https://github.com/AdguardTeam/AdguardFilters/issues/174993
+f1box.me,mlbbox.me,mlbbox.me,mmastreams.me,nbabox.me,nflbox.me,nhlbox.me,tennisonline.me,dartsstreams.com,vipboxtv.*,dartsstream.me,golfstreams.me,motogpstream.me,rugbystreams.me,socceronline.me,tennisstreams.me,boxingstreams.me,ufcstream.me,mlbstream.me,nbastream.nu,cricstream.me##.m-1.fw-bold.btn-danger.btn
+f1box.me,golfstreams.me,mlbbox.me,mlbbox.me,mmastreams.me,motogpstream.me,nbabox.me,nflbox.me,nhlbox.me,rugbystreams.me,socceronline.me,tennisonline.me,cricstream.me##.position-absolute.bg-opacity-50
+dartsstreams.com,vipboxtv.*,dartsstream.me,golfstreams.me,motogpstream.me,rugbystreams.me,socceronline.me,tennisstreams.me,boxingstreams.me,ufcstream.me,mlbstream.me,nbastream.nu,live.crackstreams.se##.position-absolute.bg-opacity-50
+!
+! myabandonware.com
+myabandonware.com###content > .abox
+myabandonware.com###content + div[id] > div[class="menu"]
+myabandonware.com##.items.games > div:not([class*="itemListGame"]):not([class*="filler"])
+myabandonware.com##.platformDownload + div[class][id]
+myabandonware.com##[id] > a[href][target="_top"][rel][style] > :is(img, picture)
+myabandonware.com###content > .box.metas > div:not([class], [id]):not(:has(> *))
+myabandonware.com#$##content > .box.metas > .gameData { width: 100% !important; }
+myabandonware.com#$?#div[class][id]:has(> div:matches-attr(/data-[a-z][0-9]{3,4}-ad/):only-child) { remove: true; }
+myabandonware.com#?#div:matches-attr(/data-[a-z][0-9]{3,4}-ad/)
+||myabandonware.com/media/img/pwn/
+||myabandonware.com/media/img/g2a/
+||myabandonware.com/media/img/innog/
+||myabandonware.com/media/img/wgm/
+!
+! Tegna Inc.
+myfoxzone.com,wtol.com,5newsonline.com,fox61.com,wqad.com,fox43.com,10tv.com,localmemphis.com,newswest9.com,weareiowa.com,krem.com,kcentv.com,cbs19.tv,kiiitv.com,12newsnow.com,cbs8.com,kvue.com,wbir.com,wltx.com,wgrz.com,newscentermaine.com,whas11.com,ktvb.com,13wmaz.com,firstcoastnews.com,wnep.com,wtsp.com,wfaa.com,kgw.com,king5.com,wcnc.com,kens5.com,ksdk.com,khou.com,wusa9.com,abc10.com,wwltv.com,11alive.com,wfmynews2.com,thv11.com,9news.com,wkyc.com,wzzm13.com,kare11.com,13newsnow.com,12news.com##html[data-platform="desktop"] div[data-module="grid"] > div.grid__section:has(> div.grid__content > div.grid__main > div.grid__cell > div > div[data-module-sizer="ad"])
+!
+! kickassanimes.info
+kickassanimes.*,kaas.*,kickassanime.*##.hide-button
+kickassanimes.*,kaas.*,kickassanime.*##.hide-button + a[target="_blank"] > img
+kickassanimes.*,kaas.*,kickassanime.*##.latest-update .col-md-6:has(> .text-center > .hide-button)
+!
+! fulltv
+||ver.gratis^$~image,domain=fulltv.com.ar|fulltv.tv|fulltv.com.mx
+||fulltv.video^$~image,domain=fulltv.com.ar|fulltv.tv|fulltv.com.mx
+fulltv.tv###wrap > div[class]:has(> div > iframe[src*="fulltv.video/"])
+fulltv.tv###content > div[class]:has(> iframe[src*="fulltv.video/"])
+fulltv.tv###canales-derecha > div[class]:has(iframe[src*="fulltv.video/"])
+fulltv.com.ar###wrap > div[class]:has(> div > iframe[src*="ver.gratis/"])
+fulltv.com.ar###content > div[class]:has(> iframe[src*="ver.gratis/"])
+fulltv.com.ar###canales-derecha > div[class]:has(iframe[src*="ver.gratis/"])
+fulltv.com.mx,fulltv.tv##.social > div[class]:has(iframe[src*="fulltv.video/"])
+fulltv.com.mx,fulltv.com.ar##div[class^="tt"]
+!
+! torrentgalaxy.to - changes ads frequently
+torrentgalaxy.to,torrentgalaxy.mx##a[href*="?"][href*="="] img[data-src="bin"]
+torrentgalaxy.to,torrentgalaxy.mx##div[style="margin-bottom:10px;"] div > a > div > img
+torrentgalaxy.to,torrentgalaxy.mx##div[style="margin-top:10px;"] div > a > div > img
+torrentgalaxy.to,torrentgalaxy.mx##div[style^="margin:"] div > a > div > img
+!
+! puzzle-*.com games
+puzzle-minesweeper.com,puzzle-chess.com,puzzle-thermometers.com,puzzle-norinori.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-words.com,puzzle-shakashaka.com,puzzle-kakuro.com,puzzle-jigsaw-sudoku.com,puzzle-killer-sudoku.com,puzzle-binairo.com,puzzle-nonograms.com,puzzle-loop.com,puzzle-sudoku.com,puzzle-light-up.com,puzzle-bridges.com,puzzle-shikaku.com,puzzle-nurikabe.com,puzzle-dominosa.com##div[id^="Skyscraper"]
+puzzle-minesweeper.com,puzzle-chess.com,puzzle-thermometers.com,puzzle-norinori.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-words.com,puzzle-shakashaka.com,puzzle-kakuro.com,puzzle-jigsaw-sudoku.com,puzzle-killer-sudoku.com,puzzle-binairo.com,puzzle-nonograms.com,puzzle-loop.com,puzzle-sudoku.com,puzzle-light-up.com,puzzle-bridges.com,puzzle-shikaku.com,puzzle-nurikabe.com,puzzle-dominosa.com##.ad-options
+puzzle-minesweeper.com,puzzle-chess.com,puzzle-thermometers.com,puzzle-norinori.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-words.com,puzzle-shakashaka.com,puzzle-kakuro.com,puzzle-jigsaw-sudoku.com,puzzle-killer-sudoku.com,puzzle-binairo.com,puzzle-nonograms.com,puzzle-loop.com,puzzle-sudoku.com,puzzle-light-up.com,puzzle-bridges.com,puzzle-shikaku.com,puzzle-nurikabe.com,puzzle-dominosa.com###bannerTop
+puzzle-minesweeper.com,puzzle-chess.com,puzzle-thermometers.com,puzzle-norinori.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-words.com,puzzle-shakashaka.com,puzzle-kakuro.com,puzzle-jigsaw-sudoku.com,puzzle-killer-sudoku.com,puzzle-binairo.com,puzzle-nonograms.com,puzzle-loop.com,puzzle-sudoku.com,puzzle-light-up.com,puzzle-bridges.com,puzzle-shikaku.com,puzzle-nurikabe.com,puzzle-dominosa.com###bannerTopSpacer
+!
+! op.gg
+esports.op.gg##.content > .flex.items-center:has(> div[id^="div-gpt-"]:only-child)
+esports.op.gg##.content > .flex.items-center:has(> div.items-center[class*="bg-gray-"]:only-child > div[id^="div-gpt-"]:only-child)
+esports.op.gg##.flex-row > .hidden > .flex.items-center:has(> div[id^="div-gpt-"]:only-child)
+duo.op.gg###duo-container div.flex > div.mt-2:has(> ins.adsbygoogle)
+op.gg###duo-ad-box
+op.gg##.mode-header-container ~ div[class^="css-"] > div[class^="css-"]:has(> div > div.vm-placement)
+op.gg###content-header ~ div[class^="css-"] > div.fixed
+op.gg###banner-container
+op.gg##div[class*="eylegve"]
+op.gg##main > div[style][class^="css-"]:has(> div:not([class]) > div.vm-placement)
+op.gg###__next > div[class^="css-"]:has(> div[id^="div-gpt-ad"])
+op.gg###__next > div[class^="css-"] > div[class*="css-"]:has(> div[id^="div-gpt-ad-"])
+op.gg###content-container > *:not([class]) > div[class^="css-"]:has(> div[class] > div.vm-placement)
+op.gg##div[class^="Game Game--Result"] + div[result] + div[class^="css-"]:has(> div > div.vm-placement)
+!
+! scoresports*.com - frequently changed domains
+scoresports786.com,scoresports787.com,scoresports788.com,scoresports789.com,scoresports790.com,scoresports791.com,scoresports792.com,scoresports793.com,scoresports794.com,scoresports795.com,scoresports796.com,scoresports797.com,scoresports798.com,scoresports799.com,scoresports800.com,scoresports801.com##center > a[target="_blank"] > img
+!
+! 808scoretv
+! *808* - frequently changed domains
+! Maybe could be generic
+score808.tv,808ball.com,score808pro.com##.min-height-fullscreen a.banner
+!
+! UKRadioLive
+irishradiolive.com,myonlineradio.at,myonlineradio.de,myonlineradio.hu,myonlineradio.nl,myonlineradio.sk,myradioendirect.fr,myradioenvivo.ar,myradioenvivo.mx,myradioonline.cl,myradioonline.es,myradioonline.it,myradioonline.pl,myradioonline.ro,ukradiolive.com#$#@media (min-width: 1200px) { ._bannerTop1 { height: 90px !important; } }
+irishradiolive.com,myonlineradio.at,myonlineradio.de,myonlineradio.hu,myonlineradio.nl,myonlineradio.sk,myradioendirect.fr,myradioenvivo.ar,myradioenvivo.mx,myradioonline.cl,myradioonline.es,myradioonline.it,myradioonline.pl,myradioonline.ro,ukradiolive.com#$#._bannerTop1 { background-color: transparent !important; }
+irishradiolive.com,myonlineradio.at,myonlineradio.de,myonlineradio.hu,myonlineradio.nl,myonlineradio.sk,myradioendirect.fr,myradioenvivo.ar,myradioenvivo.mx,myradioonline.cl,myradioonline.es,myradioonline.it,myradioonline.pl,myradioonline.ro,ukradiolive.com#$#.topHorizontalBanner { position: absolute !important; left: -3000px !important; }
+/inside-banner.mini.js$domain=irishradiolive.com|myonlineradio.at|myonlineradio.de|myonlineradio.hu|myonlineradio.nl|myonlineradio.sk|myradioendirect.fr|myradioenvivo.ar|myradioenvivo.mx|myradioonline.cl|myradioonline.es|myradioonline.it|myradioonline.pl|myradioonline.ro|ukradiolive.com
+!
+! START: google
+! https://github.com/AdguardTeam/AdguardFilters/issues/129955
+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.cn,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.bz,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.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.nf,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.sa,google.com.sb,google.com.sg,google.com.sl,google.com.sv,google.com.tj,google.com.tr,google.com.tw,google.com.ua,google.com.uy,google.com.vc,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.hn,google.hr,google.ht,google.hu,google.ie,google.im,google.iq,google.is,google.it,google.je,google.jo,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.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.tk,google.tl,google.tm,google.tn,google.to,google.tt,google.vg,google.vu,google.ws##div[data-is-promoted="true"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/64437
+!+ NOT_OPTIMIZED
+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.cn,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.bz,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.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.nf,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.sa,google.com.sb,google.com.sg,google.com.sl,google.com.sv,google.com.tj,google.com.tr,google.com.tw,google.com.ua,google.com.uy,google.com.vc,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.hn,google.hr,google.ht,google.hu,google.ie,google.im,google.iq,google.is,google.it,google.je,google.jo,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.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.tk,google.tl,google.tm,google.tn,google.to,google.tt,google.vg,google.vu,google.ws###bottomads > div[id^="tads"]
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/997
+!+ NOT_OPTIMIZED
+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.cn,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.bz,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.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.nf,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.sa,google.com.sb,google.com.sg,google.com.sl,google.com.sv,google.com.tj,google.com.tr,google.com.tw,google.com.ua,google.com.uy,google.com.vc,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.hn,google.hr,google.ht,google.hu,google.ie,google.im,google.iq,google.is,google.it,google.je,google.jo,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.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.tk,google.tl,google.tm,google.tn,google.to,google.tt,google.vg,google.vu,google.ws###taw #tvcap ._hsi.mnr-c
+! google.com - images search on mobiles
+!+ NOT_OPTIMIZED
+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.cn,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.bz,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.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.nf,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.sa,google.com.sb,google.com.sg,google.com.sl,google.com.sv,google.com.tj,google.com.tr,google.com.tw,google.com.ua,google.com.uy,google.com.vc,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.hn,google.hr,google.ht,google.hu,google.ie,google.im,google.iq,google.is,google.it,google.je,google.jo,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.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.tk,google.tl,google.tm,google.tn,google.to,google.tt,google.vg,google.vu,google.ws##div[role="navigation"] + c-wiz > div > .kxhcC
+!+ NOT_OPTIMIZED
+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.cn,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.bz,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.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.nf,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.sa,google.com.sb,google.com.sg,google.com.sl,google.com.sv,google.com.tj,google.com.tr,google.com.tw,google.com.ua,google.com.uy,google.com.vc,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.hn,google.hr,google.ht,google.hu,google.ie,google.im,google.iq,google.is,google.it,google.je,google.jo,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.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.tk,google.tl,google.tm,google.tn,google.to,google.tt,google.vg,google.vu,google.ws###search div[jscontroller][jsaction] > div[class] > div[jscontroller] div[jscontroller] > div[jscontroller] > div[jsname][jscontroller][jsaction][data-record-click-time][class]
+!
+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.cn,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.bz,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.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.nf,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.sa,google.com.sb,google.com.sg,google.com.sl,google.com.sv,google.com.tj,google.com.tr,google.com.tw,google.com.ua,google.com.uy,google.com.vc,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.hn,google.hr,google.ht,google.hu,google.ie,google.im,google.iq,google.is,google.it,google.je,google.jo,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.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.tk,google.tl,google.tm,google.tn,google.to,google.tt,google.vg,google.vu,google.ws##.ilovz
+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.cn,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.bz,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.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.nf,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.sa,google.com.sb,google.com.sg,google.com.sl,google.com.sv,google.com.tj,google.com.tr,google.com.tw,google.com.ua,google.com.uy,google.com.vc,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.hn,google.hr,google.ht,google.hu,google.ie,google.im,google.iq,google.is,google.it,google.je,google.jo,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.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.tk,google.tl,google.tm,google.tn,google.to,google.tt,google.vg,google.vu,google.ws##div[data-attrid="kc:/local:promotions"]
+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.cn,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.bz,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.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.nf,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.sa,google.com.sb,google.com.sg,google.com.sl,google.com.sv,google.com.tj,google.com.tr,google.com.tw,google.com.ua,google.com.uy,google.com.vc,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.hn,google.hr,google.ht,google.hu,google.ie,google.im,google.iq,google.is,google.it,google.je,google.jo,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.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.tk,google.tl,google.tm,google.tn,google.to,google.tt,google.vg,google.vu,google.ws###rso > div.sh-sr__shop-result-group[data-hveid]
+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.cn,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.bz,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.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.nf,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.sa,google.com.sb,google.com.sg,google.com.sl,google.com.sv,google.com.tj,google.com.tr,google.com.tw,google.com.ua,google.com.uy,google.com.vc,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.hn,google.hr,google.ht,google.hu,google.ie,google.im,google.iq,google.is,google.it,google.je,google.jo,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.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.tk,google.tl,google.tm,google.tn,google.to,google.tt,google.vg,google.vu,google.ws##.cu-container
+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.cn,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.bz,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.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.nf,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.sa,google.com.sb,google.com.sg,google.com.sl,google.com.sv,google.com.tj,google.com.tr,google.com.tw,google.com.ua,google.com.uy,google.com.vc,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.hn,google.hr,google.ht,google.hu,google.ie,google.im,google.iq,google.is,google.it,google.je,google.jo,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.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.tk,google.tl,google.tm,google.tn,google.to,google.tt,google.vg,google.vu,google.ws##.uEierd
+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.cn,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.bz,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.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.nf,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.sa,google.com.sb,google.com.sg,google.com.sl,google.com.sv,google.com.tj,google.com.tr,google.com.tw,google.com.ua,google.com.uy,google.com.vc,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.hn,google.hr,google.ht,google.hu,google.ie,google.im,google.iq,google.is,google.it,google.je,google.jo,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.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.tk,google.tl,google.tm,google.tn,google.to,google.tt,google.vg,google.vu,google.ws##a[data-ad-tracking-url]
+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.cn,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.bz,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.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.nf,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.sa,google.com.sb,google.com.sg,google.com.sl,google.com.sv,google.com.tj,google.com.tr,google.com.tw,google.com.ua,google.com.uy,google.com.vc,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.hn,google.hr,google.ht,google.hu,google.ie,google.im,google.iq,google.is,google.it,google.je,google.jo,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.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.tk,google.tl,google.tm,google.tn,google.to,google.tt,google.vg,google.vu,google.ws##div[data-org-tls] > div.JgC4m[class*=" "]
+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.cn,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.bz,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.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.nf,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.sa,google.com.sb,google.com.sg,google.com.sl,google.com.sv,google.com.tj,google.com.tr,google.com.tw,google.com.ua,google.com.uy,google.com.vc,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.hn,google.hr,google.ht,google.hu,google.ie,google.im,google.iq,google.is,google.it,google.je,google.jo,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.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.tk,google.tl,google.tm,google.tn,google.to,google.tt,google.vg,google.vu,google.ws###rhs_block .xpdopen div[data-ved] > .mod[data-ved]:not([data-attrid])
+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.cn,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.bz,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.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.nf,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.sa,google.com.sb,google.com.sg,google.com.sl,google.com.sv,google.com.tj,google.com.tr,google.com.tw,google.com.ua,google.com.uy,google.com.vc,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.hn,google.hr,google.ht,google.hu,google.ie,google.im,google.iq,google.is,google.it,google.je,google.jo,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.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.tk,google.tl,google.tm,google.tn,google.to,google.tt,google.vg,google.vu,google.ws##.gws-local-promotions__border
+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.cn,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.bz,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.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.nf,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.sa,google.com.sb,google.com.sg,google.com.sl,google.com.sv,google.com.tj,google.com.tr,google.com.tw,google.com.ua,google.com.uy,google.com.vc,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.hn,google.hr,google.ht,google.hu,google.ie,google.im,google.iq,google.is,google.it,google.je,google.jo,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.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.tk,google.tl,google.tm,google.tn,google.to,google.tt,google.vg,google.vu,google.ws##.gws-local-hotels__booking-module
+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.cn,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.bz,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.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.nf,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.sa,google.com.sb,google.com.sg,google.com.sl,google.com.sv,google.com.tj,google.com.tr,google.com.tw,google.com.ua,google.com.uy,google.com.vc,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.hn,google.hr,google.ht,google.hu,google.ie,google.im,google.iq,google.is,google.it,google.je,google.jo,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.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.tk,google.tl,google.tm,google.tn,google.to,google.tt,google.vg,google.vu,google.ws###tads
+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.cn,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.bz,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.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.nf,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.sa,google.com.sb,google.com.sg,google.com.sl,google.com.sv,google.com.tj,google.com.tr,google.com.tw,google.com.ua,google.com.uy,google.com.vc,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.hn,google.hr,google.ht,google.hu,google.ie,google.im,google.iq,google.is,google.it,google.je,google.jo,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.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.tk,google.tl,google.tm,google.tn,google.to,google.tt,google.vg,google.vu,google.ws##.ads-ad
+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.cn,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.bz,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.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.nf,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.sa,google.com.sb,google.com.sg,google.com.sl,google.com.sv,google.com.tj,google.com.tr,google.com.tw,google.com.ua,google.com.uy,google.com.vc,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.hn,google.hr,google.ht,google.hu,google.ie,google.im,google.iq,google.is,google.it,google.je,google.jo,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.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.tk,google.tl,google.tm,google.tn,google.to,google.tt,google.vg,google.vu,google.ws##.luhb-div
+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.cn,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.bz,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.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.nf,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.sa,google.com.sb,google.com.sg,google.com.sl,google.com.sv,google.com.tj,google.com.tr,google.com.tw,google.com.ua,google.com.uy,google.com.vc,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.hn,google.hr,google.ht,google.hu,google.ie,google.im,google.iq,google.is,google.it,google.je,google.jo,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.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.tk,google.tl,google.tm,google.tn,google.to,google.tt,google.vg,google.vu,google.ws#?#.rl_full-list div.rl_tile-group > .rlfl__tls > div > div[data-hveid] > div[class]:has(> div > a > div[class] > .gghBu)
+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.cn,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.bz,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.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.nf,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.sa,google.com.sb,google.com.sg,google.com.sl,google.com.sv,google.com.tj,google.com.tr,google.com.tw,google.com.ua,google.com.uy,google.com.vc,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.hn,google.hr,google.ht,google.hu,google.ie,google.im,google.iq,google.is,google.it,google.je,google.jo,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.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.tk,google.tl,google.tm,google.tn,google.to,google.tt,google.vg,google.vu,google.ws###center_col > #taw > #tvcap > .cu-container > .commercial-unit-desktop-top
+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.cn,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.bz,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.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.nf,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.sa,google.com.sb,google.com.sg,google.com.sl,google.com.sv,google.com.tj,google.com.tr,google.com.tw,google.com.ua,google.com.uy,google.com.vc,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.hn,google.hr,google.ht,google.hu,google.ie,google.im,google.iq,google.is,google.it,google.je,google.jo,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.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.tk,google.tl,google.tm,google.tn,google.to,google.tt,google.vg,google.vu,google.ws#?#.rlfl__tls > div[jstcache="0"]:not([class]):not([id]):has(span._mB)
+google.*#?##kp-wp-tab-overview > div[data-hveid]:has(> div[jsname] div[class*="__wholepage-card"] > div > div[class] div[class] > a[href^="/aclk?"])
+google.*#?##kp-wp-tab-overview > div[data-hveid]:has(> div[jsname] div[class*="__wholepage-card"] > div > div[class] div[class] > a[href^="https://www.googleadservices.com/pagead/"])
+google.*#?##bottom-pane .section-carousel-item-container > div[jstcache]:has(> div[class*="__body-content"] > div[class*="__text-content"] > span > span[class*="__ad-badge"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/76433
+google.*#?#body > div[class]:has(> div > div[data-hveid] > a.sh-np__click-target[data-merchant-id])
+google.*#?##search div[data-hveid] div[jscontroller] div[jscontroller][data-hveid]:has(> div[jsname][jsaction] a[data-ved] div[role="heading"] + span[class] > span[class] > span[style="padding:0 5px"])
+! google map ad
+google.*#?#div[jscontroller][jsaction] > div[jsname][jscontroller][data-record-click-time]:has(> div[jsname] > div[class] > a[jsname] > div[class] > span.rllt__details > div > span[class]:contains(Ad))
+! google shopping
+google.*#?#div[eid][data-async-context] > .sh-sr__shop-result-group[data-hveid]:has(> div[class] > div[class] > .sh-sp__plain)
+!+ NOT_OPTIMIZED
+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.cn,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.bz,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.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.nf,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.sa,google.com.sb,google.com.sg,google.com.sl,google.com.sv,google.com.tj,google.com.tr,google.com.tw,google.com.ua,google.com.uy,google.com.vc,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.hn,google.hr,google.ht,google.hu,google.ie,google.im,google.iq,google.is,google.it,google.je,google.jo,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.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.tk,google.tl,google.tm,google.tn,google.to,google.tt,google.vg,google.vu,google.ws##.flt-actionblock
+! END: google
+!
+! https://github.com/AdguardTeam/CoreLibs/issues/492
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/84827
+||outlook.live.com/ows/*/OutlookOptions/AdsAggregate
+/owa.MailBoot~MessageAdList.json$domain=outlook.live.com
+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)
+outlook.live.com##div[role="region"][data-max-height] > div.threeColItemViewSenderImageOn + div div:empty
+outlook.live.com#?##app > .ms-Fabric > div[class] > div[class] > div[class]:has(> div > div > div[id^="owaadbar"])
+outlook.live.com#?#div[data-app-section="MessageList"] div[role="listbox"] .customScrollBar > div[style] > div[style^="position: absolute"]:first-child:has(i[data-icon-name="Delete"] + div + button)
+outlook.live.com#?##app > div[class] > div[class] > div[class] > div[class]:not(.ms-FocusZone):not([class^="screenReaderText"]) div[data-max-width][data-skip-link-name] > div[style^="padding-right:"] + div[tabindex] div.customScrollBar > div[class] > div[class]:not([id]):not([data-convid]):has(> div:not([class]) div[class] > div[style] + div.fbAdLink)
+!outlook.live.com#?##app > div[class] > div[class] > div[class] > div[class]:not(.ms-FocusZone):not([class^="screenReaderText"]):has(> div > button[data-is-focusable])
+outlook.live.com#?##app > div[class] > div[class] > div[class] > div[class]:not(.ms-FocusZone):not([class^="screenReaderText"]) div[data-max-width] + div[class]:has(> div[class] > div > div[id^="owaadbar"])
+! outlook.live.com - left-over when density set to Cozy/Compact
+outlook.live.com#?#.customScrollBar[data-is-scrollable] > div[class] > div[class]:not([data-convid]):has(> div:not([id]):not([class]) > div[class] > div[class] > div[class] > div[class] > div[class] > .fbAdLink)
+! breaks page layout
+! https://github.com/AdguardTeam/AdguardFilters/issues/169476
+! outlook.live.com##.customScrollBar > div[class] > div[class]:empty
+!
+! missav.com
+myav.com,missav.*,missav123.com,missav789.com,missav888.com##div[x-show^="recommendItems"] ~ div[class]:has(> div > div.mx-auto > div.flex > a[rel^="sponsored"])
+myav.com,missav.*,missav123.com,missav789.com,missav888.com##.relative > div[x-init*="campaignId=under_player"]
+myav.com,missav.*,missav123.com,missav789.com,missav888.com#%#//scriptlet('abort-current-inline-script', 'document.createElement', 'htmlAds')
+myav.com,missav.*,missav123.com,missav789.com,missav888.com#%#//scriptlet('prevent-window-open')
+!
+! 7mmtv.sx
+mmtv01.xyz#%#//scriptlet('prevent-setTimeout', 'window.open')
+mmtv01.xyz#%#//scriptlet('set-constant', 'premium', '')
+mmtv01.xyz#%#//scriptlet('trusted-replace-node-text', 'script', 'openNewTab', '/openNewTab[(]".*?"[)]/g', 'null')
+7mm003.cc,7mmtv.sx#%#//scriptlet('trusted-click-element', 'div[id^="mvspan_"][id*="_s_k_i_p_b"]', '', '500')
+7mmtv.sx#%#//scriptlet('prevent-window-open')
+7mm003.cc,7mmtv.sx##div[id][style^="position: absolute; z-index: 12345;width: 100%; height: 100%; left: 0; top: 0;background: gold;"]
+7mm003.cc,7mmtv.sx##body .set_height_250
+!
+! charismanews.com
+||minio.charismamedia.com/*/ads.css$domain=charismanews.com
+||minio.charismamedia.com/*/background.jpg$domain=charismanews.com
+charismanews.com###FrontpageFeatureRightColumn
+charismanews.com##.RightBnrWrap
+charismanews.com##div[style="min-width: 300px; min-height: 250px;"]
+charismanews.com###articles > article.article:has(> div.contentBoxWrap a[href^="https://servedby.aqua-adserver.com/"])
+!+ NOT_PLATFORM(android, ios)
+charismanews.com#$##headerAreaWrap { height: 180px !important; }
+!
+! check-host.net
+! Make sure that https://check-host.net/about/api is not broken
+check-host.net##div[class*="sm:text-left"]:has(> span > img[src="/images/close.svg"])
+check-host.net##div[class*=":"]:has(> a[onclick] > img)
+check-host.net#?#*[class*="extra-"]:upward(4)
+check-host.net##.rw-elative
+check-host.net#%#//scriptlet('trusted-set-cookie', 'closeb_advertisments', '"privatealps,pp-juiaryt2,pp-juiaryt"')
+! check-host.net#?#a:contains(/[Aa][Ee]|[xX][hH][oO]|[hH][oO][rR]|[]/):upward(3)
+!
+! quora.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/149846
+! https://github.com/AdguardTeam/AdguardFilters/issues/143083
+quora.com#?#.qu-pb--medium > .q-box.qu-borderAll:has(> .q-box > .qu-py--small > .q-box > div[id^="div-gpt-"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/97427
+quora.com#?#.q-box[style^="box-sizing:"] > div.q-box:has(> span[data-nosnippet="true"] > div.q-box[style="display: none !important;"])
+! quora.com - sponsored posts on the main page
+quora.com#?#div[style="box-sizing: border-box; direction: ltr;"] > div > div[class^="Box-"]:has(div[display="inline-block"]:contains(/Sponsored|Promoted by/))
+quora.com#?#div[style="box-sizing: border-box; direction: ltr;"] > div > div[class^="Box-"]:has(div[class="q-flex qu-mb--tiny"] > div > div.q-text:contains(/Sponsored|Promoted by/))
+! https://github.com/AdguardTeam/AdguardFilters/issues/167110
+it.quora.com#?#.q-box > div:has(> div.q-box > div[style="box-sizing: border-box; display: flex; flex: 1 1 0%;"] > div:contains(Annuncio))
+!
+quora.com##.spacing_log_question_page_ad
+quora.com##div.Bundle:not([class*=" "])[data-clog-metadata]
+quora.com##div[data-clog-metadata*="promoted_content"]
+quora.com##.AdBundle
+quora.com##.NewGridQuestionPage .linked_content
+quora.com#?#.AnswerListDiv > div.AnswerPagedList > div.pagedlist_item:has(a.promoted_hlink)
+!
+! androidauthority.com
+androidauthority.com#?#main div[class]:has(> div[class]:matches-property(/__reactFiber/.return.memoizedProps.type=med_rect_atf))
+androidauthority.com#?#main div[class]:has(> div[class]:only-child:matches-property(/__reactFiber/.return.memoizedProps.type=leaderboard_atf))
+androidauthority.com##._--_-___xl
+androidauthority.com##._--_-___Yb
+androidauthority.com##div[class]:has(> .pw-incontent:only-child)
+androidauthority.com##main > div > div:empty
+! gameme.eu
+! gameme.eu#?#.vc_row > div.vc_column:has(> div.wpb_wrapper > div.td-a-rec) - breaks article https://gameme.eu/wie-man-die-geheimtuer-im-keller-in-baldurs-gate-3-oeffnet/
+gameme.eu#?#.wpb_wrapper > div.vc_row_inner:has(> div.td-pb-span12 > div.vc_column-inner> div.wpb_wrapper > div.td-a-rec)
+gameme.eu#?#.tdc_zone > div.td-stretch-content:has(> div.vc_row > div.td-pb-span12 > div.wpb_wrapper > div.td-a-rec)
+!
+! https://github.com/AdguardTeam/AdguardFilters/pull/91033
+learn-c.org,learn-cpp.org,learn-golang.org,learn-html.org,learn-js.org,learn-perl.org,learn-php.org,learncs.org,learnjavaonline.org,learnpython.org,learnrubyonline.org,learnscala.org,learnshell.org,learnsqlonline.org#?##google-ad-right > div[class]:not(:has(> div > a[href]))
+learn-c.org,learn-cpp.org,learn-golang.org,learn-html.org,learn-js.org,learn-perl.org,learn-php.org,learncs.org,learnjavaonline.org,learnpython.org,learnrubyonline.org,learnscala.org,learnshell.org,learnsqlonline.org#?##google-ad-right > h4:contains(Sponsors)
+learn-c.org,learn-cpp.org,learn-golang.org,learn-html.org,learn-js.org,learn-perl.org,learn-php.org,learncs.org,learnjavaonline.org,learnpython.org,learnrubyonline.org,learnscala.org,learnshell.org,learnsqlonline.org#?##google-ad-right > h4:contains(Sponsors) + div > a
+!
+! facebook.com
+facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##div[role="complementary"] div:not([class]):not([id]) > span:not([class]):not([id]):not([aria-labelledby])
+[$path=/marketplace/item]facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##a[href*="ads/about"]
+[$path=/marketplace/item]facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##a[href*="ads/about"] + div[class]
+facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##a[href="/ads/about/?entry_product=ad_preferences"]
+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*=" "])
+facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##strong > a[href*="facebook.com"][href*="/shop/?ref"]:not([href*="l.php"])
+||facebook.com/ajax/bnzai*__comet_req=
+facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##div[data-pagelet^="BrowseFeedUpsell_"] div[class][style^="max-width:"] > span
+facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion###megamall_rhc_ssfy_pagelet
+facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion###pagelet_ego_pane > .pagelet:not(.egoOrganicColumn)
+m.alpha.facebook.com,touch.alpha.facebook.com,mtouch.alpha.facebook.com,x.alpha.facebook.com,iphone.alpha.facebook.com,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,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[data-sigil*="AdStory"]
+||facebook.com/audiencenetwork/web/?
+||facebook.com/whitepages/wpminiprofile.php?partner_id=$third-party
+facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion#?#div[role="complementary"] > div[class] > div[class] > div[class] span > div > div:not([aria-label]):not([data-visualcompletion]):has(> div[class] > div[class] div[class] > a[href^="https://l."][href*="facebook.com/l.php?u="][target="_blank"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/135446#issuecomment-1332051619
+! Facebook Marketplace
+[$path=/marketplace/]facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion#$?#div[class][style^="max-width:"]:has(> span > div a[href^="/ads/about/"]) { display: none !important; }
+[$path=/marketplace/]facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion#$?#div[class][style^="max-width:"]:has(> span > div > a[target="_blank"]:not([href^="/marketplace/"])) { display: none !important; }
+! https://forum.adguard.com/index.php?threads/facebook-com.21192/
+! facebook.com marketplace item view - ad below initial item
+facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion#?#div[data-testid="marketplace_pdp_component"] div[style^="max-height:"] div[style^="max-height:"] > div[class] > div > div:not([class]):has(> div[class] > div[class] > a[href^="/ads/"])
+!
+! Thelocal
+thelocal.se,thelocal.no,thelocal.dk,thelocal.it,thelocal.at,thelocal.es,thelocal.de,thelocal.fr##.footer-sticker-ad
+thelocal.se,thelocal.no,thelocal.dk,thelocal.it,thelocal.at,thelocal.es,thelocal.de,thelocal.fr#?#.row > div[class^="row-"]:has(> a[href="#"] > .panel-ad)
+thelocal.se,thelocal.no,thelocal.dk,thelocal.it,thelocal.at,thelocal.es,thelocal.de,thelocal.fr#?#div > .section:has(> div[class*="-label"]:contains(Sponsored))
+thelocal.ch#?#div[id^="column"] > div[id^="column"] > div[id]:not([class]):has( > h2[id]:contains(From our sponsors))
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/127650
+lightnovelworld.co,lightnovelpub.fan,lightnovelpub.com##div[class]:has(> div[id^="pf-"]:only-child)
+lightnovelpub.fan,lightnovelpub.vip,lightnovelpub.com,lightnovelspot.com,webnovelpub.com##.container > div[class]:has(> *:is([data-stpd], [id^="gpt_slot_"]))
+lightnovelpub.fan,lightnovelpub.vip,lightnovelpub.com,lightnovelspot.com,webnovelpub.com##.comment-list > div[class]:has(> *:is([data-stpd], [id^="gpt_slot_"]))
+lightnovelpub.fan,lightnovelpub.vip,lightnovelpub.com,lightnovelspot.com,webnovelpub.com###chapter-container > div[class]:has(> *:is([data-stpd], [id^="gpt_slot_"]))
+lightnovelpub.fan,lightnovelpub.vip,lightnovelpub.com,lightnovelspot.com,webnovelpub.com##.container > div[class]:has(> .adsbygoogle)
+lightnovelpub.fan,lightnovelpub.vip,lightnovelpub.com,lightnovelspot.com,webnovelpub.com##.comment-list > div[class]:has(> .adsbygoogle)
+lightnovelpub.fan,lightnovelpub.vip,lightnovelpub.com,lightnovelspot.com,webnovelpub.com###chapter-container > div[class]:has(> .adsbygoogle)
+!
+! gismeteo
+gismeteo.lt###weather-alfa
+gismeteo.lv###weather-apollo
+gismeteo.com###weather-gis-news
+gismeteo.md##.top-media-placeholder
+gismeteo.lt,gismeteo.lv##div#weather-left[id="weather-left"]
+gismeteo.com,gismeteo.lt,gismeteo.lv##div#weather-right[id="weather-right"]
+gismeteo.lv###yandex
+gismeteo.ua#?#.article > div.items:has(> div#media-middle > div[id^="div-gpt-ad"])
+gismeteo.ua#?#.side > div.side__i:has(div[style*="240px;"][style*="400px;"])
+gismeteo.com,gismeteo.lt,gismeteo.pl#?#.right_col_1 > div.column-wrap > div.wrap_small:has(> div.media_frame > div.media_content > div.media_feed > div.media_title > a:contains(/RT News|15min.lt|Žinių radijas|Wiadomości z Polski i świata/))
+gismeteo.com,gismeteo.lv#?#.right_col_1 > div.column-wrap > div.wrap_small:has(> div.media_frame > div.media_content > div[id^="div-gpt-ad"])
+gismeteo.com,gismeteo.lt,gismeteo.pl#?#.page > div.page__i > div.layout > div.side > div.side__i:has(> div.side___i > div.ad)
+gismeteo.lt#?#.right_col_1 > div.column-wrap > div.wrap_small:has(> div.media_frame > div.media_content > div[id^=div-gpt-ad])
+gismeteo.lt,gismeteo.lv#?#.main > div.column-wrap div.__frame:has(> div.media_middle > div#media-middle > div[id^="div-gpt-ad"])
+gismeteo.lt,gismeteo.pl#?#.page > div.page__i > div.layout > div.side > noindex > div.extra:has(> div.extra__i > div.extrbcua > div.extra-title > span > a:contains(15min.lt|Wiadomości z Polski i świata))
+gismeteo.lt#?#.section > div.section__i > div.article > div.items:has(> div[id^="div-gpt-ad"])
+gismeteo.lv#?#.right_col_1 > div.column-wrap > div.wrap_small:has(> div.media_frame > div.media_content > div.media_feed > div.media_title:contains(/APOLLO.LV|TVNET/))
+gismeteo.pl#?#.right_col_1 > div.column-wrap > div.wrap_small:has(> div.media_frame > div.media_content > ins.adsbygoogle)
+gismeteo.pl#?#.main > div.column-wrap div.__frame:has(> div.media_middle > div#media-middle > ins.adsbygoogle)
+gismeteo.md#?#.content > div[class] > div[class] > div[class] > div[class] > div[class]:has(> div[class] > div[id] > center > h1:contains(404 Not Found))
+gismeteo.md#?#.content > div[class] > div[class] > div[class] > div[class] > div[class]:has(> div[class] > div[class] > div[class] > div[class] > a:contains(Accent-TV))
+!
+! 2ip.io,2ip.ru
+2ip.io,2ip.ru###main-menu > nav > ul > li > a[target="_blank"]
+2ip.io,2ip.ru##.add-top
+2ip.io,2ip.ru##.ip-links-container > div > i[class^="ip-icon-link"]
+2ip.io,2ip.ru##.ip-links-container > div > i[class^="ip-icon-link"] + a
+2ip.io,2ip.ru##.data_table a[target="_blank"] > i.ip-icon-warning
+2ip.io,2ip.ru##button[aria-label="Advert"]
+2ip.io,2ip.ru##.test-vpn
+2ip.io,2ip.ru##.mainadv
+2ip.io,2ip.ru##a[href^="https://2ip.io/?area=adBanner"]
+2ip.io,2ip.ru##div[class^="ad_result"]
+2ip.io,2ip.ru##.sidebar-adv
+2ip.io,2ip.ru#?#.data_table > div.data_item a:contains(/Уточнит|Исправить|Make it plain/)
+/banners/*$domain=2ip.io|2ip.ru
+!
+! Minute Media
+! 12 rules, don't forget to change all
+mentalfloss.com,90min.com,fansided.com,90min.de,12thmanrising.com,1428elm.com,8points9seconds.com,acceptthisrose.com,airalamo.com,allcougdup.com,allfortennessee.com,allstokedup.com,allucanheat.com,alongmainstreet.com,amazonadviser.com,animeaway.com,apptrigger.com,aroundthefoghorn.com,aroyalpain.com,arrowheadaddict.com,artofgears.com,askeverest.com,audiophix.com,autzenzoo.com,awaybackgone.com,awinninghabit.com,badgerofhonor.com,balldurham.com,bamahammer.com,bamsmackpow.com,bayernstrikes.com,bealestreetbears.com,beargoggleson.com,beaverbyte.com,behindthebuckpass.com,beyondtheflag.com,bigredlouie.com,birdswatcher.com,blackandteal.com,blackhawkup.com,blackoutdallas.com,bladesofteal.com,bleedinblue.com,bloggingdirty.com,blogoflegends.com,blogredmachine.com,bluelinestation.com,bluemanhoop.com,boltbeat.com,boltsbythebay.com,bosoxinjection.com,broadstreetbuzz.com,buffalowdown.com,bustingbrackets.com,bvbbuzz.com,calltothepen.com,caneswarning.com,cardiaccane.com,catcrave.com,causewaycrowd.com,champagneandshade.com,chopchat.com,chowderandchampions.com,cincyontheprowl.com,claireandjamie.com,claretvillans.com,climbingtalshill.com,clipperholics.com,cubbiescrib.com,culturess.com,dailyddt.com,dailyknicks.com,dairylandexpress.com,dawgpounddaily.com,dawindycity.com,dawnofthedawg.com,dearoldgold.com,deathvalleyvoice.com,detroitjockcity.com,devilsindetail.com,diredota.com,districtondeck.com,dodgersway.com,dogoday.com,dorksideoftheforce.com,dunkingwithwolves.com,ebonybird.com,editorinleaf.com,empirewritesback.com,everythingbarca.com,everythingontap.com,eyesonisles.com,factoryofsadness.co,fansided.combetsided,fansided.comes,fansided.comnetwork,fantasycpr.com,fightinggobbler.com,flameforthought.com,flywareagle.com,foodsided.com,foreverfortnite.com,fourfourcrew.com,foxesofleicester.com,friarsonbase.com,garnetandcocky.com,gbmwolverine.com,geeksided.com,gigemgazette.com,glorycolorado.com,gmenhq.com,gojoebruin.com,goldengatesports.com,gonepuckwild.com,greenstreethammers.com,guiltyeats.com,hailfloridahail.com,hailwv.com,halohangout.com,hardwoodhoudini.com,hiddenremote.com,hookemheadlines.com,hoopshabit.com,hoosierstateofmind.com,horseshoeheroes.com,hotspurhq.com,houseofhouston.com,housethathankbuilt.com,howlinhockey.com,huskercorner.com,insideibrox.com,insidetheiggles.com,insidetheloudhouse.com,interheron.com,jaysjournal.com,jetswhiteout.com,justblogbaby.com,kardashiandish.com,kckingdom.com,keepingitheel.com,kingjamesgospel.com,kingsofkauffman.com,krakenchronicle.com,lakeshowlife.com,lasportshub.com,lastnighton.com,lawlessrepublic.com,lobandsmash.com,localpov.com,lombardiave.com,mancitysquare.com,marlinmaniac.com,maroonandwhitenation.com,milehighsticking.com,mlsmultiplex.com,motorcitybengals.com,musketfire.com,netflixlife.com,newcastletoons.com,nflmocks.com,nflspinzone.com,ninernoise.com,nolanwritin.com,northbankrsl.com,nothinbutnets.com,nugglove.com,octopusthrower.com,oilonwhyte.com,oldjuve.com,olehottytoddy.com,onechicagocenter.com,orangeintheoven.com,orlandomagicdaily.com,otowns11.com,paininthearsenal.com,pelicandebrief.com,penslabyrinth.com,phinphanatic.com,pippenainteasy.com,pistonpowered.com,playingfor90.com,pokespost.com,precincttv.com,predlines.com,predominantlyorange.com,princerupertstower.com,progolfnow.com,psgpost.com,puckettspond.com,puckprose.com,pucksandpitchforks.com,pucksofafeather.com,raisingzona.com,ramblinfan.com,ranchesandreins.com,raptorsrapture.com,rayscoloredglasses.com,razorbackers.com,redbirdrants.com,reddevilarmada.com,redshirtsalwaysdie.com,reignoftroy.com,releasetheknappen.com,reportingkc.com,reviewingthebrew.com,rhymejunkie.com,riggosrag.com,rinkroyalty.com,ripcityproject.com,risingapple.com,roxpile.com,rubbingtherock.com,rumbunter.com,rushthekop.com,sabrenoise.com,saintsmarching.com,saturdayblitz.com,scarletandgame.com,section215.com,senshot.com,showsnob.com,sidelionreport.com,sircharlesincharge.com,skyscraperblues.com,slapthesign.com,soaringdownsouth.com,sodomojo.com,soundersnation.com,southboundanddown.com,southsideshowdown.com,spacecityscoop.com,spartanavenue.com,sportdfw.com,stairwayto11.com,starsandsticks.com,stillcurtain.com,stormininnorman.com,stormthepaint.com,stripehype.com,survivingtribal.com,swarmandsting.com,teaandbanter.com,tenntruth.com,terrapinstationmd.com,thatballsouttahere.com,thecanuckway.com,thecelticbhoys.com,thehuskyhaul.com,thejetpress.com,thejnotes.com,thelandryhat.com,theparentwatch.com,thepewterplank.com,theprideoflondon.com,therattrick.com,therealchamps.com,thesixersense.com,thesmokingcuban.com,thetimberlean.com,thetopflight.com,theviewfromavalon.com,thevikingage.com,throughthephog.com,thunderousintentions.com,tipofthetower.com,titansized.com,torontoreds.com,torotimes.com,tripsided.com,trumanstales.com,undeadwalking.com,underthelaces.com,unionandblue.com,valleyofthesuns.com,vegashockeyknight.com,venomstrikes.com,victorybellrings.com,vivaligamx.com,whitecleatbeat.com,whodatdish.com,wildcatbluenation.com,winteriscoming.net,withthefirstpick.com,wizofawes.com,wreckemred.com,writingillini.com,dbltap.com,fansidedmma.com,poppicante.com,yanksgoyard.com,yellowjackedup.com,zonazealots.com##.header-billboard
+mentalfloss.com,90min.com,fansided.com,90min.de,12thmanrising.com,1428elm.com,8points9seconds.com,acceptthisrose.com,airalamo.com,allcougdup.com,allfortennessee.com,allstokedup.com,allucanheat.com,alongmainstreet.com,amazonadviser.com,animeaway.com,apptrigger.com,aroundthefoghorn.com,aroyalpain.com,arrowheadaddict.com,artofgears.com,askeverest.com,audiophix.com,autzenzoo.com,awaybackgone.com,awinninghabit.com,badgerofhonor.com,balldurham.com,bamahammer.com,bamsmackpow.com,bayernstrikes.com,bealestreetbears.com,beargoggleson.com,beaverbyte.com,behindthebuckpass.com,beyondtheflag.com,bigredlouie.com,birdswatcher.com,blackandteal.com,blackhawkup.com,blackoutdallas.com,bladesofteal.com,bleedinblue.com,bloggingdirty.com,blogoflegends.com,blogredmachine.com,bluelinestation.com,bluemanhoop.com,boltbeat.com,boltsbythebay.com,bosoxinjection.com,broadstreetbuzz.com,buffalowdown.com,bustingbrackets.com,bvbbuzz.com,calltothepen.com,caneswarning.com,cardiaccane.com,catcrave.com,causewaycrowd.com,champagneandshade.com,chopchat.com,chowderandchampions.com,cincyontheprowl.com,claireandjamie.com,claretvillans.com,climbingtalshill.com,clipperholics.com,cubbiescrib.com,culturess.com,dailyddt.com,dailyknicks.com,dairylandexpress.com,dawgpounddaily.com,dawindycity.com,dawnofthedawg.com,dearoldgold.com,deathvalleyvoice.com,detroitjockcity.com,devilsindetail.com,diredota.com,districtondeck.com,dodgersway.com,dogoday.com,dorksideoftheforce.com,dunkingwithwolves.com,ebonybird.com,editorinleaf.com,empirewritesback.com,everythingbarca.com,everythingontap.com,eyesonisles.com,factoryofsadness.co,fansided.combetsided,fansided.comes,fansided.comnetwork,fantasycpr.com,fightinggobbler.com,flameforthought.com,flywareagle.com,foodsided.com,foreverfortnite.com,fourfourcrew.com,foxesofleicester.com,friarsonbase.com,garnetandcocky.com,gbmwolverine.com,geeksided.com,gigemgazette.com,glorycolorado.com,gmenhq.com,gojoebruin.com,goldengatesports.com,gonepuckwild.com,greenstreethammers.com,guiltyeats.com,hailfloridahail.com,hailwv.com,halohangout.com,hardwoodhoudini.com,hiddenremote.com,hookemheadlines.com,hoopshabit.com,hoosierstateofmind.com,horseshoeheroes.com,hotspurhq.com,houseofhouston.com,housethathankbuilt.com,howlinhockey.com,huskercorner.com,insideibrox.com,insidetheiggles.com,insidetheloudhouse.com,interheron.com,jaysjournal.com,jetswhiteout.com,justblogbaby.com,kardashiandish.com,kckingdom.com,keepingitheel.com,kingjamesgospel.com,kingsofkauffman.com,krakenchronicle.com,lakeshowlife.com,lasportshub.com,lastnighton.com,lawlessrepublic.com,lobandsmash.com,localpov.com,lombardiave.com,mancitysquare.com,marlinmaniac.com,maroonandwhitenation.com,milehighsticking.com,mlsmultiplex.com,motorcitybengals.com,musketfire.com,netflixlife.com,newcastletoons.com,nflmocks.com,nflspinzone.com,ninernoise.com,nolanwritin.com,northbankrsl.com,nothinbutnets.com,nugglove.com,octopusthrower.com,oilonwhyte.com,oldjuve.com,olehottytoddy.com,onechicagocenter.com,orangeintheoven.com,orlandomagicdaily.com,otowns11.com,paininthearsenal.com,pelicandebrief.com,penslabyrinth.com,phinphanatic.com,pippenainteasy.com,pistonpowered.com,playingfor90.com,pokespost.com,precincttv.com,predlines.com,predominantlyorange.com,princerupertstower.com,progolfnow.com,psgpost.com,puckettspond.com,puckprose.com,pucksandpitchforks.com,pucksofafeather.com,raisingzona.com,ramblinfan.com,ranchesandreins.com,raptorsrapture.com,rayscoloredglasses.com,razorbackers.com,redbirdrants.com,reddevilarmada.com,redshirtsalwaysdie.com,reignoftroy.com,releasetheknappen.com,reportingkc.com,reviewingthebrew.com,rhymejunkie.com,riggosrag.com,rinkroyalty.com,ripcityproject.com,risingapple.com,roxpile.com,rubbingtherock.com,rumbunter.com,rushthekop.com,sabrenoise.com,saintsmarching.com,saturdayblitz.com,scarletandgame.com,section215.com,senshot.com,showsnob.com,sidelionreport.com,sircharlesincharge.com,skyscraperblues.com,slapthesign.com,soaringdownsouth.com,sodomojo.com,soundersnation.com,southboundanddown.com,southsideshowdown.com,spacecityscoop.com,spartanavenue.com,sportdfw.com,stairwayto11.com,starsandsticks.com,stillcurtain.com,stormininnorman.com,stormthepaint.com,stripehype.com,survivingtribal.com,swarmandsting.com,teaandbanter.com,tenntruth.com,terrapinstationmd.com,thatballsouttahere.com,thecanuckway.com,thecelticbhoys.com,thehuskyhaul.com,thejetpress.com,thejnotes.com,thelandryhat.com,theparentwatch.com,thepewterplank.com,theprideoflondon.com,therattrick.com,therealchamps.com,thesixersense.com,thesmokingcuban.com,thetimberlean.com,thetopflight.com,theviewfromavalon.com,thevikingage.com,throughthephog.com,thunderousintentions.com,tipofthetower.com,titansized.com,torontoreds.com,torotimes.com,tripsided.com,trumanstales.com,undeadwalking.com,underthelaces.com,unionandblue.com,valleyofthesuns.com,vegashockeyknight.com,venomstrikes.com,victorybellrings.com,vivaligamx.com,whitecleatbeat.com,whodatdish.com,wildcatbluenation.com,winteriscoming.net,withthefirstpick.com,wizofawes.com,wreckemred.com,writingillini.com,dbltap.com,fansidedmma.com,poppicante.com,yanksgoyard.com,yellowjackedup.com,zonazealots.com##.mosaic-banner
+mentalfloss.com,90min.com,fansided.com,90min.de,12thmanrising.com,1428elm.com,8points9seconds.com,acceptthisrose.com,airalamo.com,allcougdup.com,allfortennessee.com,allstokedup.com,allucanheat.com,alongmainstreet.com,amazonadviser.com,animeaway.com,apptrigger.com,aroundthefoghorn.com,aroyalpain.com,arrowheadaddict.com,artofgears.com,askeverest.com,audiophix.com,autzenzoo.com,awaybackgone.com,awinninghabit.com,badgerofhonor.com,balldurham.com,bamahammer.com,bamsmackpow.com,bayernstrikes.com,bealestreetbears.com,beargoggleson.com,beaverbyte.com,behindthebuckpass.com,beyondtheflag.com,bigredlouie.com,birdswatcher.com,blackandteal.com,blackhawkup.com,blackoutdallas.com,bladesofteal.com,bleedinblue.com,bloggingdirty.com,blogoflegends.com,blogredmachine.com,bluelinestation.com,bluemanhoop.com,boltbeat.com,boltsbythebay.com,bosoxinjection.com,broadstreetbuzz.com,buffalowdown.com,bustingbrackets.com,bvbbuzz.com,calltothepen.com,caneswarning.com,cardiaccane.com,catcrave.com,causewaycrowd.com,champagneandshade.com,chopchat.com,chowderandchampions.com,cincyontheprowl.com,claireandjamie.com,claretvillans.com,climbingtalshill.com,clipperholics.com,cubbiescrib.com,culturess.com,dailyddt.com,dailyknicks.com,dairylandexpress.com,dawgpounddaily.com,dawindycity.com,dawnofthedawg.com,dearoldgold.com,deathvalleyvoice.com,detroitjockcity.com,devilsindetail.com,diredota.com,districtondeck.com,dodgersway.com,dogoday.com,dorksideoftheforce.com,dunkingwithwolves.com,ebonybird.com,editorinleaf.com,empirewritesback.com,everythingbarca.com,everythingontap.com,eyesonisles.com,factoryofsadness.co,fansided.combetsided,fansided.comes,fansided.comnetwork,fantasycpr.com,fightinggobbler.com,flameforthought.com,flywareagle.com,foodsided.com,foreverfortnite.com,fourfourcrew.com,foxesofleicester.com,friarsonbase.com,garnetandcocky.com,gbmwolverine.com,geeksided.com,gigemgazette.com,glorycolorado.com,gmenhq.com,gojoebruin.com,goldengatesports.com,gonepuckwild.com,greenstreethammers.com,guiltyeats.com,hailfloridahail.com,hailwv.com,halohangout.com,hardwoodhoudini.com,hiddenremote.com,hookemheadlines.com,hoopshabit.com,hoosierstateofmind.com,horseshoeheroes.com,hotspurhq.com,houseofhouston.com,housethathankbuilt.com,howlinhockey.com,huskercorner.com,insideibrox.com,insidetheiggles.com,insidetheloudhouse.com,interheron.com,jaysjournal.com,jetswhiteout.com,justblogbaby.com,kardashiandish.com,kckingdom.com,keepingitheel.com,kingjamesgospel.com,kingsofkauffman.com,krakenchronicle.com,lakeshowlife.com,lasportshub.com,lastnighton.com,lawlessrepublic.com,lobandsmash.com,localpov.com,lombardiave.com,mancitysquare.com,marlinmaniac.com,maroonandwhitenation.com,milehighsticking.com,mlsmultiplex.com,motorcitybengals.com,musketfire.com,netflixlife.com,newcastletoons.com,nflmocks.com,nflspinzone.com,ninernoise.com,nolanwritin.com,northbankrsl.com,nothinbutnets.com,nugglove.com,octopusthrower.com,oilonwhyte.com,oldjuve.com,olehottytoddy.com,onechicagocenter.com,orangeintheoven.com,orlandomagicdaily.com,otowns11.com,paininthearsenal.com,pelicandebrief.com,penslabyrinth.com,phinphanatic.com,pippenainteasy.com,pistonpowered.com,playingfor90.com,pokespost.com,precincttv.com,predlines.com,predominantlyorange.com,princerupertstower.com,progolfnow.com,psgpost.com,puckettspond.com,puckprose.com,pucksandpitchforks.com,pucksofafeather.com,raisingzona.com,ramblinfan.com,ranchesandreins.com,raptorsrapture.com,rayscoloredglasses.com,razorbackers.com,redbirdrants.com,reddevilarmada.com,redshirtsalwaysdie.com,reignoftroy.com,releasetheknappen.com,reportingkc.com,reviewingthebrew.com,rhymejunkie.com,riggosrag.com,rinkroyalty.com,ripcityproject.com,risingapple.com,roxpile.com,rubbingtherock.com,rumbunter.com,rushthekop.com,sabrenoise.com,saintsmarching.com,saturdayblitz.com,scarletandgame.com,section215.com,senshot.com,showsnob.com,sidelionreport.com,sircharlesincharge.com,skyscraperblues.com,slapthesign.com,soaringdownsouth.com,sodomojo.com,soundersnation.com,southboundanddown.com,southsideshowdown.com,spacecityscoop.com,spartanavenue.com,sportdfw.com,stairwayto11.com,starsandsticks.com,stillcurtain.com,stormininnorman.com,stormthepaint.com,stripehype.com,survivingtribal.com,swarmandsting.com,teaandbanter.com,tenntruth.com,terrapinstationmd.com,thatballsouttahere.com,thecanuckway.com,thecelticbhoys.com,thehuskyhaul.com,thejetpress.com,thejnotes.com,thelandryhat.com,theparentwatch.com,thepewterplank.com,theprideoflondon.com,therattrick.com,therealchamps.com,thesixersense.com,thesmokingcuban.com,thetimberlean.com,thetopflight.com,theviewfromavalon.com,thevikingage.com,throughthephog.com,thunderousintentions.com,tipofthetower.com,titansized.com,torontoreds.com,torotimes.com,tripsided.com,trumanstales.com,undeadwalking.com,underthelaces.com,unionandblue.com,valleyofthesuns.com,vegashockeyknight.com,venomstrikes.com,victorybellrings.com,vivaligamx.com,whitecleatbeat.com,whodatdish.com,wildcatbluenation.com,winteriscoming.net,withthefirstpick.com,wizofawes.com,wreckemred.com,writingillini.com,dbltap.com,fansidedmma.com,poppicante.com,yanksgoyard.com,yellowjackedup.com,zonazealots.com###top-stories > li:not([class])
+mentalfloss.com,90min.com,fansided.com,90min.de,12thmanrising.com,1428elm.com,8points9seconds.com,acceptthisrose.com,airalamo.com,allcougdup.com,allfortennessee.com,allstokedup.com,allucanheat.com,alongmainstreet.com,amazonadviser.com,animeaway.com,apptrigger.com,aroundthefoghorn.com,aroyalpain.com,arrowheadaddict.com,artofgears.com,askeverest.com,audiophix.com,autzenzoo.com,awaybackgone.com,awinninghabit.com,badgerofhonor.com,balldurham.com,bamahammer.com,bamsmackpow.com,bayernstrikes.com,bealestreetbears.com,beargoggleson.com,beaverbyte.com,behindthebuckpass.com,beyondtheflag.com,bigredlouie.com,birdswatcher.com,blackandteal.com,blackhawkup.com,blackoutdallas.com,bladesofteal.com,bleedinblue.com,bloggingdirty.com,blogoflegends.com,blogredmachine.com,bluelinestation.com,bluemanhoop.com,boltbeat.com,boltsbythebay.com,bosoxinjection.com,broadstreetbuzz.com,buffalowdown.com,bustingbrackets.com,bvbbuzz.com,calltothepen.com,caneswarning.com,cardiaccane.com,catcrave.com,causewaycrowd.com,champagneandshade.com,chopchat.com,chowderandchampions.com,cincyontheprowl.com,claireandjamie.com,claretvillans.com,climbingtalshill.com,clipperholics.com,cubbiescrib.com,culturess.com,dailyddt.com,dailyknicks.com,dairylandexpress.com,dawgpounddaily.com,dawindycity.com,dawnofthedawg.com,dearoldgold.com,deathvalleyvoice.com,detroitjockcity.com,devilsindetail.com,diredota.com,districtondeck.com,dodgersway.com,dogoday.com,dorksideoftheforce.com,dunkingwithwolves.com,ebonybird.com,editorinleaf.com,empirewritesback.com,everythingbarca.com,everythingontap.com,eyesonisles.com,factoryofsadness.co,fansided.combetsided,fansided.comes,fansided.comnetwork,fantasycpr.com,fightinggobbler.com,flameforthought.com,flywareagle.com,foodsided.com,foreverfortnite.com,fourfourcrew.com,foxesofleicester.com,friarsonbase.com,garnetandcocky.com,gbmwolverine.com,geeksided.com,gigemgazette.com,glorycolorado.com,gmenhq.com,gojoebruin.com,goldengatesports.com,gonepuckwild.com,greenstreethammers.com,guiltyeats.com,hailfloridahail.com,hailwv.com,halohangout.com,hardwoodhoudini.com,hiddenremote.com,hookemheadlines.com,hoopshabit.com,hoosierstateofmind.com,horseshoeheroes.com,hotspurhq.com,houseofhouston.com,housethathankbuilt.com,howlinhockey.com,huskercorner.com,insideibrox.com,insidetheiggles.com,insidetheloudhouse.com,interheron.com,jaysjournal.com,jetswhiteout.com,justblogbaby.com,kardashiandish.com,kckingdom.com,keepingitheel.com,kingjamesgospel.com,kingsofkauffman.com,krakenchronicle.com,lakeshowlife.com,lasportshub.com,lastnighton.com,lawlessrepublic.com,lobandsmash.com,localpov.com,lombardiave.com,mancitysquare.com,marlinmaniac.com,maroonandwhitenation.com,milehighsticking.com,mlsmultiplex.com,motorcitybengals.com,musketfire.com,netflixlife.com,newcastletoons.com,nflmocks.com,nflspinzone.com,ninernoise.com,nolanwritin.com,northbankrsl.com,nothinbutnets.com,nugglove.com,octopusthrower.com,oilonwhyte.com,oldjuve.com,olehottytoddy.com,onechicagocenter.com,orangeintheoven.com,orlandomagicdaily.com,otowns11.com,paininthearsenal.com,pelicandebrief.com,penslabyrinth.com,phinphanatic.com,pippenainteasy.com,pistonpowered.com,playingfor90.com,pokespost.com,precincttv.com,predlines.com,predominantlyorange.com,princerupertstower.com,progolfnow.com,psgpost.com,puckettspond.com,puckprose.com,pucksandpitchforks.com,pucksofafeather.com,raisingzona.com,ramblinfan.com,ranchesandreins.com,raptorsrapture.com,rayscoloredglasses.com,razorbackers.com,redbirdrants.com,reddevilarmada.com,redshirtsalwaysdie.com,reignoftroy.com,releasetheknappen.com,reportingkc.com,reviewingthebrew.com,rhymejunkie.com,riggosrag.com,rinkroyalty.com,ripcityproject.com,risingapple.com,roxpile.com,rubbingtherock.com,rumbunter.com,rushthekop.com,sabrenoise.com,saintsmarching.com,saturdayblitz.com,scarletandgame.com,section215.com,senshot.com,showsnob.com,sidelionreport.com,sircharlesincharge.com,skyscraperblues.com,slapthesign.com,soaringdownsouth.com,sodomojo.com,soundersnation.com,southboundanddown.com,southsideshowdown.com,spacecityscoop.com,spartanavenue.com,sportdfw.com,stairwayto11.com,starsandsticks.com,stillcurtain.com,stormininnorman.com,stormthepaint.com,stripehype.com,survivingtribal.com,swarmandsting.com,teaandbanter.com,tenntruth.com,terrapinstationmd.com,thatballsouttahere.com,thecanuckway.com,thecelticbhoys.com,thehuskyhaul.com,thejetpress.com,thejnotes.com,thelandryhat.com,theparentwatch.com,thepewterplank.com,theprideoflondon.com,therattrick.com,therealchamps.com,thesixersense.com,thesmokingcuban.com,thetimberlean.com,thetopflight.com,theviewfromavalon.com,thevikingage.com,throughthephog.com,thunderousintentions.com,tipofthetower.com,titansized.com,torontoreds.com,torotimes.com,tripsided.com,trumanstales.com,undeadwalking.com,underthelaces.com,unionandblue.com,valleyofthesuns.com,vegashockeyknight.com,venomstrikes.com,victorybellrings.com,vivaligamx.com,whitecleatbeat.com,whodatdish.com,wildcatbluenation.com,winteriscoming.net,withthefirstpick.com,wizofawes.com,wreckemred.com,writingillini.com,dbltap.com,fansidedmma.com,poppicante.com,yanksgoyard.com,yellowjackedup.com,zonazealots.com###inner-content-secondary > div#sidebars
+mentalfloss.com,90min.com,fansided.com,90min.de,12thmanrising.com,1428elm.com,8points9seconds.com,acceptthisrose.com,airalamo.com,allcougdup.com,allfortennessee.com,allstokedup.com,allucanheat.com,alongmainstreet.com,amazonadviser.com,animeaway.com,apptrigger.com,aroundthefoghorn.com,aroyalpain.com,arrowheadaddict.com,artofgears.com,askeverest.com,audiophix.com,autzenzoo.com,awaybackgone.com,awinninghabit.com,badgerofhonor.com,balldurham.com,bamahammer.com,bamsmackpow.com,bayernstrikes.com,bealestreetbears.com,beargoggleson.com,beaverbyte.com,behindthebuckpass.com,beyondtheflag.com,bigredlouie.com,birdswatcher.com,blackandteal.com,blackhawkup.com,blackoutdallas.com,bladesofteal.com,bleedinblue.com,bloggingdirty.com,blogoflegends.com,blogredmachine.com,bluelinestation.com,bluemanhoop.com,boltbeat.com,boltsbythebay.com,bosoxinjection.com,broadstreetbuzz.com,buffalowdown.com,bustingbrackets.com,bvbbuzz.com,calltothepen.com,caneswarning.com,cardiaccane.com,catcrave.com,causewaycrowd.com,champagneandshade.com,chopchat.com,chowderandchampions.com,cincyontheprowl.com,claireandjamie.com,claretvillans.com,climbingtalshill.com,clipperholics.com,cubbiescrib.com,culturess.com,dailyddt.com,dailyknicks.com,dairylandexpress.com,dawgpounddaily.com,dawindycity.com,dawnofthedawg.com,dearoldgold.com,deathvalleyvoice.com,detroitjockcity.com,devilsindetail.com,diredota.com,districtondeck.com,dodgersway.com,dogoday.com,dorksideoftheforce.com,dunkingwithwolves.com,ebonybird.com,editorinleaf.com,empirewritesback.com,everythingbarca.com,everythingontap.com,eyesonisles.com,factoryofsadness.co,fansided.combetsided,fansided.comes,fansided.comnetwork,fantasycpr.com,fightinggobbler.com,flameforthought.com,flywareagle.com,foodsided.com,foreverfortnite.com,fourfourcrew.com,foxesofleicester.com,friarsonbase.com,garnetandcocky.com,gbmwolverine.com,geeksided.com,gigemgazette.com,glorycolorado.com,gmenhq.com,gojoebruin.com,goldengatesports.com,gonepuckwild.com,greenstreethammers.com,guiltyeats.com,hailfloridahail.com,hailwv.com,halohangout.com,hardwoodhoudini.com,hiddenremote.com,hookemheadlines.com,hoopshabit.com,hoosierstateofmind.com,horseshoeheroes.com,hotspurhq.com,houseofhouston.com,housethathankbuilt.com,howlinhockey.com,huskercorner.com,insideibrox.com,insidetheiggles.com,insidetheloudhouse.com,interheron.com,jaysjournal.com,jetswhiteout.com,justblogbaby.com,kardashiandish.com,kckingdom.com,keepingitheel.com,kingjamesgospel.com,kingsofkauffman.com,krakenchronicle.com,lakeshowlife.com,lasportshub.com,lastnighton.com,lawlessrepublic.com,lobandsmash.com,localpov.com,lombardiave.com,mancitysquare.com,marlinmaniac.com,maroonandwhitenation.com,milehighsticking.com,mlsmultiplex.com,motorcitybengals.com,musketfire.com,netflixlife.com,newcastletoons.com,nflmocks.com,nflspinzone.com,ninernoise.com,nolanwritin.com,northbankrsl.com,nothinbutnets.com,nugglove.com,octopusthrower.com,oilonwhyte.com,oldjuve.com,olehottytoddy.com,onechicagocenter.com,orangeintheoven.com,orlandomagicdaily.com,otowns11.com,paininthearsenal.com,pelicandebrief.com,penslabyrinth.com,phinphanatic.com,pippenainteasy.com,pistonpowered.com,playingfor90.com,pokespost.com,precincttv.com,predlines.com,predominantlyorange.com,princerupertstower.com,progolfnow.com,psgpost.com,puckettspond.com,puckprose.com,pucksandpitchforks.com,pucksofafeather.com,raisingzona.com,ramblinfan.com,ranchesandreins.com,raptorsrapture.com,rayscoloredglasses.com,razorbackers.com,redbirdrants.com,reddevilarmada.com,redshirtsalwaysdie.com,reignoftroy.com,releasetheknappen.com,reportingkc.com,reviewingthebrew.com,rhymejunkie.com,riggosrag.com,rinkroyalty.com,ripcityproject.com,risingapple.com,roxpile.com,rubbingtherock.com,rumbunter.com,rushthekop.com,sabrenoise.com,saintsmarching.com,saturdayblitz.com,scarletandgame.com,section215.com,senshot.com,showsnob.com,sidelionreport.com,sircharlesincharge.com,skyscraperblues.com,slapthesign.com,soaringdownsouth.com,sodomojo.com,soundersnation.com,southboundanddown.com,southsideshowdown.com,spacecityscoop.com,spartanavenue.com,sportdfw.com,stairwayto11.com,starsandsticks.com,stillcurtain.com,stormininnorman.com,stormthepaint.com,stripehype.com,survivingtribal.com,swarmandsting.com,teaandbanter.com,tenntruth.com,terrapinstationmd.com,thatballsouttahere.com,thecanuckway.com,thecelticbhoys.com,thehuskyhaul.com,thejetpress.com,thejnotes.com,thelandryhat.com,theparentwatch.com,thepewterplank.com,theprideoflondon.com,therattrick.com,therealchamps.com,thesixersense.com,thesmokingcuban.com,thetimberlean.com,thetopflight.com,theviewfromavalon.com,thevikingage.com,throughthephog.com,thunderousintentions.com,tipofthetower.com,titansized.com,torontoreds.com,torotimes.com,tripsided.com,trumanstales.com,undeadwalking.com,underthelaces.com,unionandblue.com,valleyofthesuns.com,vegashockeyknight.com,venomstrikes.com,victorybellrings.com,vivaligamx.com,whitecleatbeat.com,whodatdish.com,wildcatbluenation.com,winteriscoming.net,withthefirstpick.com,wizofawes.com,wreckemred.com,writingillini.com,dbltap.com,fansidedmma.com,poppicante.com,yanksgoyard.com,yellowjackedup.com,zonazealots.com##div[class^="wrapper_"] > div[class^="style_"]:has(> div.OB-REACT-WRAPPER)
+! only for the sites with '/posts/' in article pathes (+ in social filter)
+mentalfloss.com,90min.com,fansided.com,90min.de,12thmanrising.com,1428elm.com,8points9seconds.com,acceptthisrose.com,airalamo.com,allcougdup.com,allfortennessee.com,allstokedup.com,allucanheat.com,alongmainstreet.com,amazonadviser.com,animeaway.com,apptrigger.com,aroundthefoghorn.com,aroyalpain.com,arrowheadaddict.com,artofgears.com,askeverest.com,audiophix.com,autzenzoo.com,awaybackgone.com,awinninghabit.com,badgerofhonor.com,balldurham.com,bamahammer.com,bamsmackpow.com,bayernstrikes.com,bealestreetbears.com,beargoggleson.com,beaverbyte.com,behindthebuckpass.com,beyondtheflag.com,bigredlouie.com,birdswatcher.com,blackandteal.com,blackhawkup.com,blackoutdallas.com,bladesofteal.com,bleedinblue.com,bloggingdirty.com,blogoflegends.com,blogredmachine.com,bluelinestation.com,bluemanhoop.com,boltbeat.com,boltsbythebay.com,bosoxinjection.com,broadstreetbuzz.com,buffalowdown.com,bustingbrackets.com,bvbbuzz.com,calltothepen.com,caneswarning.com,cardiaccane.com,catcrave.com,causewaycrowd.com,champagneandshade.com,chopchat.com,chowderandchampions.com,cincyontheprowl.com,claireandjamie.com,claretvillans.com,climbingtalshill.com,clipperholics.com,cubbiescrib.com,culturess.com,dailyddt.com,dailyknicks.com,dairylandexpress.com,dawgpounddaily.com,dawindycity.com,dawnofthedawg.com,dearoldgold.com,deathvalleyvoice.com,detroitjockcity.com,devilsindetail.com,diredota.com,districtondeck.com,dodgersway.com,dogoday.com,dorksideoftheforce.com,dunkingwithwolves.com,ebonybird.com,editorinleaf.com,empirewritesback.com,everythingbarca.com,everythingontap.com,eyesonisles.com,factoryofsadness.co,fansided.combetsided,fansided.comes,fansided.comnetwork,fantasycpr.com,fightinggobbler.com,flameforthought.com,flywareagle.com,foodsided.com,foreverfortnite.com,fourfourcrew.com,foxesofleicester.com,friarsonbase.com,garnetandcocky.com,gbmwolverine.com,geeksided.com,gigemgazette.com,glorycolorado.com,gmenhq.com,gojoebruin.com,goldengatesports.com,gonepuckwild.com,greenstreethammers.com,guiltyeats.com,hailfloridahail.com,hailwv.com,halohangout.com,hardwoodhoudini.com,hiddenremote.com,hookemheadlines.com,hoopshabit.com,hoosierstateofmind.com,horseshoeheroes.com,hotspurhq.com,houseofhouston.com,housethathankbuilt.com,howlinhockey.com,huskercorner.com,insideibrox.com,insidetheiggles.com,insidetheloudhouse.com,interheron.com,jaysjournal.com,jetswhiteout.com,justblogbaby.com,kardashiandish.com,kckingdom.com,keepingitheel.com,kingjamesgospel.com,kingsofkauffman.com,krakenchronicle.com,lakeshowlife.com,lasportshub.com,lastnighton.com,lawlessrepublic.com,lobandsmash.com,localpov.com,lombardiave.com,mancitysquare.com,marlinmaniac.com,maroonandwhitenation.com,milehighsticking.com,mlsmultiplex.com,motorcitybengals.com,musketfire.com,netflixlife.com,newcastletoons.com,nflmocks.com,nflspinzone.com,ninernoise.com,nolanwritin.com,northbankrsl.com,nothinbutnets.com,nugglove.com,octopusthrower.com,oilonwhyte.com,oldjuve.com,olehottytoddy.com,onechicagocenter.com,orangeintheoven.com,orlandomagicdaily.com,otowns11.com,paininthearsenal.com,pelicandebrief.com,penslabyrinth.com,phinphanatic.com,pippenainteasy.com,pistonpowered.com,playingfor90.com,pokespost.com,precincttv.com,predlines.com,predominantlyorange.com,princerupertstower.com,progolfnow.com,psgpost.com,puckettspond.com,puckprose.com,pucksandpitchforks.com,pucksofafeather.com,raisingzona.com,ramblinfan.com,ranchesandreins.com,raptorsrapture.com,rayscoloredglasses.com,razorbackers.com,redbirdrants.com,reddevilarmada.com,redshirtsalwaysdie.com,reignoftroy.com,releasetheknappen.com,reportingkc.com,reviewingthebrew.com,rhymejunkie.com,riggosrag.com,rinkroyalty.com,ripcityproject.com,risingapple.com,roxpile.com,rubbingtherock.com,rumbunter.com,rushthekop.com,sabrenoise.com,saintsmarching.com,saturdayblitz.com,scarletandgame.com,section215.com,senshot.com,showsnob.com,sidelionreport.com,sircharlesincharge.com,skyscraperblues.com,slapthesign.com,soaringdownsouth.com,sodomojo.com,soundersnation.com,southboundanddown.com,southsideshowdown.com,spacecityscoop.com,spartanavenue.com,sportdfw.com,stairwayto11.com,starsandsticks.com,stillcurtain.com,stormininnorman.com,stormthepaint.com,stripehype.com,survivingtribal.com,swarmandsting.com,teaandbanter.com,tenntruth.com,terrapinstationmd.com,thatballsouttahere.com,thecanuckway.com,thecelticbhoys.com,thehuskyhaul.com,thejetpress.com,thejnotes.com,thelandryhat.com,theparentwatch.com,thepewterplank.com,theprideoflondon.com,therattrick.com,therealchamps.com,thesixersense.com,thesmokingcuban.com,thetimberlean.com,thetopflight.com,theviewfromavalon.com,thevikingage.com,throughthephog.com,thunderousintentions.com,tipofthetower.com,titansized.com,torontoreds.com,torotimes.com,tripsided.com,trumanstales.com,undeadwalking.com,underthelaces.com,unionandblue.com,valleyofthesuns.com,vegashockeyknight.com,venomstrikes.com,victorybellrings.com,vivaligamx.com,whitecleatbeat.com,whodatdish.com,wildcatbluenation.com,winteriscoming.net,withthefirstpick.com,wizofawes.com,wreckemred.com,writingillini.com,dbltap.com,fansidedmma.com,poppicante.com,yanksgoyard.com,yellowjackedup.com,zonazealots.com##.viewablity-block > figure:has(div#mm-player-placeholder-large-screen)
+mentalfloss.com,90min.com,fansided.com,90min.de,12thmanrising.com,1428elm.com,8points9seconds.com,acceptthisrose.com,airalamo.com,allcougdup.com,allfortennessee.com,allstokedup.com,allucanheat.com,alongmainstreet.com,amazonadviser.com,animeaway.com,apptrigger.com,aroundthefoghorn.com,aroyalpain.com,arrowheadaddict.com,artofgears.com,askeverest.com,audiophix.com,autzenzoo.com,awaybackgone.com,awinninghabit.com,badgerofhonor.com,balldurham.com,bamahammer.com,bamsmackpow.com,bayernstrikes.com,bealestreetbears.com,beargoggleson.com,beaverbyte.com,behindthebuckpass.com,beyondtheflag.com,bigredlouie.com,birdswatcher.com,blackandteal.com,blackhawkup.com,blackoutdallas.com,bladesofteal.com,bleedinblue.com,bloggingdirty.com,blogoflegends.com,blogredmachine.com,bluelinestation.com,bluemanhoop.com,boltbeat.com,boltsbythebay.com,bosoxinjection.com,broadstreetbuzz.com,buffalowdown.com,bustingbrackets.com,bvbbuzz.com,calltothepen.com,caneswarning.com,cardiaccane.com,catcrave.com,causewaycrowd.com,champagneandshade.com,chopchat.com,chowderandchampions.com,cincyontheprowl.com,claireandjamie.com,claretvillans.com,climbingtalshill.com,clipperholics.com,cubbiescrib.com,culturess.com,dailyddt.com,dailyknicks.com,dairylandexpress.com,dawgpounddaily.com,dawindycity.com,dawnofthedawg.com,dearoldgold.com,deathvalleyvoice.com,detroitjockcity.com,devilsindetail.com,diredota.com,districtondeck.com,dodgersway.com,dogoday.com,dorksideoftheforce.com,dunkingwithwolves.com,ebonybird.com,editorinleaf.com,empirewritesback.com,everythingbarca.com,everythingontap.com,eyesonisles.com,factoryofsadness.co,fansided.combetsided,fansided.comes,fansided.comnetwork,fantasycpr.com,fightinggobbler.com,flameforthought.com,flywareagle.com,foodsided.com,foreverfortnite.com,fourfourcrew.com,foxesofleicester.com,friarsonbase.com,garnetandcocky.com,gbmwolverine.com,geeksided.com,gigemgazette.com,glorycolorado.com,gmenhq.com,gojoebruin.com,goldengatesports.com,gonepuckwild.com,greenstreethammers.com,guiltyeats.com,hailfloridahail.com,hailwv.com,halohangout.com,hardwoodhoudini.com,hiddenremote.com,hookemheadlines.com,hoopshabit.com,hoosierstateofmind.com,horseshoeheroes.com,hotspurhq.com,houseofhouston.com,housethathankbuilt.com,howlinhockey.com,huskercorner.com,insideibrox.com,insidetheiggles.com,insidetheloudhouse.com,interheron.com,jaysjournal.com,jetswhiteout.com,justblogbaby.com,kardashiandish.com,kckingdom.com,keepingitheel.com,kingjamesgospel.com,kingsofkauffman.com,krakenchronicle.com,lakeshowlife.com,lasportshub.com,lastnighton.com,lawlessrepublic.com,lobandsmash.com,localpov.com,lombardiave.com,mancitysquare.com,marlinmaniac.com,maroonandwhitenation.com,milehighsticking.com,mlsmultiplex.com,motorcitybengals.com,musketfire.com,netflixlife.com,newcastletoons.com,nflmocks.com,nflspinzone.com,ninernoise.com,nolanwritin.com,northbankrsl.com,nothinbutnets.com,nugglove.com,octopusthrower.com,oilonwhyte.com,oldjuve.com,olehottytoddy.com,onechicagocenter.com,orangeintheoven.com,orlandomagicdaily.com,otowns11.com,paininthearsenal.com,pelicandebrief.com,penslabyrinth.com,phinphanatic.com,pippenainteasy.com,pistonpowered.com,playingfor90.com,pokespost.com,precincttv.com,predlines.com,predominantlyorange.com,princerupertstower.com,progolfnow.com,psgpost.com,puckettspond.com,puckprose.com,pucksandpitchforks.com,pucksofafeather.com,raisingzona.com,ramblinfan.com,ranchesandreins.com,raptorsrapture.com,rayscoloredglasses.com,razorbackers.com,redbirdrants.com,reddevilarmada.com,redshirtsalwaysdie.com,reignoftroy.com,releasetheknappen.com,reportingkc.com,reviewingthebrew.com,rhymejunkie.com,riggosrag.com,rinkroyalty.com,ripcityproject.com,risingapple.com,roxpile.com,rubbingtherock.com,rumbunter.com,rushthekop.com,sabrenoise.com,saintsmarching.com,saturdayblitz.com,scarletandgame.com,section215.com,senshot.com,showsnob.com,sidelionreport.com,sircharlesincharge.com,skyscraperblues.com,slapthesign.com,soaringdownsouth.com,sodomojo.com,soundersnation.com,southboundanddown.com,southsideshowdown.com,spacecityscoop.com,spartanavenue.com,sportdfw.com,stairwayto11.com,starsandsticks.com,stillcurtain.com,stormininnorman.com,stormthepaint.com,stripehype.com,survivingtribal.com,swarmandsting.com,teaandbanter.com,tenntruth.com,terrapinstationmd.com,thatballsouttahere.com,thecanuckway.com,thecelticbhoys.com,thehuskyhaul.com,thejetpress.com,thejnotes.com,thelandryhat.com,theparentwatch.com,thepewterplank.com,theprideoflondon.com,therattrick.com,therealchamps.com,thesixersense.com,thesmokingcuban.com,thetimberlean.com,thetopflight.com,theviewfromavalon.com,thevikingage.com,throughthephog.com,thunderousintentions.com,tipofthetower.com,titansized.com,torontoreds.com,torotimes.com,tripsided.com,trumanstales.com,undeadwalking.com,underthelaces.com,unionandblue.com,valleyofthesuns.com,vegashockeyknight.com,venomstrikes.com,victorybellrings.com,vivaligamx.com,whitecleatbeat.com,whodatdish.com,wildcatbluenation.com,winteriscoming.net,withthefirstpick.com,wizofawes.com,wreckemred.com,writingillini.com,dbltap.com,fansidedmma.com,poppicante.com,yanksgoyard.com,yellowjackedup.com,zonazealots.com##main > figure:has(> div > div#mm-player-placeholder-smallAndMedium-screens)
+!
+! Metroland Media Group
+thestar.com,thespec.com,therecord.com,thepeterboroughexaminer.com,stcatharinesstandard.ca,niagarafallsreview.ca,wellandtribune.ca,bramptonguardian.com,caledonenterprise.com,cambridgetimes.ca,durhamregion.com,flamboroughreview.com,guelphmercury.com,hamiltonnews.com,insidehalton.com,insideottawavalley.com,mississauga.com,muskokaregion.com,mykawartha.com,newhamburgindependent.ca,niagarathisweek.com,northbaynipissing.com,northumberlandnews.com,orangeville.com,ourwindsor.ca,parrysound.com,sachem.ca,simcoe.com,theifp.ca,toronto.com,waterloochronicle.ca,yorkregion.com,legacy.com,edition.pagesuite-professional.co.uk,hub.metroland.com##.polarBlock
+thestar.com,thespec.com,therecord.com,thepeterboroughexaminer.com,stcatharinesstandard.ca,niagarafallsreview.ca,wellandtribune.ca,bramptonguardian.com,caledonenterprise.com,cambridgetimes.ca,durhamregion.com,flamboroughreview.com,guelphmercury.com,hamiltonnews.com,insidehalton.com,insideottawavalley.com,mississauga.com,muskokaregion.com,mykawartha.com,newhamburgindependent.ca,niagarathisweek.com,northbaynipissing.com,northumberlandnews.com,orangeville.com,ourwindsor.ca,parrysound.com,sachem.ca,simcoe.com,theifp.ca,toronto.com,waterloochronicle.ca,yorkregion.com,legacy.com,edition.pagesuite-professional.co.uk,hub.metroland.com##.adLabelWrapperManual
+thestar.com,thespec.com,therecord.com,thepeterboroughexaminer.com,stcatharinesstandard.ca,niagarafallsreview.ca,wellandtribune.ca,bramptonguardian.com,caledonenterprise.com,cambridgetimes.ca,durhamregion.com,flamboroughreview.com,guelphmercury.com,hamiltonnews.com,insidehalton.com,insideottawavalley.com,mississauga.com,muskokaregion.com,mykawartha.com,newhamburgindependent.ca,niagarathisweek.com,northbaynipissing.com,northumberlandnews.com,orangeville.com,ourwindsor.ca,parrysound.com,sachem.ca,simcoe.com,theifp.ca,toronto.com,waterloochronicle.ca,yorkregion.com,legacy.com,edition.pagesuite-professional.co.uk,hub.metroland.com##div[data-lpos="more-from-the-star-partners"]
+thestar.com,thespec.com,therecord.com,thepeterboroughexaminer.com,stcatharinesstandard.ca,niagarafallsreview.ca,wellandtribune.ca,bramptonguardian.com,caledonenterprise.com,cambridgetimes.ca,durhamregion.com,flamboroughreview.com,guelphmercury.com,hamiltonnews.com,insidehalton.com,insideottawavalley.com,mississauga.com,muskokaregion.com,mykawartha.com,newhamburgindependent.ca,niagarathisweek.com,northbaynipissing.com,northumberlandnews.com,orangeville.com,ourwindsor.ca,parrysound.com,sachem.ca,simcoe.com,theifp.ca,toronto.com,waterloochronicle.ca,yorkregion.com,legacy.com,edition.pagesuite-professional.co.uk,hub.metroland.com##.adLabelWrapper
+!
+! Australian Community Media
+armidaleexpress.com.au,bendigoadvertiser.com.au,canberratimes.com.au,centralwesterndaily.com.au,crookwellgazette.com.au,dailyadvertiser.com.au,dailyliberal.com.au,examiner.com.au,illawarramercury.com.au,newcastleherald.com.au,portnews.com.au,thecourier.com.au,thesenior.com.au##.lg\:min-w-mrec.lg\:sticky
+armidaleexpress.com.au,bendigoadvertiser.com.au,canberratimes.com.au,centralwesterndaily.com.au,crookwellgazette.com.au,dailyadvertiser.com.au,dailyliberal.com.au,examiner.com.au,illawarramercury.com.au,newcastleherald.com.au,portnews.com.au,thecourier.com.au,thesenior.com.au###billboard-container
+armidaleexpress.com.au,bendigoadvertiser.com.au,canberratimes.com.au,centralwesterndaily.com.au,crookwellgazette.com.au,dailyadvertiser.com.au,dailyliberal.com.au,examiner.com.au,illawarramercury.com.au,newcastleherald.com.au,portnews.com.au,thecourier.com.au,thesenior.com.au##div[id^="newswell-"][id$="-container"]
+armidaleexpress.com.au,bendigoadvertiser.com.au,canberratimes.com.au,centralwesterndaily.com.au,crookwellgazette.com.au,dailyadvertiser.com.au,dailyliberal.com.au,examiner.com.au,illawarramercury.com.au,newcastleherald.com.au,portnews.com.au,thecourier.com.au,thesenior.com.au##div.bg-gray-100[id^="story"][id$="-container"]
+armidaleexpress.com.au,bendigoadvertiser.com.au,canberratimes.com.au,centralwesterndaily.com.au,crookwellgazette.com.au,dailyadvertiser.com.au,dailyliberal.com.au,examiner.com.au,illawarramercury.com.au,newcastleherald.com.au,portnews.com.au,thecourier.com.au,thesenior.com.au##.min-w-mrec > .hidden > .hidden:empty
+!
+! soranews24.com
+soranews24.com##.ads-relatedbottom:not(.ad300x250)
+soranews24.com##.amp-ad
+soranews24.com###custom_html-2 div.ad300x250
+soranews24.com###div-gpt-ad-entrybottom
+!soranews24.com###div-gpt-ad-header
+soranews24.com##amp-ad-exit + div[class*="-banner"]
+soranews24.com##.widget_custom_html:not(#custom_html-2)
+soranews24.com###aw0[onclick="ha('aw0')"]
+soranews24.com###aw0[on="tap:exit-api.exit(target='landingPage',_googClickLocation='2')"]
+!
+! Reddit
+reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion##shreddit-comment-tree-ad
+reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion##.promotedlink:not([style^="height: 1px;"])
+reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion##div[data-before-content]
+reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion##a[href^="https://PornGameFree.fun"]
+reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion##.ii4q9d-0.fePAzF > div.s1g6rpxu-1
+reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion##div[id^="sidebar-btf"]
+reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion###ad_main_top
+! https://github.com/AdguardTeam/AdguardFilters/issues/71040#issuecomment-779924936
+reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion#?#div[data-redditstyle] > div[style] > div[data-slot] > div[data-before-content]:upward(div[data-redditstyle])
+reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion#?#div[style="margin-left:24px;margin-top:0"][class] > div[class] > div[class^="_"]:not([data-redditstyle]):has(> div[class] div[class] > div[class] > div[data-before-content="advertisement"])
+reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion#?#.ListingLayout-outerContainer > div[class] > div[style][class] > div[style][class] > div[class] div[class]:not([data-redditstyle]):has(> div[class] > div[class] > .SidebarAd)
+!
+! G/O Media / g-omedia.com and similar
+/x-kinja-static/assets/new-client/adManager$domain=avclub.com|deadspin.com|gizmodo.com|jalopnik.com|jezebel.com|kotaku.com|qz.com|theinventory.com|theonion.com|theroot.com|thetakeout.com
+clickhole.com,lifehacker.com,splinternews.com,avclub.com,deadspin.com,gizmodo.com,jalopnik.com,jezebel.com,kotaku.com,qz.com,theinventory.com,theonion.com,theroot.com,thetakeout.com##.js_post-content > div > div[class^="sc-"]:has(> .ad-container)
+clickhole.com,lifehacker.com,splinternews.com,avclub.com,deadspin.com,gizmodo.com,jalopnik.com,jezebel.com,kotaku.com,qz.com,theinventory.com,theonion.com,theroot.com,thetakeout.com##.taboola-container
+clickhole.com,lifehacker.com,splinternews.com,avclub.com,deadspin.com,gizmodo.com,jalopnik.com,jezebel.com,kotaku.com,qz.com,theinventory.com,theonion.com,theroot.com,thetakeout.com##.js_commerce_item
+clickhole.com,lifehacker.com,splinternews.com,avclub.com,deadspin.com,gizmodo.com,jalopnik.com,jezebel.com,kotaku.com,qz.com,theinventory.com,theonion.com,theroot.com,thetakeout.com##.js_sidebar_sticky_container
+clickhole.com,lifehacker.com,splinternews.com,avclub.com,deadspin.com,gizmodo.com,jalopnik.com,jezebel.com,kotaku.com,qz.com,theinventory.com,theonion.com,theroot.com,thetakeout.com##.connatix-container
+clickhole.com,lifehacker.com,splinternews.com,avclub.com,deadspin.com,gizmodo.com,jalopnik.com,jezebel.com,kotaku.com,qz.com,theinventory.com,theonion.com,theroot.com,thetakeout.com##.ad-container
+clickhole.com,lifehacker.com,splinternews.com,avclub.com,deadspin.com,gizmodo.com,jalopnik.com,jezebel.com,kotaku.com,qz.com,theinventory.com,theonion.com,theroot.com,thetakeout.com##body > div > div[class]:has(> .ad-container)
+clickhole.com,lifehacker.com,splinternews.com,avclub.com,deadspin.com,gizmodo.com,jalopnik.com,jezebel.com,kotaku.com,qz.com,theinventory.com,theonion.com,theroot.com,thetakeout.com#?#section div[class] div[class] > .ad-container:upward(1)
+clickhole.com,lifehacker.com,splinternews.com,avclub.com,deadspin.com,gizmodo.com,jalopnik.com,jezebel.com,kotaku.com,qz.com,theinventory.com,theonion.com,theroot.com,thetakeout.com##.js_curation-block-list > div[class]:has(> .ad-container)
+clickhole.com,lifehacker.com,splinternews.com,avclub.com,deadspin.com,gizmodo.com,jalopnik.com,jezebel.com,kotaku.com,qz.com,theinventory.com,theonion.com,theroot.com,thetakeout.com#?#article > div[class]:has(> div[class] > p:contains(Advertisement))
+clickhole.com,lifehacker.com,splinternews.com,avclub.com,deadspin.com,gizmodo.com,jalopnik.com,jezebel.com,kotaku.com,qz.com,theinventory.com,theonion.com,theroot.com,thetakeout.com##.js_sticky-footer:has(> .js_ad-sticky-footer)
+clickhole.com,lifehacker.com,splinternews.com,avclub.com,deadspin.com,gizmodo.com,jalopnik.com,jezebel.com,kotaku.com,qz.com,theinventory.com,theonion.com,theroot.com,thetakeout.com###sidebar_wrapper > div[class] > div[class] > div[class]:has( div[class] > .ad-container)
+clickhole.com,lifehacker.com,splinternews.com,avclub.com,deadspin.com,gizmodo.com,jalopnik.com,jezebel.com,kotaku.com,qz.com,theinventory.com,theonion.com,theroot.com,thetakeout.com##.js_post-content > div[class]:has(> .ad-container)
+clickhole.com,lifehacker.com,splinternews.com,avclub.com,deadspin.com,gizmodo.com,jalopnik.com,jezebel.com,kotaku.com,qz.com,theinventory.com,theonion.com,theroot.com,thetakeout.com##a[data-ga*="commerce"]
+!
+gizmodo.com.au,kotaku.com.au,lifehacker.com.au,pedestrian.tv##.top-ad-leaderboard
+gizmodo.com.au,kotaku.com.au,lifehacker.com.au,pedestrian.tv##.ad-no-mobile
+gizmodo.com.au,kotaku.com.au,lifehacker.com.au,pedestrian.tv##.wp-block-pedestrian-blocks-ped-outbrain-block
+gizmodo.com.au,kotaku.com.au,lifehacker.com.au,pedestrian.tv##.sidebar-outbrain
+!
+! smallseotools.com
+smallseotools.com##span[data-id$="__sst"]
+smallseotools.com##.modal-backdrop
+smallseotools.com##body .sticki_ssb
+! https://smallseotools.com/url-shortener/
+smallseotools.com##a[data-link*="smallseotools"]
+!
+||cloudfront.net^$domain=duplichecker.com,image
+duplichecker.com##.container div[class] [class*=" "]:has(> span > a > span.ads-pricing)
+duplichecker.com#$?#._ap_apex_ad {remove: true; }
+duplichecker.com##[href*="grammarly.com"]
+duplichecker.com##[mv*="grmly"]
+duplichecker.com##.igdfs
+duplichecker.com##.qwert
+duplichecker.com##.adp_interactive_ad
+duplichecker.com##div[style*="center"]
+! sidebar
+duplichecker.com##.container div[class] [class*=" "]:has(> span > a > span.ads-pricing)
+duplichecker.com#?#.main-content ~ div[class] > *:has(> div > * a[target][rel] > img)
+! main
+duplichecker.com#?#div[style]:has(> [style^="display: inline-block"] > a[target="blank"])
+! below search similar image button
+duplichecker.com#?#.data_inbox > div:has(> div > span > span)
+! above search similar image button
+duplichecker.com#?#.data_inbox > div:has(> * > span > div[data-ap-network])
+!
+fmovies24.*,fmoviesz.*,soap2dayx.to,bflix.to,watchseries.mx,hurawatch.*#%#//scriptlet('abort-current-inline-script', 'document.write', '_bnx')
+/assets/_bnx/*_*xx.$image,domain=fmovies24.*|fmoviesz.*|soap2dayx.to|bflix.to|watchseries.mx|hurawatch.*
+!
+flashscore.*,horseracing24.com,darts24.com,handball24.com,volleyball24.com,motorsport24.com,golflive24.com,baseball24.com,cricket24.com,icehockey24.com,basketball24.com,tennis24.com,diretta.it,livescore.in,soccer24.com,soccerstand.com,livesport.com,scoreboard.com##.adsenvelope
+flashscore.*,horseracing24.com,darts24.com,handball24.com,volleyball24.com,motorsport24.com,golflive24.com,baseball24.com,cricket24.com,icehockey24.com,basketball24.com,tennis24.com,diretta.it,livescore.in,soccer24.com,soccerstand.com,livesport.com,scoreboard.com###detail > .detailLeaderboard
+flashscore.*,horseracing24.com,darts24.com,handball24.com,volleyball24.com,motorsport24.com,golflive24.com,baseball24.com,cricket24.com,icehockey24.com,basketball24.com,tennis24.com,diretta.it,livescore.in,soccer24.com,soccerstand.com,livesport.com,scoreboard.com###box-over-content-a
+flashscore.*,horseracing24.com,darts24.com,handball24.com,volleyball24.com,motorsport24.com,golflive24.com,baseball24.com,cricket24.com,icehockey24.com,basketball24.com,tennis24.com,diretta.it,livescore.in,soccer24.com,soccerstand.com,livesport.com,scoreboard.com##.prematchOddsBonus__bonus
+flashscore.*,horseracing24.com,darts24.com,handball24.com,volleyball24.com,motorsport24.com,golflive24.com,baseball24.com,cricket24.com,icehockey24.com,basketball24.com,tennis24.com,diretta.it,livescore.in,soccer24.com,soccerstand.com,livesport.com,scoreboard.com##.boxOverContent__banner
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/83251
+! frequently changed domain
+://aj2*.online^$xmlhttprequest,other
+!
+! Brightcove SSAI
+||brightcovecdn.com/playback/*/*?ad_config_id=$removeparam=ad_config_id,xmlhttprequest,domain=tvnz.co.nz|roosterteeth.com|nhl.com|9now.com.au|video.telequebec.tv
+||brightcove.com/playback/*/*?ad_config_id$removeparam=ad_config_id,xmlhttprequest,domain=tvnz.co.nz|roosterteeth.com|nhl.com|9now.com.au|video.telequebec.tv
+! Streamplay
+/..nt.nt\.st.+p.ay\..+/$domain=stemplay.*|steamplay.*|steanplay.*|streamp1ay.*|streanplay.*|streampiay.*|stre4mplay.*
+jquery-1.8.3.min.js$domain=stemplay.*|steamplay.*|steanplay.*|streamp1ay.*|streanplay.*
+stre4mplay.*,streampiay.*,stemplay.*,steamplay.*,steanplay.*,streamp1ay.*,streanplay.*##.ad
+stre4mplay.*,streampiay.*,stemplay.*,steamplay.*,steanplay.*,streamp1ay.*,streanplay.*###uverlay
+!
+fragrantica.com,fragrantica.ru##.text-center.cell.small-12.medium-6 > p > a[href^="/goto.php?id="]
+fragrantica.com,fragrantica.ru##.text-center.cell > div[style^="clear: both; width: 100%; text-align: left; padding:"]
+fragrantica.com,fragrantica.ru##.text-center.cell > div[style^="clear: both; width: 100%; text-align: left; padding:"] + div > sup
+fragrantica.com,fragrantica.ru##.text-center.cell > div[style^="clear:both;width:100%;text-align:left;padding:"]
+fragrantica.com,fragrantica.ru##.text-center.cell > div[style^="clear:both;width:100%;text-align:left;padding:"] + div > sup
+!
+! thepiratebay
+||thepiratebay.uproxy.*/helper-js
+||thepiratebay.uproxy.*/hy.js
+||thepiratebay.uproxy.*/zpp/
+thepiratesproxy.org,pirateproxy.space,tpbproxypirate.com,pirateproxy-bay.com##.symple__block
+thepiratesproxy.org,pirateproxy.space,tpbproxypirate.com,pirateproxy-bay.com###float
+thepiratesproxy.org,pirateproxy.space,tpbproxypirate.com,pirateproxy-bay.com##.bc-wrap
+thepiratebay.org##a[href^="https://ttf.trmobc.com/"]
+thepiratebay0.org##a[href^="https://www.get-express-vpn.com/torrent-vpn?a_fid="]
+thepiratebay.org##a[href^="https://italarizege.xyz/"]
+/storage/*.js?_=$domain=tpb.one|unblocktheship.org
+/static/img/download-top.png|$domain=tpb.one|duckingproxy.eu|hyperproxy.net|pirate.trade|piratebay.red|piratebaymirror.eu|piratebayproxy.tf|piratebays.co|piratebays.co.uk|pirateproxy.tf|proxyproxyproxy.nl|proxyship.click|proxyspotting.in|thepiratebay-proxy.com|thepiratebay.uk.net|tpbmirror.us|tpbunblocked.org|ukpirate.org|ukpirateproxy.xyz|unblockedbay.info|unblocktpb.com|thebay.tv|pirateproxy.wf|pirateproxy.yt|gameofbay.org
+/static/img/download.png|$domain=tpb.one|duckingproxy.eu|hyperproxy.net|pirate.trade|piratebay.red|piratebaymirror.eu|piratebayproxy.tf|piratebays.co|piratebays.co.uk|pirateproxy.tf|proxyproxyproxy.nl|proxyship.click|proxyspotting.in|thepiratebay-proxy.com|thepiratebay.uk.net|tpbmirror.us|tpbunblocked.org|ukpirate.org|ukpirateproxy.xyz|unblockedbay.info|unblocktpb.com|thebay.tv|pirateproxy.wf|pirateproxy.yt|gameofbay.org
+/storage/*.js#spot=$domain=beapirate.pw|proxtpb.art|proxydltpb.club|unblocktheship.org
+||thepiratebay.*/*pop*.js
+thepiratebay.org##a[href^="http://www.bitlord.me/share/"]
+thepiratebayorg.org##center > a[href][target="_blank"][rel="nofollow"] > img
+||thepiratebayorg.org/images/
+!
+! unblocked.name
+/app/apx19.js
+/zpp/zpp3.js
+/app/apx14.js
+/app/x12.js
+/zpp/zpp4.js
+/q1.js?q22
+/hy.js?q22
+||unblocked.*/helper-js
+||unblocked.*/hy.js
+||unblocked.*/zpp/
+unblocked.*##script[type="application/javascript"] + div[class$="-bordered"]
+unblocked.*##div[class="hidden-xs hidden-sm"] > div[class$="-bordered"]
+!
+! 9to5google.com,9to5mac.com,9to5toys.com,dronedj.com,electrek.co
+9to5google.com,9to5mac.com,9to5toys.com,dronedj.com,electrek.co##.ad-container
+9to5google.com,9to5mac.com,9to5toys.com,dronedj.com,electrek.co##.post-body > p > a[href^="http://bit.ly/"] > img
+9to5google.com,9to5mac.com,9to5toys.com,dronedj.com,electrek.co##.ad-disclaimer-container
+!
+! START: KickassTorrent
+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.*,kickasstracker.*,katfreak.*,kickasshydra.*,katbay.*,kickasst.*,kkickass.*,kattracker.*,topkickass.*,thekat.*,kat.*,kat2.*,kick4ss.*,kickass.*,kickass2.*,kickasstorrents.*,kat.fun,kat2.app,kat2.space,kat2.website,kat2.xyz,kick4ss.net,kickass.cd,kickass.earth,kickass.id,kickass.kim,kickass.love,kickass.name,kickass.one,kickass.red,kickass.vc,kickass.ws,kickass2.app,kickass2.fun,kickass2.mobi,kickass2.online,kickass2.space,kickass2.top,kickass2.website,kickass2.xyz,kickassgo.com,kickasstorrent.cr,kickasstorrents.fun,kickasstorrents.icu,kickasstorrents.mobi,kickasstorrents.to,kickasstorrents2.net,kickassz.com,kkat.net,thekickass.org,kickasstorrents.space,thekat.cc,topkickass.org,kattracker.com#?#.tabsSeparator ~ div[id]:has(> div button:contains(Protect))
+/help/?yd=?$popup,domain=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.*|kickasstracker.*|katfreak.*|kickasshydra.*|katbay.*|kickasst.*|kkickass.*|kattracker.*|topkickass.*|thekat.*|kat.*|kat2.*|kick4ss.*|kickass.*|kickass2.*|kickasstorrents.*|kat.fun|kat2.app|kat2.space|kat2.website|kat2.xyz|kick4ss.net|kickass.cd|kickass.earth|kickass.id|kickass.kim|kickass.love|kickass.name|kickass.one|kickass.red|kickass.vc|kickass.ws|kickass2.app|kickass2.fun|kickass2.mobi|kickass2.online|kickass2.space|kickass2.top|kickass2.website|kickass2.xyz|kickassgo.com|kickasstorrent.cr|kickasstorrents.fun|kickasstorrents.icu|kickasstorrents.mobi|kickasstorrents.to|kickasstorrents2.net|kickassz.com|kkat.net|thekickass.org|kickasstorrents.space|thekat.cc|topkickass.org|kattracker.com
+/r.js|$domain=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.*|kickasstracker.*|katfreak.*|kickasshydra.*|katbay.*|kickasst.*|kkickass.*|kattracker.*|topkickass.*|thekat.*|kat.*|kat2.*|kick4ss.*|kickass.*|kickass2.*|kickasstorrents.*|kat.fun|kat2.app|kat2.space|kat2.website|kat2.xyz|kick4ss.net|kickass.cd|kickass.earth|kickass.id|kickass.kim|kickass.love|kickass.name|kickass.one|kickass.red|kickass.vc|kickass.ws|kickass2.app|kickass2.fun|kickass2.mobi|kickass2.online|kickass2.space|kickass2.top|kickass2.website|kickass2.xyz|kickassgo.com|kickasstorrent.cr|kickasstorrents.fun|kickasstorrents.icu|kickasstorrents.mobi|kickasstorrents.to|kickasstorrents2.net|kickassz.com|kkat.net|thekickass.org|kickasstorrents.space|thekat.cc|topkickass.org|kattracker.com
+/k.js|$domain=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.*|kickasstracker.*|katfreak.*|kickasshydra.*|katbay.*|kickasst.*|kkickass.*|kattracker.*|topkickass.*|thekat.*|kat.*|kat2.*|kick4ss.*|kickass.*|kickass2.*|kickasstorrents.*|kat.fun|kat2.app|kat2.space|kat2.website|kat2.xyz|kick4ss.net|kickass.cd|kickass.earth|kickass.id|kickass.kim|kickass.love|kickass.name|kickass.one|kickass.red|kickass.vc|kickass.ws|kickass2.app|kickass2.fun|kickass2.mobi|kickass2.online|kickass2.space|kickass2.top|kickass2.website|kickass2.xyz|kickassgo.com|kickasstorrent.cr|kickasstorrents.fun|kickasstorrents.icu|kickasstorrents.mobi|kickasstorrents.to|kickasstorrents2.net|kickassz.com|kkat.net|thekickass.org|kickasstorrents.space|thekat.cc|topkickass.org|kattracker.com
+/1.js|$domain=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.*|kickasstracker.*|katfreak.*|kickasshydra.*|katbay.*|kickasst.*|kkickass.*|kattracker.*|topkickass.*|thekat.*|kat.*|kat2.*|kick4ss.*|kickass.*|kickass2.*|kickasstorrents.*|kat.fun|kat2.app|kat2.space|kat2.website|kat2.xyz|kick4ss.net|kickass.cd|kickass.earth|kickass.id|kickass.kim|kickass.love|kickass.name|kickass.one|kickass.red|kickass.vc|kickass.ws|kickass2.app|kickass2.fun|kickass2.mobi|kickass2.online|kickass2.space|kickass2.top|kickass2.website|kickass2.xyz|kickassgo.com|kickasstorrent.cr|kickasstorrents.fun|kickasstorrents.icu|kickasstorrents.mobi|kickasstorrents.to|kickasstorrents2.net|kickassz.com|kkat.net|thekickass.org|kickasstorrents.space|thekat.cc|topkickass.org|kattracker.com
+/\/....\//$script,domain=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.*|kickasstracker.*|katfreak.*|kickasshydra.*|katbay.*|kickasst.*|kkickass.*|kattracker.*|topkickass.*|thekat.*|kat.*|kat2.*|kick4ss.*|kickass.*|kickass2.*|kickasstorrents.*|kat.fun|kat2.app|kat2.space|kat2.website|kat2.xyz|kick4ss.net|kickass.cd|kickass.earth|kickass.id|kickass.kim|kickass.love|kickass.name|kickass.one|kickass.red|kickass.vc|kickass.ws|kickass2.app|kickass2.fun|kickass2.mobi|kickass2.online|kickass2.space|kickass2.top|kickass2.website|kickass2.xyz|kickassgo.com|kickasstorrent.cr|kickasstorrents.fun|kickasstorrents.icu|kickasstorrents.mobi|kickasstorrents.to|kickasstorrents2.net|kickassz.com|kkat.net|thekickass.org|kickasstorrents.space|thekat.cc|topkickass.org|kattracker.com
+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.*,kickasstracker.*,katfreak.*,kickasshydra.*,katbay.*,kickasst.*,kkickass.*,kattracker.*,topkickass.*,thekat.*,kat.*,kat2.*,kick4ss.*,kickass.*,kickass2.*,kickasstorrents.*,kat.fun,kat2.app,kat2.space,kat2.website,kat2.xyz,kick4ss.net,kickass.cd,kickass.earth,kickass.id,kickass.kim,kickass.love,kickass.name,kickass.one,kickass.red,kickass.vc,kickass.ws,kickass2.app,kickass2.fun,kickass2.mobi,kickass2.online,kickass2.space,kickass2.top,kickass2.website,kickass2.xyz,kickassgo.com,kickasstorrent.cr,kickasstorrents.fun,kickasstorrents.icu,kickasstorrents.mobi,kickasstorrents.to,kickasstorrents2.net,kickassz.com,kkat.net,thekickass.org,kickasstorrents.space,thekat.cc,topkickass.org,kattracker.com##.x-bro
+kickass.love##a[href="/k.php?q=q"]
+kickass.love##.mainpart > style[type] + div[id]
+kickass.love##.doublecelltable > tbody > tr > td[width] table.data ~ style[type] + div[id]
+kickasstorrents.to##a[href="/register/"]
+||kickassz.com/c.js
+||kickass.cd/cd.js
+! END: KickassTorrent
+!
+!*START: IsoTorrents
+/x9.php|$domain=isohuntz.*|isohunt.*|isohunts.*|isohuntx.*|isohunthydra.*|isohunters.*|isohunting.*|myisohunt.*|isohunt.soy|isohuntx.com|isohunt.io|isohunt.bz|isohunt.how|isohunt.lol
+/k.js|$domain=isohuntz.*|isohunt.*|isohunts.*|isohuntx.*|isohunthydra.*|isohunters.*|isohunting.*|myisohunt.*|isohunt.soy|isohuntx.com|isohunt.io|isohunt.bz|isohunt.how|isohunt.lol
+/1.js|$domain=isohuntz.*|isohunt.*|isohunts.*|isohuntx.*|isohunthydra.*|isohunters.*|isohunting.*|myisohunt.*|isohunt.soy|isohuntx.com|isohunt.io|isohunt.bz|isohunt.how|isohunt.lol
+!
+isohuntz.*,isohunt.*,isohunts.*,isohuntx.*,isohunthydra.*,isohunters.*,isohunting.*,myisohunt.*,isohunt.soy,isohuntx.com,isohunt.io,isohunt.bz,isohunt.how,isohunt.lol##iframe[src^="/nordv/"]
+isohuntz.*,isohunt.*,isohunts.*,isohuntx.*,isohunthydra.*,isohunters.*,isohunting.*,myisohunt.*,isohunt.soy,isohuntx.com,isohunt.io,isohunt.bz,isohunt.how,isohunt.lol##.banner-wrp
+isohuntz.*,isohunt.*,isohunts.*,isohuntx.*,isohunthydra.*,isohunters.*,isohunting.*,myisohunt.*,isohunt.soy,isohuntx.com,isohunt.io,isohunt.bz,isohunt.how,isohunt.lol##.post-sidebar
+!
+!
+!*END: IsoTorrents
+!
+!*START: TorrentProject
+/1.js|$domain=torrentproject2.*|torrentproject2.com|torrentproject2.net|torrentproject2.org
+/y.js$domain=torrentproject2.*|torrentproject2.com|torrentproject2.net|torrentproject2.org
+!
+torrentproject2.*,torrentproject2.com,torrentproject2.net,torrentproject2.org##iframe[src^="/r/"]
+torrentproject2.*,torrentproject2.com,torrentproject2.net,torrentproject2.org##a[href][style="color:red"]
+!
+!
+!*END: TorrentProject
+!
+! tube8.com
+tube8.net,tube8.es,tube8.com,tube8.fr###pb_template
+tube8.net,tube8.es,tube8.com,tube8.fr###result_container_fake
+tube8.net,tube8.es,tube8.com,tube8.fr##ins[data-spot]
+tube8.net,tube8.es,tube8.com,tube8.fr##a[href*="/info.html#advertising"]
+tube8.net,tube8.es,tube8.com,tube8.fr##.gridList > figure:not([data-videoid]):not([data-esp-node]):not([id])
+tube8.net,tube8.es,tube8.com,tube8.fr##div[data-esp-node="catfish"]
+||t8cdn.com/catfishBanner/
+!
+! livetv.sx / livetv*.me
+!livetvstream.pro,cdn.livetv584.me,cdn.livetv585.me,cdn.livetv586.me,cdn.livetv587.me,cdn.livetv588.me,cdn.livetv589.me,cdn.livetv590.me,cdn.livetv591.me,cdn.livetv592.me,cdn.livetv593.me,cdn.livetv594.me,cdn.livetv595.me,cdn.livetv596.me,cdn.livetv597.me,cdn.livetv598.me,cdn.livetv599.me,cdn.livetv600.me,cdn.livetv601.me,cdn.livetv602.me,cdn.livetv603.me,cdn.livetv604.me,cdn.livetv605.me,cdn.livetv606.me,cdn.livetv607.me,cdn.livetv608.me,cdn.livetv609.me,cdn.livetv610.me,cdn.livetv611.me,cdn.livetv612.me,cdn.livetv613.me,cdn.livetv614.me,cdn.livetv615.me,cdn.livetv616.me,cdn.livetv617.me,cdn.livetv618.me,cdn.livetv619.me,cdn.livetv620.me,cdn.livetv621.me,cdn.livetv622.me,cdn.livetv623.me,cdn.livetv624.me,cdn.livetv625.me,cdn.livetv626.me,cdn.livetv627.me,cdn.livetv628.me,cdn.livetv629.me,cdn.livetv630.me,cdn.livetv631.me,cdn.livetv632.me,cdn.livetv633.me,cdn.livetv634.me,cdn.livetv635.me,cdn.livetv636.me,cdn.livetv637.me,cdn.livetv638.me,cdn.livetv639.me,cdn.livetv640.me,cdn.livetv641.me,cdn.livetv642.me,cdn.livetv643.me,cdn.livetv644.me,cdn.livetv645.me,cdn.livetv646.me,cdn.livetv647.me,cdn.livetv648.me,cdn.livetv649.me,cdn.livetv650.me,cdn.livetv651.me,cdn.livetv652.me,cdn.livetv653.me,cdn.livetv654.me,cdn.livetv655.me,cdn.livetv656.me,cdn.livetv657.me,livetv758.me,livetv759.me,livetv760.me,livetv761.me,livetv762.me,livetv763.me,livetv764.me,livetv765.me,livetv766.me,livetv767.me,livetv768.me,livetv769.me,livetv770.me,livetv771.me,livetv772.me,livetv773.me,livetv774.me,livetv775.me,livetv776.me,livetv777.me,livetv778.me,livetv779.me,livetv780.me,livetv781.me,livetv782.me,livetv783.me,livetv784.me,livetv785.me,livetv786.me,livetv787.me,livetv788.me,livetv789.me,livetv790.me,livetv791.me,livetv792.me,livetv793.me,livetv794.me,livetv795.me,livetv796.me,livetv797.me,livetv798.me,livetv799.me,livetv800.me,livetv801.me,livetv802.me,livetv803.me,livetv804.me,livetv805.me,livetv806.me,livetv807.me,livetv808.me,livetv809.me,livetv810.me,livetv811.me,livetv812.me,livetv813.me,livetv814.me,livetv815.me,livetv816.me,livetv817.me,livetv818.me,livetv819.me,livetv820.me,livetv821.me,livetv822.me,livetv823.me,livetv824.me,livetv825.me,livetv826.me,livetv827.me,livetv828.me,livetv829.me,livetv830.me#%#//scriptlet('prevent-window-open', '', '1')
+||cdn.livetv*.me/tmp/515x45-
+||cdn.livetv*.me/img/tmp/1x.png
+livetvstream.pro,me##td[height="91"][align="center"][bgcolor="#000000"]
+livetvstream.pro,me##td[background^="//cdn.livetv"] > table[width="100%"] > tbody > tr > td[valign="top"] + td[align="right"]
+livetvstream.pro,me##iframe[src^="//ads.livetv"]
+||cdn.livetv*.me/*/getbanner.php
+!
+! Related to livetv*.me
+! apl*.me - frequently changed domains
+! apl250.me etc. + the rule in general_extensions.txt
+||ii.apl*.me/js/pop.js
+me##body[bgcolor="#000000"] > div[id="adbtm"][style^="position: fixed;"]
+! apl*.me - frequently changed domains
+apl100.me,apl101.me,apl102.me,apl103.me,apl104.me,apl105.me,apl106.me,apl107.me,apl108.me,apl109.me,apl110.me,apl111.me,apl112.me,apl113.me,apl114.me,apl115.me,apl116.me,apl117.me,apl118.me,apl119.me,apl120.me,apl121.me,apl122.me,apl123.me,apl124.me,apl125.me,apl126.me,apl127.me,apl128.me,apl129.me,apl130.me,apl131.me,apl132.me,apl133.me,apl134.me,apl135.me,apl136.me,apl137.me,apl138.me,apl139.me,apl140.me,apl141.me,apl142.me,apl143.me,apl144.me,apl145.me,apl146.me,apl147.me,apl148.me,apl149.me,apl150.me,apl151.me,apl152.me,apl153.me,apl154.me,apl155.me,apl156.me,apl157.me,apl158.me,apl159.me,apl160.me,apl161.me,apl162.me,apl163.me,apl164.me,apl165.me,apl166.me,apl167.me,apl168.me,apl169.me,apl170.me,apl171.me,apl172.me,apl173.me,apl174.me,apl175.me,apl176.me,apl177.me,apl178.me,apl179.me,apl180.me,apl181.me,apl182.me,apl183.me,apl184.me,apl185.me,apl186.me,apl187.me,apl188.me,apl189.me,apl190.me,apl191.me,apl192.me,apl193.me,apl194.me,apl195.me,apl196.me,apl197.me,apl198.me,apl199.me,apl200.me,apl201.me,apl202.me,apl203.me,apl204.me,apl205.me,apl206.me,apl207.me,apl208.me,apl209.me,apl210.me,apl211.me,apl212.me,apl213.me,apl214.me,apl215.me,apl216.me,apl217.me,apl218.me,apl219.me,apl220.me,apl221.me,apl222.me,apl223.me,apl224.me,apl225.me,apl226.me,apl227.me,apl228.me,apl229.me,apl230.me,apl231.me,apl232.me,apl233.me,apl234.me,apl235.me,apl236.me,apl237.me,apl238.me,apl239.me,apl240.me,apl241.me,apl242.me,apl243.me,apl244.me,apl245.me,apl246.me,apl247.me,apl248.me,apl249.me,apl250.me,apl250.me,apl251.me,apl252.me,apl253.me,apl254.me,apl255.me,apl256.me,apl257.me,apl258.me,apl259.me,apl260.me,apl261.me,apl262.me,apl263.me,apl264.me,apl265.me,apl266.me,apl267.me,apl268.me,apl269.me,apl270.me,apl271.me,apl272.me,apl273.me,apl274.me,apl275.me,apl276.me,apl277.me,apl278.me,apl279.me,apl280.me,apl281.me,apl282.me,apl283.me,apl284.me,apl285.me,apl286.me,apl287.me,apl288.me,apl289.me,apl290.me,apl291.me,apl292.me,apl293.me,apl294.me,apl295.me,apl296.me,apl297.me,apl298.me,apl299.me,apl300.me,apl301.me,apl302.me,apl303.me,apl304.me,apl305.me,apl306.me,apl307.me,apl308.me,apl309.me,apl310.me,apl311.me,apl312.me,apl313.me,apl314.me,apl315.me,apl316.me,apl317.me,apl318.me,apl319.me,apl320.me,apl321.me,apl322.me,apl323.me,apl324.me,apl325.me,apl326.me,apl327.me,apl328.me,apl329.me,apl330.me,apl331.me,apl332.me,apl333.me,apl334.me,apl335.me,apl336.me,apl337.me,apl338.me,apl339.me,apl340.me,apl341.me,apl342.me,apl343.me,apl344.me,apl345.me,apl346.me,apl347.me,apl348.me,apl349.me,apl350.me#%#//scriptlet("abort-on-property-write", "ct_siteunder")
+!
+! xhamster.com
+xhspot.com,xhwide5.com,xhchannel.com,xhchannel2.com,xhtotal.com,xhtree.com,xhwide2.com,xhlease.world,xhamsterporno.mx,xhxh3.xyz,valuexh.life,xhdate.world,xhtab4.com,xhbranch5.com,galleryxh.site,xhbig.com,xhaccess.com,xhofficial.com,seexh.com,taoxh.life,xhamster42.desi,xhvid.com,xhtab2.com,xhamster20.desi,xhamster19.desi,xhwebsite2.com,xhamster18.desi,xhadult3.com,xhadult2.com,xhmoon5.com,xhwide1.com,xhamster3.com,xhplanet2.com,megaxh.com,xhamster16.*,hamsterix.*,xhamster.com,xhamster2.com,xhamster7.com,xhamster8.com,xhamster9.com,xhamster10.com,xhamster12.com,xhamster13.*,xhamster14.com,xhamster15.com,xhamster17.*,xhamster18.*,xhamster19.com,xhamster1.desi,xhamster2.desi,xhamster3.*,xhamster4.desi,xhamster20.com,xhamster22.com,xhamster23.com,xhamster25.com,xhamster26.com,xhamster27.com,openxh.com,xhamster31.com,xhamster32.com,xhamster34.com,xhamster35.com,xhamster36.com,xhamster37.com,xhamster38.com,xhamster5.desi,xhopen.com,openxh1.com,xhamster39.com,xhamster40.com,xhamster.one,xhamster.desi,stripchat.com##div[class*="clipstore-bottom"]
+xhspot.com,xhwide5.com,xhchannel.com,xhchannel2.com,xhtotal.com,xhtree.com,xhwide2.com,xhlease.world,xhamsterporno.mx,xhxh3.xyz,valuexh.life,xhdate.world,xhtab4.com,xhbranch5.com,galleryxh.site,xhbig.com,xhaccess.com,xhofficial.com,seexh.com,taoxh.life,xhamster42.desi,xhvid.com,xhtab2.com,xhamster20.desi,xhamster19.desi,xhwebsite2.com,xhamster18.desi,xhadult3.com,xhadult2.com,xhmoon5.com,xhwide1.com,xhamster3.com,xhplanet2.com,megaxh.com,xhamster16.*,hamsterix.*,xhamster.com,xhamster2.com,xhamster7.com,xhamster8.com,xhamster9.com,xhamster10.com,xhamster12.com,xhamster13.*,xhamster14.com,xhamster15.com,xhamster17.*,xhamster18.*,xhamster19.com,xhamster1.desi,xhamster2.desi,xhamster3.*,xhamster4.desi,xhamster20.com,xhamster22.com,xhamster23.com,xhamster25.com,xhamster26.com,xhamster27.com,openxh.com,xhamster31.com,xhamster32.com,xhamster34.com,xhamster35.com,xhamster36.com,xhamster37.com,xhamster38.com,xhamster5.desi,xhopen.com,openxh1.com,xhamster39.com,xhamster40.com,xhamster.one,xhamster.desi,stripchat.com##div[class^="VIq-"]
+xhspot.com,xhwide5.com,xhchannel.com,xhchannel2.com,xhtotal.com,xhtree.com,xhwide2.com,xhlease.world,xhamsterporno.mx,xhxh3.xyz,valuexh.life,xhdate.world,xhtab4.com,xhbranch5.com,galleryxh.site,xhbig.com,xhaccess.com,xhofficial.com,seexh.com,taoxh.life,xhamster42.desi,xhvid.com,xhtab2.com,xhamster20.desi,xhamster19.desi,xhwebsite2.com,xhamster18.desi,xhadult3.com,xhadult2.com,xhmoon5.com,xhwide1.com,xhamster3.com,xhplanet2.com,megaxh.com,xhamster16.*,hamsterix.*,xhamster.com,xhamster2.com,xhamster7.com,xhamster8.com,xhamster9.com,xhamster10.com,xhamster12.com,xhamster13.*,xhamster14.com,xhamster15.com,xhamster17.*,xhamster18.*,xhamster19.com,xhamster1.desi,xhamster2.desi,xhamster3.*,xhamster4.desi,xhamster20.com,xhamster22.com,xhamster23.com,xhamster25.com,xhamster26.com,xhamster27.com,openxh.com,xhamster31.com,xhamster32.com,xhamster34.com,xhamster35.com,xhamster36.com,xhamster37.com,xhamster38.com,xhamster5.desi,xhopen.com,openxh1.com,xhamster39.com,xhamster40.com,xhamster.one,xhamster.desi,stripchat.com##div[class*="widget-section"]
+xhspot.com,xhwide5.com,xhchannel.com,xhchannel2.com,xhtotal.com,xhtree.com,xhwide2.com,xhlease.world,xhamsterporno.mx,xhxh3.xyz,valuexh.life,xhdate.world,xhtab4.com,xhbranch5.com,galleryxh.site,xhbig.com,xhaccess.com,xhofficial.com,seexh.com,taoxh.life,xhamster42.desi,xhvid.com,xhtab2.com,xhamster20.desi,xhamster19.desi,xhwebsite2.com,xhamster18.desi,xhadult3.com,xhadult2.com,xhmoon5.com,xhwide1.com,xhamster3.com,xhplanet2.com,megaxh.com,xhamster16.*,hamsterix.*,xhamster.com,xhamster2.com,xhamster7.com,xhamster8.com,xhamster9.com,xhamster10.com,xhamster12.com,xhamster13.*,xhamster14.com,xhamster15.com,xhamster17.*,xhamster18.*,xhamster19.com,xhamster1.desi,xhamster2.desi,xhamster3.*,xhamster4.desi,xhamster20.com,xhamster22.com,xhamster23.com,xhamster25.com,xhamster26.com,xhamster27.com,openxh.com,xhamster31.com,xhamster32.com,xhamster34.com,xhamster35.com,xhamster36.com,xhamster37.com,xhamster38.com,xhamster5.desi,xhopen.com,openxh1.com,xhamster39.com,xhamster40.com,xhamster.one,xhamster.desi,stripchat.com##div[data-testid="right-banner-section"]
+xhspot.com,xhwide5.com,xhchannel.com,xhchannel2.com,xhtotal.com,xhtree.com,xhwide2.com,xhlease.world,xhamsterporno.mx,xhxh3.xyz,valuexh.life,xhdate.world,xhtab4.com,xhbranch5.com,galleryxh.site,xhbig.com,xhaccess.com,xhofficial.com,seexh.com,taoxh.life,xhamster42.desi,xhvid.com,xhtab2.com,xhamster20.desi,xhamster19.desi,xhwebsite2.com,xhamster18.desi,xhadult3.com,xhadult2.com,xhmoon5.com,xhwide1.com,xhamster3.com,xhplanet2.com,megaxh.com,xhamster16.*,hamsterix.*,xhamster.com,xhamster2.com,xhamster7.com,xhamster8.com,xhamster9.com,xhamster10.com,xhamster12.com,xhamster13.*,xhamster14.com,xhamster15.com,xhamster17.*,xhamster18.*,xhamster19.com,xhamster1.desi,xhamster2.desi,xhamster3.*,xhamster4.desi,xhamster20.com,xhamster22.com,xhamster23.com,xhamster25.com,xhamster26.com,xhamster27.com,openxh.com,xhamster31.com,xhamster32.com,xhamster34.com,xhamster35.com,xhamster36.com,xhamster37.com,xhamster38.com,xhamster5.desi,xhopen.com,openxh1.com,xhamster39.com,xhamster40.com,xhamster.one,xhamster.desi,stripchat.com##div[class*="cams-wgt"]
+xhspot.com,xhwide5.com,xhchannel.com,xhchannel2.com,xhtotal.com,xhtree.com,xhwide2.com,xhlease.world,xhamsterporno.mx,xhxh3.xyz,valuexh.life,xhdate.world,xhtab4.com,xhbranch5.com,galleryxh.site,xhbig.com,xhaccess.com,xhofficial.com,seexh.com,taoxh.life,xhamster42.desi,xhvid.com,xhtab2.com,xhamster20.desi,xhamster19.desi,xhwebsite2.com,xhamster18.desi,xhadult3.com,xhadult2.com,xhmoon5.com,xhwide1.com,xhamster3.com,xhplanet2.com,megaxh.com,xhamster16.*,hamsterix.*,xhamster.com,xhamster2.com,xhamster7.com,xhamster8.com,xhamster9.com,xhamster10.com,xhamster12.com,xhamster13.*,xhamster14.com,xhamster15.com,xhamster17.*,xhamster18.*,xhamster19.com,xhamster1.desi,xhamster2.desi,xhamster3.*,xhamster4.desi,xhamster20.com,xhamster22.com,xhamster23.com,xhamster25.com,xhamster26.com,xhamster27.com,openxh.com,xhamster31.com,xhamster32.com,xhamster34.com,xhamster35.com,xhamster36.com,xhamster37.com,xhamster38.com,xhamster5.desi,xhopen.com,openxh1.com,xhamster39.com,xhamster40.com,xhamster.one,xhamster.desi,stripchat.com##div[class*="pauseSpotContainer"]
+xhspot.com,xhwide5.com,xhchannel.com,xhchannel2.com,xhtotal.com,xhtree.com,xhwide2.com,xhlease.world,xhamsterporno.mx,xhxh3.xyz,valuexh.life,xhdate.world,xhtab4.com,xhbranch5.com,galleryxh.site,xhbig.com,xhaccess.com,xhofficial.com,seexh.com,taoxh.life,xhamster42.desi,xhvid.com,xhtab2.com,xhamster20.desi,xhamster19.desi,xhwebsite2.com,xhamster18.desi,xhadult3.com,xhadult2.com,xhmoon5.com,xhwide1.com,xhamster3.com,xhplanet2.com,megaxh.com,xhamster16.*,hamsterix.*,xhamster.com,xhamster2.com,xhamster7.com,xhamster8.com,xhamster9.com,xhamster10.com,xhamster12.com,xhamster13.*,xhamster14.com,xhamster15.com,xhamster17.*,xhamster18.*,xhamster19.com,xhamster1.desi,xhamster2.desi,xhamster3.*,xhamster4.desi,xhamster20.com,xhamster22.com,xhamster23.com,xhamster25.com,xhamster26.com,xhamster27.com,openxh.com,xhamster31.com,xhamster32.com,xhamster34.com,xhamster35.com,xhamster36.com,xhamster37.com,xhamster38.com,xhamster5.desi,xhopen.com,openxh1.com,xhamster39.com,xhamster40.com,xhamster.one,xhamster.desi,stripchat.com##[class^="yld-pc"]
+xhspot.com,xhwide5.com,xhchannel.com,xhchannel2.com,xhtotal.com,xhtree.com,xhwide2.com,xhlease.world,xhamsterporno.mx,xhxh3.xyz,valuexh.life,xhdate.world,xhtab4.com,xhbranch5.com,galleryxh.site,xhbig.com,xhaccess.com,xhofficial.com,seexh.com,taoxh.life,xhamster42.desi,xhvid.com,xhtab2.com,xhamster20.desi,xhamster19.desi,xhwebsite2.com,xhamster18.desi,xhadult3.com,xhadult2.com,xhmoon5.com,xhwide1.com,xhamster3.com,xhplanet2.com,megaxh.com,xhamster16.*,hamsterix.*,xhamster.com,xhamster2.com,xhamster7.com,xhamster8.com,xhamster9.com,xhamster10.com,xhamster12.com,xhamster13.*,xhamster14.com,xhamster15.com,xhamster17.*,xhamster18.*,xhamster19.com,xhamster1.desi,xhamster2.desi,xhamster3.*,xhamster4.desi,xhamster20.com,xhamster22.com,xhamster23.com,xhamster25.com,xhamster26.com,xhamster27.com,openxh.com,xhamster31.com,xhamster32.com,xhamster34.com,xhamster35.com,xhamster36.com,xhamster37.com,xhamster38.com,xhamster5.desi,xhopen.com,openxh1.com,xhamster39.com,xhamster40.com,xhamster.one,xhamster.desi,stripchat.com##div[class*="containerBottomSpot"]
+xhspot.com,xhwide5.com,xhchannel.com,xhchannel2.com,xhtotal.com,xhtree.com,xhwide2.com,xhlease.world,xhamsterporno.mx,xhxh3.xyz,valuexh.life,xhdate.world,xhtab4.com,xhbranch5.com,galleryxh.site,xhbig.com,xhaccess.com,xhofficial.com,seexh.com,taoxh.life,xhamster42.desi,xhvid.com,xhtab2.com,xhamster20.desi,xhamster19.desi,xhwebsite2.com,xhamster18.desi,xhadult3.com,xhadult2.com,xhmoon5.com,xhwide1.com,xhamster3.com,xhplanet2.com,megaxh.com,xhamster16.*,hamsterix.*,xhamster.com,xhamster2.com,xhamster7.com,xhamster8.com,xhamster9.com,xhamster10.com,xhamster12.com,xhamster13.*,xhamster14.com,xhamster15.com,xhamster17.*,xhamster18.*,xhamster19.com,xhamster1.desi,xhamster2.desi,xhamster3.*,xhamster4.desi,xhamster20.com,xhamster22.com,xhamster23.com,xhamster25.com,xhamster26.com,xhamster27.com,openxh.com,xhamster31.com,xhamster32.com,xhamster34.com,xhamster35.com,xhamster36.com,xhamster37.com,xhamster38.com,xhamster5.desi,xhopen.com,openxh1.com,xhamster39.com,xhamster40.com,xhamster.one,xhamster.desi,stripchat.com##a[href^="https://faphouse.com/"]
+xhspot.com,xhwide5.com,xhchannel.com,xhchannel2.com,xhtotal.com,xhtree.com,xhwide2.com,xhlease.world,xhamsterporno.mx,xhxh3.xyz,valuexh.life,xhdate.world,xhtab4.com,xhbranch5.com,galleryxh.site,xhbig.com,xhaccess.com,xhofficial.com,seexh.com,taoxh.life,xhamster42.desi,xhvid.com,xhtab2.com,xhamster20.desi,xhamster19.desi,xhwebsite2.com,xhamster18.desi,xhadult3.com,xhadult2.com,xhmoon5.com,xhwide1.com,xhamster3.com,xhplanet2.com,megaxh.com,xhamster16.*,hamsterix.*,xhamster.com,xhamster2.com,xhamster7.com,xhamster8.com,xhamster9.com,xhamster10.com,xhamster12.com,xhamster13.*,xhamster14.com,xhamster15.com,xhamster17.*,xhamster18.*,xhamster19.com,xhamster1.desi,xhamster2.desi,xhamster3.*,xhamster4.desi,xhamster20.com,xhamster22.com,xhamster23.com,xhamster25.com,xhamster26.com,xhamster27.com,openxh.com,xhamster31.com,xhamster32.com,xhamster34.com,xhamster35.com,xhamster36.com,xhamster37.com,xhamster38.com,xhamster5.desi,xhopen.com,openxh1.com,xhamster39.com,xhamster40.com,xhamster.one,xhamster.desi,stripchat.com##div[class$="-containerPauseSpot"]
+xhspot.com,xhwide5.com,xhchannel.com,xhchannel2.com,xhtotal.com,xhtree.com,xhwide2.com,xhlease.world,xhamsterporno.mx,xhxh3.xyz,valuexh.life,xhdate.world,xhtab4.com,xhbranch5.com,galleryxh.site,xhbig.com,xhaccess.com,xhofficial.com,seexh.com,taoxh.life,xhamster42.desi,xhvid.com,xhtab2.com,xhamster20.desi,xhamster19.desi,xhwebsite2.com,xhamster18.desi,xhadult3.com,xhadult2.com,xhmoon5.com,xhwide1.com,xhamster3.com,xhplanet2.com,megaxh.com,xhamster16.*,hamsterix.*,xhamster.com,xhamster2.com,xhamster7.com,xhamster8.com,xhamster9.com,xhamster10.com,xhamster12.com,xhamster13.*,xhamster14.com,xhamster15.com,xhamster17.*,xhamster18.*,xhamster19.com,xhamster1.desi,xhamster2.desi,xhamster3.*,xhamster4.desi,xhamster20.com,xhamster22.com,xhamster23.com,xhamster25.com,xhamster26.com,xhamster27.com,openxh.com,xhamster31.com,xhamster32.com,xhamster34.com,xhamster35.com,xhamster36.com,xhamster37.com,xhamster38.com,xhamster5.desi,xhopen.com,openxh1.com,xhamster39.com,xhamster40.com,xhamster.one,xhamster.desi,stripchat.com##div.xp-banner-bottom
+xhspot.com,xhwide5.com,xhchannel.com,xhchannel2.com,xhtotal.com,xhtree.com,xhwide2.com,xhlease.world,xhamsterporno.mx,xhxh3.xyz,valuexh.life,xhdate.world,xhtab4.com,xhbranch5.com,galleryxh.site,xhbig.com,xhaccess.com,xhofficial.com,seexh.com,taoxh.life,xhamster42.desi,xhvid.com,xhtab2.com,xhamster20.desi,xhamster19.desi,xhwebsite2.com,xhamster18.desi,xhadult3.com,xhadult2.com,xhmoon5.com,xhwide1.com,xhamster3.com,xhplanet2.com,megaxh.com,xhamster16.*,hamsterix.*,xhamster.com,xhamster2.com,xhamster7.com,xhamster8.com,xhamster9.com,xhamster10.com,xhamster12.com,xhamster13.*,xhamster14.com,xhamster15.com,xhamster17.*,xhamster18.*,xhamster19.com,xhamster1.desi,xhamster2.desi,xhamster3.*,xhamster4.desi,xhamster20.com,xhamster22.com,xhamster23.com,xhamster25.com,xhamster26.com,xhamster27.com,openxh.com,xhamster31.com,xhamster32.com,xhamster34.com,xhamster35.com,xhamster36.com,xhamster37.com,xhamster38.com,xhamster5.desi,xhopen.com,openxh1.com,xhamster39.com,xhamster40.com,xhamster.one,xhamster.desi,stripchat.com##.traffic-stars
+xhspot.com,xhwide5.com,xhchannel.com,xhchannel2.com,xhtotal.com,xhtree.com,xhwide2.com,xhlease.world,xhamsterporno.mx,xhxh3.xyz,valuexh.life,xhdate.world,xhtab4.com,xhbranch5.com,galleryxh.site,xhbig.com,xhaccess.com,xhofficial.com,seexh.com,taoxh.life,xhamster42.desi,xhvid.com,xhtab2.com,xhamster20.desi,xhamster19.desi,xhwebsite2.com,xhamster18.desi,xhadult3.com,xhadult2.com,xhmoon5.com,xhwide1.com,xhamster3.com,xhplanet2.com,megaxh.com,xhamster16.*,hamsterix.*,xhamster.com,xhamster2.com,xhamster7.com,xhamster8.com,xhamster9.com,xhamster10.com,xhamster12.com,xhamster13.*,xhamster14.com,xhamster15.com,xhamster17.*,xhamster18.*,xhamster19.com,xhamster1.desi,xhamster2.desi,xhamster3.*,xhamster4.desi,xhamster20.com,xhamster22.com,xhamster23.com,xhamster25.com,xhamster26.com,xhamster27.com,openxh.com,xhamster31.com,xhamster32.com,xhamster34.com,xhamster35.com,xhamster36.com,xhamster37.com,xhamster38.com,xhamster5.desi,xhopen.com,openxh1.com,xhamster39.com,xhamster40.com,xhamster.one,xhamster.desi,stripchat.com##.video-thumb[class*="__look-like-item"]
+xhspot.com,xhwide5.com,xhchannel.com,xhchannel2.com,xhtotal.com,xhtree.com,xhwide2.com,xhlease.world,xhamsterporno.mx,xhxh3.xyz,valuexh.life,xhdate.world,xhtab4.com,xhbranch5.com,galleryxh.site,xhbig.com,xhaccess.com,xhofficial.com,seexh.com,taoxh.life,xhamster42.desi,xhvid.com,xhtab2.com,xhamster20.desi,xhamster19.desi,xhwebsite2.com,xhamster18.desi,xhadult3.com,xhadult2.com,xhmoon5.com,xhwide1.com,xhamster3.com,xhplanet2.com,megaxh.com,xhamster16.*,hamsterix.*,xhamster.com,xhamster2.com,xhamster7.com,xhamster8.com,xhamster9.com,xhamster10.com,xhamster12.com,xhamster13.*,xhamster14.com,xhamster15.com,xhamster17.*,xhamster18.*,xhamster19.com,xhamster1.desi,xhamster2.desi,xhamster3.*,xhamster4.desi,xhamster20.com,xhamster22.com,xhamster23.com,xhamster25.com,xhamster26.com,xhamster27.com,openxh.com,xhamster31.com,xhamster32.com,xhamster34.com,xhamster35.com,xhamster36.com,xhamster37.com,xhamster38.com,xhamster5.desi,xhopen.com,openxh1.com,xhamster39.com,xhamster40.com,xhamster.one,xhamster.desi,stripchat.com##div[class*="sp-b"]
+||xhvid.com/*/vast?
+&spotPageType=videoPage$domain=xhspot.com|xhwide5.com|xhchannel.com|xhchannel2.com|xhtotal.com|xhtree.com|xhwide2.com|xhlease.world|xhamsterporno.mx|xhxh3.xyz|valuexh.life|xhdate.world|xhtab4.com|xhbranch5.com|galleryxh.site|xhbig.com|xhaccess.com|xhofficial.com|seexh.com|taoxh.life|xhamster42.desi|xhvid.com|xhtab2.com|xhamster20.desi|xhamster19.desi|xhwebsite2.com|xhamster18.desi|xhadult3.com|xhadult2.com|xhmoon5.com|xhwide1.com|xhamster3.com|xhplanet2.com|megaxh.com|xhamster16.*|hamsterix.*|xhamster.com|xhamster2.com|xhamster7.com|xhamster8.com|xhamster9.com|xhamster10.com|xhamster12.com|xhamster13.*|xhamster14.com|xhamster15.com|xhamster17.*|xhamster18.*|xhamster19.com|xhamster1.desi|xhamster2.desi|xhamster3.*|xhamster4.desi|xhamster20.com|xhamster22.com|xhamster23.com|xhamster25.com|xhamster26.com|xhamster27.com|openxh.com|xhamster31.com|xhamster32.com|xhamster34.com|xhamster35.com|xhamster36.com|xhamster37.com|xhamster38.com|xhamster5.desi|xhopen.com|openxh1.com|xhamster39.com|xhamster40.com|xhamster.one|xhamster.desi
+||go.xhamsterlive.com/api/models$third-party
+||buzzer.xh*/api/models/vast?
+! ad left-over
+xhspot.com,xhwide5.com,xhchannel.com,xhchannel2.com,xhtotal.com,xhtree.com,xhwide2.com,xhlease.world,xhamsterporno.mx,xhxh3.xyz,valuexh.life,xhdate.world,xhtab4.com,xhbranch5.com,galleryxh.site,xhbig.com,xhaccess.com,xhofficial.com,seexh.com,taoxh.life,xhamster42.desi,xhvid.com,xhtab2.com,xhamster20.desi,xhamster19.desi,xhwebsite2.com,xhamster18.desi,xhadult3.com,xhadult2.com,xhmoon5.com,xhwide1.com,xhamster3.com,xhplanet2.com,megaxh.com,xhamster16.*,hamsterix.*,xhamster.com,xhamster2.com,xhamster7.com,xhamster8.com,xhamster9.com,xhamster10.com,xhamster12.com,xhamster13.*,xhamster14.com,xhamster15.com,xhamster17.*,xhamster18.*,xhamster19.com,xhamster1.desi,xhamster2.desi,xhamster3.*,xhamster4.desi,xhamster20.com,xhamster22.com,xhamster23.com,xhamster25.com,xhamster26.com,xhamster27.com,openxh.com,xhamster31.com,xhamster32.com,xhamster34.com,xhamster35.com,xhamster36.com,xhamster37.com,xhamster38.com,xhamster5.desi,xhopen.com,openxh1.com,xhamster39.com,xhamster40.com,xhamster.one,xhamster.desi,stripchat.com#$#.thumb-list > .video-thumb { margin-right: 0px !important; }
+! popunder
+xhspot.com,xhwide5.com,xhchannel.com,xhchannel2.com,xhtotal.com,xhtree.com,xhwide2.com,xhlease.world,xhamsterporno.mx,xhxh3.xyz,valuexh.life,xhdate.world,xhtab4.com,xhbranch5.com,galleryxh.site,xhbig.com,xhaccess.com,xhofficial.com,seexh.com,taoxh.life,xhamster42.desi,xhvid.com,xhtab2.com,xhamster20.desi,xhamster19.desi,xhwebsite2.com,xhamster18.desi,xhadult3.com,xhadult2.com,xhmoon5.com,xhwide1.com,xhamster3.com,xhplanet2.com,megaxh.com,xhamster16.*,hamsterix.*,xhamster.com,xhamster2.com,xhamster7.com,xhamster8.com,xhamster9.com,xhamster10.com,xhamster12.com,xhamster13.*,xhamster14.com,xhamster15.com,xhamster17.*,xhamster18.*,xhamster19.com,xhamster1.desi,xhamster2.desi,xhamster3.*,xhamster4.desi,xhamster20.com,xhamster22.com,xhamster23.com,xhamster25.com,xhamster26.com,xhamster27.com,openxh.com,xhamster31.com,xhamster32.com,xhamster34.com,xhamster35.com,xhamster36.com,xhamster37.com,xhamster38.com,xhamster5.desi,xhopen.com,openxh1.com,xhamster39.com,xhamster40.com,xhamster.one,xhamster.desi,stripchat.com#%#//scriptlet('remove-cookie', 'video_view_count')
+xhspot.com,xhwide5.com,xhchannel.com,xhchannel2.com,xhtotal.com,xhtree.com,xhwide2.com,xhlease.world,xhamsterporno.mx,xhxh3.xyz,valuexh.life,xhdate.world,xhtab4.com,xhbranch5.com,galleryxh.site,xhbig.com,xhaccess.com,xhofficial.com,seexh.com,taoxh.life,xhamster42.desi,xhvid.com,xhtab2.com,xhamster20.desi,xhamster19.desi,xhwebsite2.com,xhamster18.desi,xhadult3.com,xhadult2.com,xhmoon5.com,xhwide1.com,xhamster3.com,xhplanet2.com,megaxh.com,xhamster16.*,hamsterix.*,xhamster.com,xhamster2.com,xhamster7.com,xhamster8.com,xhamster9.com,xhamster10.com,xhamster12.com,xhamster13.*,xhamster14.com,xhamster15.com,xhamster17.*,xhamster18.*,xhamster19.com,xhamster1.desi,xhamster2.desi,xhamster3.*,xhamster4.desi,xhamster20.com,xhamster22.com,xhamster23.com,xhamster25.com,xhamster26.com,xhamster27.com,openxh.com,xhamster31.com,xhamster32.com,xhamster34.com,xhamster35.com,xhamster36.com,xhamster37.com,xhamster38.com,xhamster5.desi,xhopen.com,openxh1.com,xhamster39.com,xhamster40.com,xhamster.one,xhamster.desi,stripchat.com#%#//scriptlet('set-local-storage-item', 'popseen', 'true')
+xhspot.com,xhwide5.com,xhchannel.com,xhchannel2.com,xhtotal.com,xhtree.com,xhwide2.com,xhlease.world,xhamsterporno.mx,xhxh3.xyz,valuexh.life,xhdate.world,xhtab4.com,xhbranch5.com,galleryxh.site,xhbig.com,xhaccess.com,xhofficial.com,seexh.com,taoxh.life,xhamster42.desi,xhvid.com,xhtab2.com,xhamster20.desi,xhamster19.desi,xhwebsite2.com,xhamster18.desi,xhadult3.com,xhadult2.com,xhmoon5.com,xhwide1.com,xhamster3.com,xhplanet2.com,megaxh.com,xhamster16.*,hamsterix.*,xhamster.com,xhamster2.com,xhamster7.com,xhamster8.com,xhamster9.com,xhamster10.com,xhamster12.com,xhamster13.*,xhamster14.com,xhamster15.com,xhamster17.*,xhamster18.*,xhamster19.com,xhamster1.desi,xhamster2.desi,xhamster3.*,xhamster4.desi,xhamster20.com,xhamster22.com,xhamster23.com,xhamster25.com,xhamster26.com,xhamster27.com,openxh.com,xhamster31.com,xhamster32.com,xhamster34.com,xhamster35.com,xhamster36.com,xhamster37.com,xhamster38.com,xhamster5.desi,xhopen.com,openxh1.com,xhamster39.com,xhamster40.com,xhamster.one,xhamster.desi,stripchat.com#%#//scriptlet("abort-current-inline-script", "document.createElement", "initTabUnder")
+!+ NOT_PLATFORM(ext_ublock)
+xhspot.com,xhwide5.com,xhchannel.com,xhchannel2.com,xhtotal.com,xhtree.com,xhwide2.com,xhlease.world,xhamsterporno.mx,xhxh3.xyz,valuexh.life,xhdate.world,xhtab4.com,xhbranch5.com,galleryxh.site,xhbig.com,xhaccess.com,xhofficial.com,seexh.com,taoxh.life,xhamster42.desi,xhvid.com,xhtab2.com,xhamster20.desi,xhamster19.desi,xhwebsite2.com,xhamster18.desi,xhadult3.com,xhadult2.com,xhmoon5.com,xhwide1.com,xhamster3.com,xhplanet2.com,megaxh.com,xhamster16.*,hamsterix.*,xhamster.com,xhamster2.com,xhamster7.com,xhamster8.com,xhamster9.com,xhamster10.com,xhamster12.com,xhamster13.*,xhamster14.com,xhamster15.com,xhamster17.*,xhamster18.*,xhamster19.com,xhamster1.desi,xhamster2.desi,xhamster3.*,xhamster4.desi,xhamster20.com,xhamster22.com,xhamster23.com,xhamster25.com,xhamster26.com,xhamster27.com,openxh.com,xhamster31.com,xhamster32.com,xhamster34.com,xhamster35.com,xhamster36.com,xhamster37.com,xhamster38.com,xhamster5.desi,xhopen.com,openxh1.com,xhamster39.com,xhamster40.com,xhamster.one,xhamster.desi,stripchat.com#%#//scriptlet("set-cookie-reload", "ts_popunder", "1")
+! back button manipulation
+xhspot.com,xhwide5.com,xhchannel.com,xhchannel2.com,xhtotal.com,xhtree.com,xhwide2.com,xhlease.world,xhamsterporno.mx,xhxh3.xyz,valuexh.life,xhdate.world,xhtab4.com,xhbranch5.com,galleryxh.site,xhbig.com,xhaccess.com,xhofficial.com,seexh.com,taoxh.life,xhamster42.desi,xhvid.com,xhtab2.com,xhamster20.desi,xhamster19.desi,xhwebsite2.com,xhamster18.desi,xhadult3.com,xhadult2.com,xhmoon5.com,xhwide1.com,xhamster3.com,xhplanet2.com,megaxh.com,xhamster16.*,hamsterix.*,xhamster.com,xhamster2.com,xhamster7.com,xhamster8.com,xhamster9.com,xhamster10.com,xhamster12.com,xhamster13.*,xhamster14.com,xhamster15.com,xhamster17.*,xhamster18.*,xhamster19.com,xhamster1.desi,xhamster2.desi,xhamster3.*,xhamster4.desi,xhamster20.com,xhamster22.com,xhamster23.com,xhamster25.com,xhamster26.com,xhamster27.com,openxh.com,xhamster31.com,xhamster32.com,xhamster34.com,xhamster35.com,xhamster36.com,xhamster37.com,xhamster38.com,xhamster5.desi,xhopen.com,openxh1.com,xhamster39.com,xhamster40.com,xhamster.one,xhamster.desi,stripchat.com#%#//scriptlet("set-constant", "history.replaceState", "noopFunc")
+!
+moonbit.co.in,moondoge.co.in,moonliteco.in,moondash.co.in##.flexContentAd
+moonbit.co.in,moondoge.co.in,moonliteco.in,moondash.co.in##.btn-sm.btn-coin
+moonbit.co.in,moondoge.co.in,moonliteco.in,moondash.co.in##.flexBefore
+moonbit.co.in,moondoge.co.in,moonliteco.in,moondash.co.in##.flexAfter
+!
+! Many non-Russian online cinemas use mail.ru player
+my.mail.ru###b-video-wrapper > div.b-video-html5__overlay-container
+!
+! turbobit
+turbobita.net,turbobite.*##center > a[href][target^="_blan"] > img
+/pus/script$domain=turbobit1.com|turbobiyt.net|turbobita.net
+turbobite.*##div[style="text-align:center; padding-top:15px;"]
+||turbobit.net/*/img/promo/320x100.gif
+||turbobiyt.net/fd1/js/brinpopup.js
+/files/news/image/offer$domain=turbobyt.com|turbobyte.net|turbobiyt.net|turbobit.net|turbobits.cc
+turbobyt.com###banner-place
+turbobiyt.net,turbobyte.net##a[href*="/ybrowser/"]
+||tb.turbocap.net/*.js
+||turbobit.net/files/news/image/big.png
+||turbobit.net/*/60090.
+turbobyte.net,turbobit.net##div[style^="text-align:center;"] > a[target="_blanck"] > img
+||turbobit.net/*/*_brand_$image
+||turbobit.net/*/72890.png
+turbobit.net##a[href*="&campaign="] > img
+||turbobit.net/partner^$third-party
+||turbobit.net/ref/^$third-party
+turbobit.net##.brin-button
+||turbobit.net/*_brendir_*.jpg
+||turbobit.net/files/news/*.swf
+||turbobit.net/files/news/cwer_pop.js
+||turbobit.net/files/news/image/free_download
+||turbobit.net/files/news/lords_turbobit$domain=turbobit.net
+||turbobit.net/oexktl/
+||turbobit.net/turbo?gaid=bn_gate
+turbobits.cc,turbobiyt.net,turbobit.net##center > a > img
+turbobits.cc,turbobiyt.net,turbobit.net###adfrc_download_wrapper
+artima.com,turbobit.net###topbanner
+turbobit.net##.download-top-aplayer
+turbobit.net##body > a#body-link
+turbobit.net##img[width="600"][height="80"]
+!
+! twitch.tv - streamer's ads
+twitch.tv##a[href^="https://ggbetpromo.com/"]
+twitch.tv##a[href^="http://ggrus.bet/"]
+twitch.tv##a[href^="https://ya.cc/"]
+twitch.tv##a[href="https://vk.com/bust3rshop"]
+twitch.tv##a[href*="store.asus.com/rog-promo/"]
+twitch.tv##div[data-test-selector="channel_panel_test_selector"] > a[href^="http://bit.ly/"]
+twitch.tv##div[data-test-selector="channel_panel_test_selector"] > a[href^="https://bit.ly/"]
+player.twitch.tv##.video-player__container div[class^="Layout-"]:has(> span[data-a-target="video-ad-label"])
+!
+mail.yahoo.com##div[data-test-id="darla-container"]
+mail.yahoo.com##div[data-test-id="ad-viewability-tracker"]
+mail.yahoo.com##div[data-name="infinite-scroll-content"] > ul > li[data-test-id="infinite-scroll-PENCIL"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/162643
+! https://github.com/AdguardTeam/AdguardFilters/issues/62629
+! https://github.com/AdguardTeam/AdguardFilters/issues/56778
+!
+greatist.com,medicalnewstoday.com##.css-umsscj
+greatist.com,medicalnewstoday.com##div[data-dynamic-ads]
+greatist.com,medicalnewstoday.com##hl-adsense
+!
+forbes.com##.top-ad-container
+forbes.com##.adblock-unused
+forbes.com##.moreon-ad
+forbes.com##div[class^="fbs-ad--"]
+forbes.com##.channel--ad
+!
+! Adcash
+##body > div#dontfoid
+##html > div[class][style^="pointer-events: none; position: absolute; top: 0px; left: 0px; width:"]
+##html > div[style="position: fixed; inset: 0px; z-index: 2147483647; pointer-events: auto;"]
+/^https:\/\/[a-z]{5,12}\.com\/[a-z0-9]{1,20}\?[A-Za-z0-9]{15,22}=(?=.*[A-Z])[A-Za-z0-9%]{200,}$/$xmlhttprequest,third-party,match-case
+! #%#//scriptlet('abort-on-property-read', 'Adcash')
+1337x.to,zone-telechargement.*,kickassanime.mx,redecanais.in,streameast.*,thestreameast.*,anroll.net,anarchy-stream.com,freckledine.net,markkystreams.com,buffstreams.app,sanet.lc,1stream.eu,compensationcoincide.net,embedstreams.me,closedjelly.net,sportsonline.*,dl-protect.link,cricstream.me,extreme-down.*,yts.mx,eztvx.to,claplivehdplay.ru,skidrowreloaded.com,olympicstreams.*,streambucket.net,modsfire.com,official.nbabite.com,forgepattern.net,sportsonline.*#%#//scriptlet('abort-on-property-read', 'Adcash')
+buffsports.*,olympicstreams.*#%#//scriptlet('abort-current-inline-script', 'globalThis', 'adserverDomain')
+1337x.to,zone-telechargement.*,kickassanime.mx,redecanais.in,freckledine.net,markkystreams.com,buffstreams.app,sanet.lc,1stream.eu,compensationcoincide.net,embedstreams.me,closedjelly.net,sportsonline.*#%#//scriptlet('abort-on-stack-trace', 'Element.prototype.hasAttribute', 'isActionAllowedOnElement')
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/188920
+! Example: https://daejyre.com/riInStepVNRaVlz/wvqMG
+/^https:\/\/(?:[a-z]{2}\.)?[a-z]{7,14}\.com\/[a-z](?=[a-z]*[0-9A-Z])[0-9A-Za-z]{10,27}\/[A-Za-z]{5}$/$script,third-party,match-case
+! https://github.com/easylist/easylist/issues/6476
+! Example: https://curtisbarways.com/gZ1vfAd01DRoG/60809
+/^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+)?$/$subdocument,script,xmlhttprequest,third-party,match-case
+! It seems that script and popup modifier doesn't work correctly used together, related to - https://github.com/AdguardTeam/AdguardBrowserExtension/issues/1992
+/^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+)?$/$popup,third-party,match-case
+! Popads
+://*.bid^$script,third-party,domain=xxxmax.net|watchfreexxx.net|speedporn.net|filmlinks4u.is|needgayporn.com|gaypornmasters.com|ouo.press|dir50.com|thepiratebay.org|psarips.com|ouo.io|apkmirrorfull.com
+/^https?:\/\/www\.[a-z]{8,14}\.(bid|club|co|com|me|pro|info)\/[a-z]{1,12}\.js$/$script,third-party,domain=2ddl.vg|anidl.org|srt.am|widestream.io|xxxstreams.me|speedporn.net|youwatchporn.com|oke.io|2ddl.unblocked.vc|gaypornwave.com|watchpornfree.ws|hentaimoe.me|sportsgala.xyz
+/\/[A-Z]{1,3}\/[-0-9a-z]{5,}\.com\/\d{1,3}\/\d+$/$script,~third-party,match-case,domain=bflix.to
+/\/[A-Z]{1,3}\/[-0-9a-z]{5,}\.com\/(?:[0-9a-f]{2}\/){3}[0-9a-f]{32}\.js$/$script,~third-party,match-case,domain=mcloud.to|vizcloud.*|vizcloud2.*|bflix.to
+/^https?:\/\/(?:www\.|[a-z0-9]{7,10}\.)?[a-z0-9-]{5,}\.(?:com|bid|link|live|online|top|club)\/\/?(?:[a-z0-9]{2}\/){2,3}[a-f0-9]{32}\.js/$script,xmlhttprequest,third-party
+/^https?:\/\/(?:www\.|[a-z0-9]{7,10}\.)?[a-z0-9-]{5,}\.(?:com|bid|link|live|online|top|club)\/\/?(?:[a-z0-9]{2}\/){2,3}[a-f0-9]{32}\.js/$script,third-party,redirect=noopjs
+! https://github.com/AdguardTeam/AdguardFilters/issues/54684
+! New popads script - blocking popads script casues requests to "undefined" and in some cases website doesn't load correctly
+|https://undefined/|$script,redirect=noopjs
+! remove domain part when working fine for other websites too (one exception for this rule so far)
+||blockadsnot.com^$redirect=nooptext,important,domain=hislink.net
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/59269
+! Porn farming
+adultlingeriepics.com,adultlingeriepics.com,adultspankingtgp.com,allfeetporn.com,allfemdompics.com,allgfpics.com,allhairysex.com,allhotgayporn.com,allrealvoyeur.com,allrealvoyeur.com,allsexylegs.com,allshemalemodels.com,allshemalemodels.com,allswinger.com,allswinger.com,alltrannypics.com,alltrannypics.com,alltrannystars.com,alltrannystars.com,allvoyeurxxx.com,allvoyeurxxx.com,amateurbbwpussy.com,amateursexypics.com,asianfuckthumbs.com,asianhotxxx.com,asianhotxxx.com,asianladyboypictures.com,asianladyboyspics.com,asianladyboyssex.com,asianladyboyssex.com,asianpicturesporn.com,asianpicturesporn.com,asianshemalesex.com,asianshotporn.com,asianshotporn.com,asshotfuck.com,asshotfuck.com,barefeetsex.com,bbwhardporn.com,bbwhotxxx.com,bdsmfemdomtraining.com,bdsmfemdomtraining.com,bdsmsextgp.com,bdsmsextgp.com,bestasianpics.com,bestasianpics.com,bestassparade.com,bestbbwsex.com,bestfemdomporn.com,bestfemdomporn.com,bestfemdomtgp.com,bestlegsporn.com,bestlingerieporn.com,bestlingerieporn.com,bestnylonpics.com,bestnylonpics.com,bestpainporn.com,bestpainporn.com,bestpornblack.com,bestpublicporn.com,bestspankingpics.com,bestupskirtporn.com,bestvoyeurpictures.com,bestvoyeurporn.com,bigboobsgrab.com,bigboobsgrab.com,blackxxxgalleries.com,buttstgp.com,classicpornpost.com,classicpornpost.com,classicretrosex.com,clubfemdomfetish.com,dailyfemdomporn.com,dailyfootporn.com,dailyhairyporn.com,dailylatexporn.com,dailynylongalleries.com,dailyvintageporn.com,doubleanalfucking.com,eroticchubby.com,eroticchubby.com,eroticfootgallery.com,eroticfootgallery.com,eroticlatexporn.com,eroticlingeriephotos.com,eroticnylonpics.com,eroticspankinginternet.com,eroticspankinginternet.com,eroticvoyeurporn.com,eroticvoyeurporn.com,extremebondagepictures.com,extremelatexsex.com,extremestraponsex.com,faterotic.com,fatpussysluts.com,femalepublicflashers.com,femdombest.com,femdomhard.com,femdomhard.com,femdomlove.com,femdompicstgp.com,femdompicstgp.com,fetishfootporn.com,fetishlatexporn.com,fetishstraponsex.com,flashersporn.com,flashersporn.com,footfetishcollection.com,footfreeporn.com,forcedfemdomtgp.com,forcedfemdomtgp.com,freeasiantgp.com,freebdsmarchive.com,freebondagehardcore.com,freebondagehardcore.com,freebondagetorture.com,freefemdomart.com,freefemdomart.com,freegallerybdsm.com,freegallerybdsm.com,freegftgp.com,freelesbiantgp.com,freelesbiantgp.com,freelingeriegalleries.com,freelingerietgp.com,freenylonfetish.com,freenylonfetish.com,freenylontgp.com,freenylontgp.com,freepantyhosefetish.com,freepantyhosefetish.com,freepicsamateur.com,freeretropics.com,freeswingersthumbs.com,freetitsporn.com,freeupskirttgp.com,freeupskirttgp.com,freevintagegallery.com,freevoyeurnude.com,freshshemalepics.com,galleriesswingers.com,girlfriendstgp.com,girlspublic.com,hairyfuckingcunt.com,hardanalpics.com,hardasian.com,hardasian.com,hardbdsmpics.com,hardbdsmpics.com,hardbdsmsex.com,hardbondageart.com,hardbondageart.com,hardcoreblackfuck.com,hardspankingsex.com,hardspankingsex.com,hardupskirt.com,hiddenvoyeurporn.com,hotasiangallery.com,hotasiantgp.com,hotassgallery.com,hotbbwgalleries.com,hotbbwgalleries.com,hotbbwgallery.com,hotbbwgallery.com,hotbdsmtgp.com,hotbdsmthumbs.com,hotbdsmthumbs.com,hotchubbyporn.com,hotfemdomgallery.com,hotfemdomgallery.com,hotlatexporn.com,hotlegsporn.com,hotlesbianlicking.com,hotlesbianlicking.com,hotlesbiansorgy.com,hotlesbiansorgy.com,hotmaturegalleries.com,hotmaturetgp.com,hotnylontgp.com,hotpainsex.com,hotpornebony.com,hotpornretro.com,hotpublicporn.com,hotpublicporn.com,hotpublicsex.com,hotsluttybutts.com,hotstraponporn.com,hotswingerspictures.com,hotswingerspictures.com,hotswingersporn.com,hotswingersporn.com,hotupskirtshots.com,hotupskirtshots.com,hotvintagepictures.com,hotvintagepictures.com,hotvoyeurporn.com,hotvoyeurporn.com,hotvoyeursex.com,hotxxxass.com,hqcfnm.com,hqladyboys.com,inpublicflashing.com,inpublicflashing.com,juicyassporn.com,justshemalepics.com,ladyboypornpictures.com,latexbest.com,latexerotic.com,latexerotic.com,latexfetishpics.com,latexleatherporn.com,latexporngirls.com,legsthumbs.com,legsthumbs.com,lingeriepornfree.com,lingeriepornfree.com,lingeriepornguide.com,lingeriepornguide.com,lingeriethumbs.com,lingeriethumbs.com,matureswingercouples.com,mybdsmlibrary.com,mybdsmlibrary.com,myladyboys.com,nastyebonyporn.com,nastymilfsex.com,nudelingeriepics.com,nudelingeriepics.com,nudenylon.com,nudepublicporn.com,nudevoyeurgalleries.com,nylonstockingsex.org,nylonstockingsex.org,oldandyoungxxx.com,onlyshemalepics.com,onpublicporn.com,ourladyboy.com,paintgp.com,perfectassporn.com,perfectassporn.com,perfectbuttfuck.com,perfectbuttfuck.com,perfectfemdom.com,perfectfemdom.com,perfecttitsfuck.com,pornbbwpics.com,pornbondagegalleries.com,pornnylons.com,pornnylons.com,privatevoyeurweb.net,privatevoyeurweb.net,publicerotic.com,publicerotic.com,publicflashinggalleries.com,publicfuckspy.com,publicporntgp.com,publicporntgp.com,realfemdomsex.com,realfemdomsex.com,realstraponporn.com,realvoyeurpost.com,retropornarchives.com,retropornarchives.com,retroporngallery.com,retrothumbs.com,retrothumbs.com,ropebondageporn.com,sexyboobsporn.com,sexyboobsporn.com,sexychubbyporn.com,sexychubbyporn.com,sexylatexfetish.com,sexylatexpics.com,sexylesbiangalleries.com,sexylesbiangalleries.com,sexylingerietgp.com,sexynylongalleries.com,sexyupskirtporn.com,shemalecollection.com,shemaledatabase.com,shemaledb.net,shemaledb.net,shemalefreepictures.com,shemalemodeldb.com,shemalemodellist.com,shemalexxxpictures.com,shemalexxxstars.com,shemalexxxstars.com,spankinghotporn.com,spicyasianporn.com,spicyass.com,spicyass.com,spyvoyeurs.com,straponhot.com,straponhot.com,straponit.com,straponlive.com,straponsextgp.com,superbdsm.com,swingerfreeporn.com,swingerlust.com,swingersbest.com,swingerspornparties.com,swingerspornparties.com,swingersxxxpics.com,swingersxxxpics.com,swingerthumbnails.com,teenladyboy.net,thailadyboyporn.com,thailadyboysex.com,thailadyboysex.com,thailandshemale.com,thaishemalesex.com,thefemdomporn.com,thefemdomsex.com,titssuper.com,titssuper.com,titsthumbnails.com,titsthumbnails.com,topladyboy.com,trannyfreefuck.com,trannysuperstar.com,transsexpics.com,transsexpics.com,truevoyeurphotos.com,upskirtpussyspy.com,upskirtviewers.com,upskirtviewers.com,vintagehotporn.com,vintagehotporn.com,vintagehunterporn.com,vintagethumbnails.com,xladyboys.com,xxxbdsmtgp.com,xxxbondagegalleries.com,xxxlatexladies.com,xxxnylonpics.com##.space
+adultlingeriepics.com,adultlingeriepics.com,adultspankingtgp.com,allfeetporn.com,allfemdompics.com,allgfpics.com,allhairysex.com,allhotgayporn.com,allrealvoyeur.com,allrealvoyeur.com,allsexylegs.com,allshemalemodels.com,allshemalemodels.com,allswinger.com,allswinger.com,alltrannypics.com,alltrannypics.com,alltrannystars.com,alltrannystars.com,allvoyeurxxx.com,allvoyeurxxx.com,amateurbbwpussy.com,amateursexypics.com,asianfuckthumbs.com,asianhotxxx.com,asianhotxxx.com,asianladyboypictures.com,asianladyboyspics.com,asianladyboyssex.com,asianladyboyssex.com,asianpicturesporn.com,asianpicturesporn.com,asianshemalesex.com,asianshotporn.com,asianshotporn.com,asshotfuck.com,asshotfuck.com,barefeetsex.com,bbwhardporn.com,bbwhotxxx.com,bdsmfemdomtraining.com,bdsmfemdomtraining.com,bdsmsextgp.com,bdsmsextgp.com,bestasianpics.com,bestasianpics.com,bestassparade.com,bestbbwsex.com,bestfemdomporn.com,bestfemdomporn.com,bestfemdomtgp.com,bestlegsporn.com,bestlingerieporn.com,bestlingerieporn.com,bestnylonpics.com,bestnylonpics.com,bestpainporn.com,bestpainporn.com,bestpornblack.com,bestpublicporn.com,bestspankingpics.com,bestupskirtporn.com,bestvoyeurpictures.com,bestvoyeurporn.com,bigboobsgrab.com,bigboobsgrab.com,blackxxxgalleries.com,buttstgp.com,classicpornpost.com,classicpornpost.com,classicretrosex.com,clubfemdomfetish.com,dailyfemdomporn.com,dailyfootporn.com,dailyhairyporn.com,dailylatexporn.com,dailynylongalleries.com,dailyvintageporn.com,doubleanalfucking.com,eroticchubby.com,eroticchubby.com,eroticfootgallery.com,eroticfootgallery.com,eroticlatexporn.com,eroticlingeriephotos.com,eroticnylonpics.com,eroticspankinginternet.com,eroticspankinginternet.com,eroticvoyeurporn.com,eroticvoyeurporn.com,extremebondagepictures.com,extremelatexsex.com,extremestraponsex.com,faterotic.com,fatpussysluts.com,femalepublicflashers.com,femdombest.com,femdomhard.com,femdomhard.com,femdomlove.com,femdompicstgp.com,femdompicstgp.com,fetishfootporn.com,fetishlatexporn.com,fetishstraponsex.com,flashersporn.com,flashersporn.com,footfetishcollection.com,footfreeporn.com,forcedfemdomtgp.com,forcedfemdomtgp.com,freeasiantgp.com,freebdsmarchive.com,freebondagehardcore.com,freebondagehardcore.com,freebondagetorture.com,freefemdomart.com,freefemdomart.com,freegallerybdsm.com,freegallerybdsm.com,freegftgp.com,freelesbiantgp.com,freelesbiantgp.com,freelingeriegalleries.com,freelingerietgp.com,freenylonfetish.com,freenylonfetish.com,freenylontgp.com,freenylontgp.com,freepantyhosefetish.com,freepantyhosefetish.com,freepicsamateur.com,freeretropics.com,freeswingersthumbs.com,freetitsporn.com,freeupskirttgp.com,freeupskirttgp.com,freevintagegallery.com,freevoyeurnude.com,freshshemalepics.com,galleriesswingers.com,girlfriendstgp.com,girlspublic.com,hairyfuckingcunt.com,hardanalpics.com,hardasian.com,hardasian.com,hardbdsmpics.com,hardbdsmpics.com,hardbdsmsex.com,hardbondageart.com,hardbondageart.com,hardcoreblackfuck.com,hardspankingsex.com,hardspankingsex.com,hardupskirt.com,hiddenvoyeurporn.com,hotasiangallery.com,hotasiantgp.com,hotassgallery.com,hotbbwgalleries.com,hotbbwgalleries.com,hotbbwgallery.com,hotbbwgallery.com,hotbdsmtgp.com,hotbdsmthumbs.com,hotbdsmthumbs.com,hotchubbyporn.com,hotfemdomgallery.com,hotfemdomgallery.com,hotlatexporn.com,hotlegsporn.com,hotlesbianlicking.com,hotlesbianlicking.com,hotlesbiansorgy.com,hotlesbiansorgy.com,hotmaturegalleries.com,hotmaturetgp.com,hotnylontgp.com,hotpainsex.com,hotpornebony.com,hotpornretro.com,hotpublicporn.com,hotpublicporn.com,hotpublicsex.com,hotsluttybutts.com,hotstraponporn.com,hotswingerspictures.com,hotswingerspictures.com,hotswingersporn.com,hotswingersporn.com,hotupskirtshots.com,hotupskirtshots.com,hotvintagepictures.com,hotvintagepictures.com,hotvoyeurporn.com,hotvoyeurporn.com,hotvoyeursex.com,hotxxxass.com,hqcfnm.com,hqladyboys.com,inpublicflashing.com,inpublicflashing.com,juicyassporn.com,justshemalepics.com,ladyboypornpictures.com,latexbest.com,latexerotic.com,latexerotic.com,latexfetishpics.com,latexleatherporn.com,latexporngirls.com,legsthumbs.com,legsthumbs.com,lingeriepornfree.com,lingeriepornfree.com,lingeriepornguide.com,lingeriepornguide.com,lingeriethumbs.com,lingeriethumbs.com,matureswingercouples.com,mybdsmlibrary.com,mybdsmlibrary.com,myladyboys.com,nastyebonyporn.com,nastymilfsex.com,nudelingeriepics.com,nudelingeriepics.com,nudenylon.com,nudepublicporn.com,nudevoyeurgalleries.com,nylonstockingsex.org,nylonstockingsex.org,oldandyoungxxx.com,onlyshemalepics.com,onpublicporn.com,ourladyboy.com,paintgp.com,perfectassporn.com,perfectassporn.com,perfectbuttfuck.com,perfectbuttfuck.com,perfectfemdom.com,perfectfemdom.com,perfecttitsfuck.com,pornbbwpics.com,pornbondagegalleries.com,pornnylons.com,pornnylons.com,privatevoyeurweb.net,privatevoyeurweb.net,publicerotic.com,publicerotic.com,publicflashinggalleries.com,publicfuckspy.com,publicporntgp.com,publicporntgp.com,realfemdomsex.com,realfemdomsex.com,realstraponporn.com,realvoyeurpost.com,retropornarchives.com,retropornarchives.com,retroporngallery.com,retrothumbs.com,retrothumbs.com,ropebondageporn.com,sexyboobsporn.com,sexyboobsporn.com,sexychubbyporn.com,sexychubbyporn.com,sexylatexfetish.com,sexylatexpics.com,sexylesbiangalleries.com,sexylesbiangalleries.com,sexylingerietgp.com,sexynylongalleries.com,sexyupskirtporn.com,shemalecollection.com,shemaledatabase.com,shemaledb.net,shemaledb.net,shemalefreepictures.com,shemalemodeldb.com,shemalemodellist.com,shemalexxxpictures.com,shemalexxxstars.com,shemalexxxstars.com,spankinghotporn.com,spicyasianporn.com,spicyass.com,spicyass.com,spyvoyeurs.com,straponhot.com,straponhot.com,straponit.com,straponlive.com,straponsextgp.com,superbdsm.com,swingerfreeporn.com,swingerlust.com,swingersbest.com,swingerspornparties.com,swingerspornparties.com,swingersxxxpics.com,swingersxxxpics.com,swingerthumbnails.com,teenladyboy.net,thailadyboyporn.com,thailadyboysex.com,thailadyboysex.com,thailandshemale.com,thaishemalesex.com,thefemdomporn.com,thefemdomsex.com,titssuper.com,titssuper.com,titsthumbnails.com,titsthumbnails.com,topladyboy.com,trannyfreefuck.com,trannysuperstar.com,transsexpics.com,transsexpics.com,truevoyeurphotos.com,upskirtpussyspy.com,upskirtviewers.com,upskirtviewers.com,vintagehotporn.com,vintagehotporn.com,vintagehunterporn.com,vintagethumbnails.com,xladyboys.com,xxxbdsmtgp.com,xxxbondagegalleries.com,xxxlatexladies.com,xxxnylonpics.com##.content
+adultlingeriepics.com,adultlingeriepics.com,adultspankingtgp.com,allfeetporn.com,allfemdompics.com,allgfpics.com,allhairysex.com,allhotgayporn.com,allrealvoyeur.com,allrealvoyeur.com,allsexylegs.com,allshemalemodels.com,allshemalemodels.com,allswinger.com,allswinger.com,alltrannypics.com,alltrannypics.com,alltrannystars.com,alltrannystars.com,allvoyeurxxx.com,allvoyeurxxx.com,amateurbbwpussy.com,amateursexypics.com,asianfuckthumbs.com,asianhotxxx.com,asianhotxxx.com,asianladyboypictures.com,asianladyboyspics.com,asianladyboyssex.com,asianladyboyssex.com,asianpicturesporn.com,asianpicturesporn.com,asianshemalesex.com,asianshotporn.com,asianshotporn.com,asshotfuck.com,asshotfuck.com,barefeetsex.com,bbwhardporn.com,bbwhotxxx.com,bdsmfemdomtraining.com,bdsmfemdomtraining.com,bdsmsextgp.com,bdsmsextgp.com,bestasianpics.com,bestasianpics.com,bestassparade.com,bestbbwsex.com,bestfemdomporn.com,bestfemdomporn.com,bestfemdomtgp.com,bestlegsporn.com,bestlingerieporn.com,bestlingerieporn.com,bestnylonpics.com,bestnylonpics.com,bestpainporn.com,bestpainporn.com,bestpornblack.com,bestpublicporn.com,bestspankingpics.com,bestupskirtporn.com,bestvoyeurpictures.com,bestvoyeurporn.com,bigboobsgrab.com,bigboobsgrab.com,blackxxxgalleries.com,buttstgp.com,classicpornpost.com,classicpornpost.com,classicretrosex.com,clubfemdomfetish.com,dailyfemdomporn.com,dailyfootporn.com,dailyhairyporn.com,dailylatexporn.com,dailynylongalleries.com,dailyvintageporn.com,doubleanalfucking.com,eroticchubby.com,eroticchubby.com,eroticfootgallery.com,eroticfootgallery.com,eroticlatexporn.com,eroticlingeriephotos.com,eroticnylonpics.com,eroticspankinginternet.com,eroticspankinginternet.com,eroticvoyeurporn.com,eroticvoyeurporn.com,extremebondagepictures.com,extremelatexsex.com,extremestraponsex.com,faterotic.com,fatpussysluts.com,femalepublicflashers.com,femdombest.com,femdomhard.com,femdomhard.com,femdomlove.com,femdompicstgp.com,femdompicstgp.com,fetishfootporn.com,fetishlatexporn.com,fetishstraponsex.com,flashersporn.com,flashersporn.com,footfetishcollection.com,footfreeporn.com,forcedfemdomtgp.com,forcedfemdomtgp.com,freeasiantgp.com,freebdsmarchive.com,freebondagehardcore.com,freebondagehardcore.com,freebondagetorture.com,freefemdomart.com,freefemdomart.com,freegallerybdsm.com,freegallerybdsm.com,freegftgp.com,freelesbiantgp.com,freelesbiantgp.com,freelingeriegalleries.com,freelingerietgp.com,freenylonfetish.com,freenylonfetish.com,freenylontgp.com,freenylontgp.com,freepantyhosefetish.com,freepantyhosefetish.com,freepicsamateur.com,freeretropics.com,freeswingersthumbs.com,freetitsporn.com,freeupskirttgp.com,freeupskirttgp.com,freevintagegallery.com,freevoyeurnude.com,freshshemalepics.com,galleriesswingers.com,girlfriendstgp.com,girlspublic.com,hairyfuckingcunt.com,hardanalpics.com,hardasian.com,hardasian.com,hardbdsmpics.com,hardbdsmpics.com,hardbdsmsex.com,hardbondageart.com,hardbondageart.com,hardcoreblackfuck.com,hardspankingsex.com,hardspankingsex.com,hardupskirt.com,hiddenvoyeurporn.com,hotasiangallery.com,hotasiantgp.com,hotassgallery.com,hotbbwgalleries.com,hotbbwgalleries.com,hotbbwgallery.com,hotbbwgallery.com,hotbdsmtgp.com,hotbdsmthumbs.com,hotbdsmthumbs.com,hotchubbyporn.com,hotfemdomgallery.com,hotfemdomgallery.com,hotlatexporn.com,hotlegsporn.com,hotlesbianlicking.com,hotlesbianlicking.com,hotlesbiansorgy.com,hotlesbiansorgy.com,hotmaturegalleries.com,hotmaturetgp.com,hotnylontgp.com,hotpainsex.com,hotpornebony.com,hotpornretro.com,hotpublicporn.com,hotpublicporn.com,hotpublicsex.com,hotsluttybutts.com,hotstraponporn.com,hotswingerspictures.com,hotswingerspictures.com,hotswingersporn.com,hotswingersporn.com,hotupskirtshots.com,hotupskirtshots.com,hotvintagepictures.com,hotvintagepictures.com,hotvoyeurporn.com,hotvoyeurporn.com,hotvoyeursex.com,hotxxxass.com,hqcfnm.com,hqladyboys.com,inpublicflashing.com,inpublicflashing.com,juicyassporn.com,justshemalepics.com,ladyboypornpictures.com,latexbest.com,latexerotic.com,latexerotic.com,latexfetishpics.com,latexleatherporn.com,latexporngirls.com,legsthumbs.com,legsthumbs.com,lingeriepornfree.com,lingeriepornfree.com,lingeriepornguide.com,lingeriepornguide.com,lingeriethumbs.com,lingeriethumbs.com,matureswingercouples.com,mybdsmlibrary.com,mybdsmlibrary.com,myladyboys.com,nastyebonyporn.com,nastymilfsex.com,nudelingeriepics.com,nudelingeriepics.com,nudenylon.com,nudepublicporn.com,nudevoyeurgalleries.com,nylonstockingsex.org,nylonstockingsex.org,oldandyoungxxx.com,onlyshemalepics.com,onpublicporn.com,ourladyboy.com,paintgp.com,perfectassporn.com,perfectassporn.com,perfectbuttfuck.com,perfectbuttfuck.com,perfectfemdom.com,perfectfemdom.com,perfecttitsfuck.com,pornbbwpics.com,pornbondagegalleries.com,pornnylons.com,pornnylons.com,privatevoyeurweb.net,privatevoyeurweb.net,publicerotic.com,publicerotic.com,publicflashinggalleries.com,publicfuckspy.com,publicporntgp.com,publicporntgp.com,realfemdomsex.com,realfemdomsex.com,realstraponporn.com,realvoyeurpost.com,retropornarchives.com,retropornarchives.com,retroporngallery.com,retrothumbs.com,retrothumbs.com,ropebondageporn.com,sexyboobsporn.com,sexyboobsporn.com,sexychubbyporn.com,sexychubbyporn.com,sexylatexfetish.com,sexylatexpics.com,sexylesbiangalleries.com,sexylesbiangalleries.com,sexylingerietgp.com,sexynylongalleries.com,sexyupskirtporn.com,shemalecollection.com,shemaledatabase.com,shemaledb.net,shemaledb.net,shemalefreepictures.com,shemalemodeldb.com,shemalemodellist.com,shemalexxxpictures.com,shemalexxxstars.com,shemalexxxstars.com,spankinghotporn.com,spicyasianporn.com,spicyass.com,spicyass.com,spyvoyeurs.com,straponhot.com,straponhot.com,straponit.com,straponlive.com,straponsextgp.com,superbdsm.com,swingerfreeporn.com,swingerlust.com,swingersbest.com,swingerspornparties.com,swingerspornparties.com,swingersxxxpics.com,swingersxxxpics.com,swingerthumbnails.com,teenladyboy.net,thailadyboyporn.com,thailadyboysex.com,thailadyboysex.com,thailandshemale.com,thaishemalesex.com,thefemdomporn.com,thefemdomsex.com,titssuper.com,titssuper.com,titsthumbnails.com,titsthumbnails.com,topladyboy.com,trannyfreefuck.com,trannysuperstar.com,transsexpics.com,transsexpics.com,truevoyeurphotos.com,upskirtpussyspy.com,upskirtviewers.com,upskirtviewers.com,vintagehotporn.com,vintagehotporn.com,vintagehunterporn.com,vintagethumbnails.com,xladyboys.com,xxxbdsmtgp.com,xxxbondagegalleries.com,xxxlatexladies.com,xxxnylonpics.com##.contentrow
+!
+! https://github.com/AdguardTeam/AdguardFilters/pull/124850
+! https://github.com/AdguardTeam/AdguardFilters/issues/116391
+/(?:com|net)\/[a-z-]{3,10}\.html$/$subdocument,~third-party,domain=imgadult.com|imgdrive.net|imgtaxi.com|imgwallet.com
+/(?:com|net)\/[0-9a-f]{12}\.js$/$script,~third-party,domain=imgadult.com|imgdrive.net|imgtaxi.com|imgwallet.com
+!
+!
+!
+!+ NOT_OPTIMIZED
+businesstoday.in##.itgdAdsPlaceholder
+!+ NOT_OPTIMIZED
+businesstoday.in##.stoybday-ad
+!+ NOT_OPTIMIZED
+metacritic.com##.c-adMpu
+!+ NOT_OPTIMIZED
+forum.lowyat.net##.style_ad
+!+ NOT_OPTIMIZED
+1980-games.com,coleka.com,flash-mp3-player.net,gameslol.net,theportugalnews.com,tolonews.com##.pub
+!+ NOT_OPTIMIZED
+wccftech.com##.wccf_video_tag
+!+ NOT_OPTIMIZED
+cnbctv18.com##.bottom-sticky
+!+ NOT_OPTIMIZED
+flatpanelshd.com##div[data-aaad]
+!+ NOT_OPTIMIZED
+timesofindia.indiatimes.com##[data-contentprimestatus]
+!+ NOT_OPTIMIZED
+thehackernews.com##.dog_two
+!+ NOT_OPTIMIZED
+islands.com,svg.com##.before-ad
+!+ NOT_OPTIMIZED
+youtubetranscript.com###video_col a[target="_blank"] > img
+!+ NOT_OPTIMIZED
+redbook.com.au##.is-section-doubleclickad
+!+ NOT_OPTIMIZED
+patents.justia.com##.jcard[style="min-height:280px; margin-bottom: 10px;"]
+!+ NOT_OPTIMIZED
+cybernews.com##.a-label__wrapper
+!+ NOT_OPTIMIZED
+gpblog.com##li[class^="PromoItem_"]
+!+ NOT_OPTIMIZED
+gpblog.com##li[data-tracker-name="advertorialNewsList"]
+!+ NOT_OPTIMIZED
+gpblog.com##li[class^="NewsList_injection"]:has(> div:only-child > .ad:only-child)
+!+ NOT_OPTIMIZED
+gpblog.com##[class^="ArticlePromoItem_ArticlePromoItem"]
+!+ NOT_OPTIMIZED
+gpblog.com##section[class^="NewsList"] > ul > li[class^="NewsList_injection"]:has(> div[data-tracker-name="bettingPage"])
+!+ NOT_OPTIMIZED
+indy100.com##.relatedLink_content:has(> div[id^="taboola"])
+!+ NOT_OPTIMIZED
+wionews.com##.ad_fixed
+!+ NOT_OPTIMIZED
+dnaindia.com,wionews.com##.ads-box-300x250
+!+ NOT_OPTIMIZED
+zeenews.india.com,wionews.com##div[class^="ads-box-"]
+!+ NOT_OPTIMIZED
+helpnetsecurity.com#$##habModal { display: none!important; }
+!+ NOT_OPTIMIZED
+helpnetsecurity.com#$#.modal-backdrop { display: none!important; }
+!+ NOT_OPTIMIZED
+helpnetsecurity.com#$#body { overflow: auto!important; padding-right: 0!important; }
+!+ NOT_OPTIMIZED
+mobilanyheter.net,accelerationeconomy.com,techwafer.com##.a-wrap
+!+ NOT_OPTIMIZED
+hackread.com#?#.cs-sidebar__inner a.click:upward(.widget)
+!+ NOT_OPTIMIZED
+fileditch.com##a[href^="https://hostslick.com/"]
+!+ NOT_OPTIMIZED
+telegraph.co.uk##.article-betting-unit-container
+!+ NOT_OPTIMIZED
+carsales.com.au##.csn-refine-ads
+!+ NOT_OPTIMIZED
+tech.hindustantimes.com##.ampAds
+!+ NOT_OPTIMIZED
+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.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##html[itemtype="http://schema.org/SearchResultsPage"] #cnt div[class$="sh-sr__tau"][style]
+!+ NOT_OPTIMIZED
+komonews.com,wlos.com#$?#div[class^="GalleryHero-module_slideContainer"] > div[class^="GalleryHero-module_slide"]:has(div[class^="TeaserAd"]) { remove: true; }
+!+ NOT_OPTIMIZED
+whatismybrowser.com##.fun
+!+ NOT_OPTIMIZED
+cdnstream.top,gaytry.com##div[style="position:relative;"] ~ div[style*="position:fixed;inset:0px;"][style*="background:black;opacity"]
+!+ NOT_OPTIMIZED
+||cdnstream.top/assets/jquery/app*.js?type=adult&v=
+!+ NOT_OPTIMIZED
+autocarpro.in##body div[class^="ad-section-"]
+!+ NOT_OPTIMIZED
+livingcost.org###cls-wrapper
+!+ NOT_OPTIMIZED
+ispreview.co.uk##div[style^="clear:both;border-radius:8px;"]
+!+ NOT_OPTIMIZED
+doodss.*##body > div > div.fixed
+!+ NOT_OPTIMIZED
+doodss.*###video-container ~ a[href="#"]
+!+ NOT_OPTIMIZED
+allevents.in##.ads_place_right
+!+ NOT_OPTIMIZED
+websleuths.com##a[data-dnasolvesslug]
+!+ NOT_OPTIMIZED
+websleuths.com##.block-body > div[style*="text-align: center; padding: 10px;"]:has(> a[data-dnasolvesslug])
+!+ NOT_OPTIMIZED
+websleuths.com##.p-body-sidebar > .block:not([data-widget-id]):has(> .block-container > .block-body > a[data-dnasolvesslug])
+!+ NOT_OPTIMIZED
+||dnasolves.com/static/js/embed.js$domain=websleuths.com
+!+ NOT_OPTIMIZED
+pixivision.net###ads-article-rectangle
+!+ NOT_OPTIMIZED
+augustman.com,prestigeonline.com,ephotozine.com##.masthead-container
+!+ NOT_OPTIMIZED
+||camstreams.tv/player/html.php?aid=*_html&video_id=*&*&referer
+!+ NOT_OPTIMIZED
+anonymousemail.me##.center > a[target="_blank"] > img
+!+ NOT_OPTIMIZED
+daijiworld.com##.ipRightAdvt
+!+ NOT_OPTIMIZED
+pastemagazine.com##div[id$="_rectangle"]
+!+ NOT_OPTIMIZED
+legit.ng##.c-adv--video-placeholder
+!+ NOT_OPTIMIZED
+foxbaltimore.com,foxchattanooga.com,foxillinois.com,foxnebraska.com,foxreno.com,foxrochester.com,foxsanantonio.com,nbcmontana.com,okcfox.com,siouxlandnews.com,wach.com,wchstv.com,wcyb.com,wfxl.com,wgxa.tv,wlos.com,wsbt.com,cbs2iowa.com,fox4beaumont.com,mycbs4.com,mynews4.com,news4sanantonio.com,abc6onyourside.com,wtov9.com,turnto10.com,fox11online.com,mynbc15.com,nbc16.com,dayton247now.com,fox23maine.com,nbc24.com,fox28media.com,myfox28columbus.com,fox42kptm.com,fox45now.com,fox56.com##div[class^="index_displayAd__"]
+!+ NOT_OPTIMIZED
+foxbaltimore.com,foxchattanooga.com,foxillinois.com,foxnebraska.com,foxreno.com,foxrochester.com,foxsanantonio.com,nbcmontana.com,okcfox.com,siouxlandnews.com,wach.com,wchstv.com,wcyb.com,wfxl.com,wgxa.tv,wlos.com,wsbt.com,cbs2iowa.com,fox4beaumont.com,mycbs4.com,mynews4.com,news4sanantonio.com,abc6onyourside.com,wtov9.com,turnto10.com,fox11online.com,mynbc15.com,nbc16.com,dayton247now.com,fox23maine.com,nbc24.com,fox28media.com,myfox28columbus.com,fox42kptm.com,fox45now.com,fox56.com##div[id^="interstory_first_ddb_"]
+!+ NOT_OPTIMIZED
+foxbaltimore.com,foxchattanooga.com,foxillinois.com,foxnebraska.com,foxreno.com,foxrochester.com,foxsanantonio.com,nbcmontana.com,okcfox.com,siouxlandnews.com,wach.com,wchstv.com,wcyb.com,wfxl.com,wgxa.tv,wlos.com,wsbt.com,cbs2iowa.com,fox4beaumont.com,mycbs4.com,mynews4.com,news4sanantonio.com,abc6onyourside.com,wtov9.com,turnto10.com,fox11online.com,mynbc15.com,nbc16.com,dayton247now.com,fox23maine.com,nbc24.com,fox28media.com,myfox28columbus.com,fox42kptm.com,fox45now.com,fox56.com##div[id^="interstory_second_ddb_"]
+!+ NOT_OPTIMIZED
+foxbaltimore.com,foxchattanooga.com,foxillinois.com,foxnebraska.com,foxreno.com,foxrochester.com,foxsanantonio.com,nbcmontana.com,okcfox.com,siouxlandnews.com,wach.com,wchstv.com,wcyb.com,wfxl.com,wgxa.tv,wlos.com,wsbt.com,cbs2iowa.com,fox4beaumont.com,mycbs4.com,mynews4.com,news4sanantonio.com,abc6onyourside.com,wtov9.com,turnto10.com,fox11online.com,mynbc15.com,nbc16.com,dayton247now.com,fox23maine.com,nbc24.com,fox28media.com,myfox28columbus.com,fox42kptm.com,fox45now.com,fox56.com##div[class^="index_adBeforeContent__"]
+!+ NOT_OPTIMIZED
+##.primis-ad
+!+ NOT_OPTIMIZED
+nautil.us##.browsi-ad
+!+ NOT_OPTIMIZED
+gayvideo.me,gaypornlove.net,pvstreams.com,evolutionofbodybuilding.net,embetronicx.com,analyticsinsight.net,firesticktricks.com##.sgpb-popup-dialog-main-div-wrapper
+!+ NOT_OPTIMIZED
+gayvideo.me,gaypornlove.net,pvstreams.com,evolutionofbodybuilding.net,embetronicx.com,analyticsinsight.net,firesticktricks.com##.sgpb-popup-overlay
+!+ NOT_OPTIMIZED
+fastcompany.com##.sticky-outer-wrapper
+!+ NOT_OPTIMIZED
+hackster.io###article_page_simple_ad_portal
+!+ NOT_OPTIMIZED
+euractiv.com##.ea-gat-slot-wrapper
+!+ NOT_OPTIMIZED
+businesstoday.in##.secondAdPosition
+!+ NOT_OPTIMIZED
+whoreshub.com##[class^="pop-"]
+!+ NOT_OPTIMIZED
+porntube.com##.webcam-shelve
+!+ NOT_OPTIMIZED
+technologyreview.com##div[class^="headerTemplate__leaderboardRow-"]
+!+ NOT_OPTIMIZED
+autocar.co.uk##.block-autocar-ads-mpu1
+!+ NOT_OPTIMIZED
+nypost.com##.exco-video__container
+!+ NOT_OPTIMIZED
+ap7am.com##.ad-pvt
+!+ NOT_OPTIMIZED
+scroll.in##.in-article-adx
+!+ NOT_OPTIMIZED
+indiatoday.in##.shopping__widget
+!+ NOT_OPTIMIZED
+lifestyle.livemint.com##.sidebarAdv
+!+ NOT_OPTIMIZED
+yourtv.com.au##body span.channel-icon__ad-buffer
+!+ NOT_OPTIMIZED
+yourtv.com.au##div[class$="-icon--ad"]
+!+ NOT_OPTIMIZED
+yourtv.com.au##div[class$="fixed-ad"]
+!+ NOT_OPTIMIZED
+indy100.com##.body-description > div[id^="content_"]
+!+ NOT_OPTIMIZED
+stuff.tv##.wp-block-ad
+!+ NOT_OPTIMIZED
+clubnsfw.com##.fs-overlay
+!+ NOT_OPTIMIZED
+awkwardzombie.com###top-space
+!+ NOT_OPTIMIZED
+awkwardzombie.com###right-space
+!+ NOT_OPTIMIZED
+real.discount##div[class="card"][style="height:300px"]
+!+ NOT_OPTIMIZED
+wionews.com##.ads-box-d90-m300
+!+ NOT_OPTIMIZED
+cleantechnica.com#?#center:has(> bold:contains(Advertisement))
+!+ NOT_OPTIMIZED
+stackfront.xyz,proxyium.com,youtubeunblocked.live,croxyproxy.rocks,croxy.org,datatech.icu,croxyproxy.net,croxyproxy.com,blockaway.net###zapperSquare
+!+ NOT_OPTIMIZED
+||services.brid.tv/player/build/brid.min.js$domain=android-x86.org|blitz.gg|ultrasurfing.com|boundingintocomics.com
+!+ NOT_OPTIMIZED
+heatmap.news##.infinite-container
+!+ NOT_OPTIMIZED
+ingles.com,spanishdict.com#?#body > div.ReactModalPortal:has(> .ReactModal__Overlay > .ReactModal__Content > div[class] > div[class] > div[class] > div[class] > iframe)
+!+ NOT_OPTIMIZED
+richup.io###richup-io_300x250
+!+ NOT_OPTIMIZED
+washingtontimes.com##.bigtext > hr
+!+ NOT_OPTIMIZED
+washingtontimes.com##.summary > hr
+!+ NOT_OPTIMIZED
+washingtontimes.com##.connatixcontainer
+!+ NOT_OPTIMIZED
+security.org##.checks__level--advertising
+!+ NOT_OPTIMIZED
+heatmap.news##.middle_leaderboard
+!+ NOT_OPTIMIZED
+fodors.com##.video-inline
+!+ NOT_OPTIMIZED
+thedailywtf.com#?#.article-body > p ~ div:contains(Advertisement)
+!+ NOT_OPTIMIZED
+fortnitetracker.com##.fne-event-details__left > div[style="margin: 0px auto; height: 250px; width: 300px;"]
+!+ NOT_OPTIMIZED
+dhakatribune.com###jw-popup
+!+ NOT_OPTIMIZED
+appleinsider.com##body .ad
+!+ NOT_OPTIMIZED
+appleinsider.com##body .ad + hr
+!+ NOT_OPTIMIZED
+lifehacker.com,lifehacker-com.cdn.ampproject.org#?#article > div[class*=" "]:has(> div > p:contains(Advertisement))
+!+ NOT_OPTIMIZED
+lifehacker.com,lifehacker-com.cdn.ampproject.org#?#article > aside:has(> div > div > a[data-amazonsin])
+!+ NOT_OPTIMIZED
+yonlendir.whatsaero.com#?#body > center:contains(/^Advertisement$/)
+!+ NOT_OPTIMIZED
+yonlendir.whatsaero.com#?#body > hr:has(+ .description + center:contains(/^Advertisement$/))
+!+ NOT_OPTIMIZED
+opencritic.com#?#.flex-grow-1 > app-advertisement ~ .mx-4:has(> div > .affiliate-button-container)
+!+ NOT_OPTIMIZED
+opencritic.com#?#.flex-grow-1 > app-advertisement ~ .mx-4:has(> div > .affiliate-button-container) + hr
+!+ NOT_OPTIMIZED
+opencritic.com#?#.flex-grow-1 > app-advertisement ~ .mx-4:has(> div > .affiliate-button-container) + hr + div + hr
+!+ NOT_OPTIMIZED
+titantv.com#?#.gridTable > tbody > tr:not([class]):has(> td[class][align="center"]:contains(/^sponsored$/))
+!+ NOT_OPTIMIZED
+techpp.com#?#div[class^="postBox"] > div[class^="articleList"] > .infeedBlock > .adsbygoogle:upward(2)
+!+ NOT_OPTIMIZED
+techpp.com#?##home-posts-section > .ct-section-inner-wrap > .ct-div-block > .ct-code-block > .code-block:upward(1)
+!+ NOT_OPTIMIZED
+videohelp.com#?#div[id] * > a[href^="https://go.nordvpn.net/aff_c?"]:upward(1)
+!+ NOT_OPTIMIZED
+videohelp.com#?#div[id] a[href^="https://www.dvdfab.cn/"] + a[href]:upward(1)
+!+ NOT_OPTIMIZED
+videohelp.com#?#div[id] a[href]:contains(/^\n?Try (?:D.?V.?D.?F.?a.?b.?|StreamFab)|^StreamFab|^DVDFab$/) + a[href]:upward(1)
+!+ NOT_OPTIMIZED
+canyoublockit.com#?#center > p:contains(Advertisement)
+!+ NOT_OPTIMIZED
+thequint.com#?#.container div:has(> div > div > .adunitContainer)
+!+ NOT_OPTIMIZED
+thelocal.ch#?#body > div > .section:has( > div[class]:contains(Sponsored))
+!+ NOT_OPTIMIZED
+ultrabookreview.com##.sumright
+!+ NOT_OPTIMIZED
+ultrabookreview.com##div[id^="zzif"]
+!+ NOT_OPTIMIZED
+ultrabookreview.com##div[class^="postzzif"]
+!+ NOT_OPTIMIZED
+spectrum.ieee.org##.top-leader-container
+!+ NOT_OPTIMIZED
+yahoo.com##a[data-test-id="large-image-ad"]
+!+ NOT_OPTIMIZED
+msn.com##.galleryPage_eoabNativeAd_new-DS-EntryPoint1-1
+!+ NOT_OPTIMIZED
+cryptopolitan.com##.crp_inarticle_ads_container
+!+ NOT_OPTIMIZED
+cryptopolitan.com##.crp_sidebar_ads_container
+!+ NOT_OPTIMIZED
+cnbctv18.com##.ad_cntainer
+!+ NOT_OPTIMIZED
+celebwell.com##.vi-video-wrapper
+!+ NOT_OPTIMIZED
+businessinsider.in##.leaderboard-scrollable-cont
+!+ NOT_OPTIMIZED
+news18.com##div[style^="min-height:1170px"]
+!+ NOT_OPTIMIZED
+star-history.com###app > div.relative > div.relative.justify-end + div.fixed.right-0
+!+ NOT_OPTIMIZED
+snopes.com##.banner_ad_between_sections
+!+ NOT_OPTIMIZED
+linuxhandbook.com##.kg-bookmark-card
+!+ NOT_OPTIMIZED
+bigissue.com##.polaris__simple-grid--full
+!+ NOT_OPTIMIZED
+onetime-mail.com##div[style] > p > font[color="steelblue"] > b
+!+ NOT_OPTIMIZED
+nextpit.com.br,nextpit.it,nextpit.es,nextpit.fr,nextpit.com,androidpit.com.br##.gptSlot
+!+ NOT_OPTIMIZED
+earth.com##div[class^="AdZone"]
+!+ NOT_OPTIMIZED
+nnn.ng###hfgad1
+!+ NOT_OPTIMIZED
+nnn.ng###hfgad2
+!+ NOT_OPTIMIZED
+extremetech.com##.min-h-24
+!+ NOT_OPTIMIZED
+thehansindia.com##body .inside-post-ad:not(#style_important)
+!+ NOT_OPTIMIZED
+thehansindia.com##section[class^="editorial"][class*="-ad-"]
+!+ NOT_OPTIMIZED
+thehansindia.com##section[class^="hocal_hide_on_"]
+!+ NOT_OPTIMIZED
+thehansindia.com##.after_related_post
+!+ NOT_OPTIMIZED
+thehansindia.com##body div[class*="level_ad"]:not(#style_important)
+!+ NOT_OPTIMIZED
+thedriven.io###solarchoice_banner_1
+!+ NOT_OPTIMIZED
+tweaktown.com##.outbrainad
+!+ NOT_OPTIMIZED
+boldsky.com,drivespark.com,filmibeat.com,gizbot.com,goodreturns.in,oneindia.com##.oiad-txt
+!+ NOT_OPTIMIZED
+filmibeat.com###photo-ad
+!+ NOT_OPTIMIZED
+filmibeat.com##.filmi-gallery-rightad
+!+ NOT_OPTIMIZED
+filmibeat.com###taboola-mid-home-stream-article
+!+ NOT_OPTIMIZED
+filmibeat.com##.filmibeat-top-ad
+!+ NOT_OPTIMIZED
+filmibeat.com###footerBanner
+!+ NOT_OPTIMIZED
+filmibeat.com###recommended_video
+!+ NOT_OPTIMIZED
+||filmibeat.com/scripts/videos/*-videos/scroll-ad.php
+!+ NOT_OPTIMIZED
+tupaki.com##.pwa_Ad
+!+ NOT_OPTIMIZED
+gotofap.tk,tempmaili.com,nairametrics.com##div[align="center"] > a[target="_blank"] > img
+!+ NOT_OPTIMIZED
+gpblog.com##.promo-element
+!+ NOT_OPTIMIZED
+gpblog.com##.betting-article-insert
+!+ NOT_OPTIMIZED
+gpblog.com##body .ad:not(#style_important)
+!+ NOT_OPTIMIZED
+project-syndicate.org##[data-page-subarea^="promotion-"]
+!+ NOT_OPTIMIZED
+gulte.com##div[style^="margin: 8px auto; text-align: center;"]
+!+ NOT_OPTIMIZED
+gulte.com###gultedesktop_fullpagead
+!+ NOT_OPTIMIZED
+gay0day.com##div[style^="height:250px;"]
+!+ NOT_OPTIMIZED
+skyandtelescope.org##.c-ad--label
+!+ NOT_OPTIMIZED
+gamesindustry.biz,vg247.com,eurogamer.*,rockpapershotgun.com###sticky_leaderboard
+!+ NOT_OPTIMIZED
+smailpro.com##label[for="hideip"]
+!+ NOT_OPTIMIZED
+techotopia.com###mw-content-text > table[align="center"]
+!+ NOT_OPTIMIZED
+techotopia.com###coverstyle
+!+ NOT_OPTIMIZED
+||fmmods.com/bnbanner/
+!+ NOT_OPTIMIZED
+||pornpoppy.com/*/external_pop.js
+!+ NOT_OPTIMIZED
+wired.com##div[data-testid="ContentFooterBottom"] > div[class^="RowWrapper-"]
+!+ NOT_OPTIMIZED
+wired.com##.ad-stickyhero
+!+ NOT_OPTIMIZED
+wired.co.uk,wired.com##.ad-height-hold
+!+ NOT_OPTIMIZED
+chedrives.com##a.btn.btn-success
+!+ NOT_OPTIMIZED
+independent.co.uk##div[data-mpu1="true"]
+!+ NOT_OPTIMIZED
+forums.redflagdeals.com##div[class$="_post_ad"]
+!+ NOT_OPTIMIZED
+forums.redflagdeals.com##.forum_topic_inline_bigbox
+!+ NOT_OPTIMIZED
+anyporn.com,bravoporn.com,bravoteens.com,bravotube.net##.inplb
+!+ NOT_OPTIMIZED
+proporn.com##.refill[style="width:100%;padding-top: 15px;"]
+!+ NOT_OPTIMIZED
+||pornpapa.com/extension/
+!+ NOT_OPTIMIZED
+anyporn.com##.content > noindex
+!+ NOT_OPTIMIZED
+##.in-content-ad-wrapper
+!+ NOT_OPTIMIZED
+||anysex.com/js/initsite.js
+!+ NOT_OPTIMIZED
+xcum.com##.block-banners
+!+ NOT_OPTIMIZED
+modrinth.com##div[type="banner"]
+!+ NOT_OPTIMIZED
+infowars.com##.css-1vj1npn
+!+ NOT_OPTIMIZED
+xtits.com,tubepornclassic.com##.adv-title
+!+ NOT_OPTIMIZED
+xtits.com,xtits.xxx##.re-under-player
+!+ NOT_OPTIMIZED
+coinranking.com##.top-leaderboard
+!+ NOT_OPTIMIZED
+bdnews24.com##div[id$="-ad"]
+!+ NOT_OPTIMIZED
+bdnews24.com##div[class^="ad-slot"]
+!+ NOT_OPTIMIZED
+##.oko-adhesion
+!+ NOT_OPTIMIZED
+dhakatribune.com##.single-page-top-ad
+!+ NOT_OPTIMIZED
+dhakatribune.com##.a-d-holder-container
+!+ NOT_OPTIMIZED
+||mylust.com/b/
+!+ NOT_OPTIMIZED
+||mylust.com/*.jsx
+!+ NOT_OPTIMIZED
+||mylust.com/assets/script.js^
+!+ NOT_OPTIMIZED
+mylust.com##.content > .list_info > .row:last-child
+!+ NOT_OPTIMIZED
+mylust.com##.content > .cs-bnr
+!+ NOT_OPTIMIZED
+mylust.com##.no_pop.centeredbox
+!+ NOT_OPTIMIZED
+news.sky.com##.sdc-article-body > .sdc-site-layout-sticky-region[data-format="floated-mpu"]
+!+ NOT_OPTIMIZED
+theindex.moe,piracy.moe##div[class^="SupportBanner_"]
+!+ NOT_OPTIMIZED
+ghacks.net##.box-banner
+!+ NOT_OPTIMIZED
+comicbook.com##.oas
+!+ NOT_OPTIMIZED
+comicbook.com##.embedVideoContainer
+!+ NOT_OPTIMIZED
+apkmirror.com##.listWidget > .promotedApp
+!+ NOT_OPTIMIZED
+userupload.*##.report > a.btn-danger
+!+ NOT_OPTIMIZED
+||vhanime.com/js/bnanime.js
+!+ NOT_OPTIMIZED
+||vhanime.com/js/popgogo.js
+!+ NOT_OPTIMIZED
+theblock.co##.stickyFooter
+!+ NOT_OPTIMIZED
+gamesindustry.biz,newscientist.com,usgamer.net##.leaderboard-container
+!+ NOT_OPTIMIZED
+hanime.tv##.htvad[style]
+!+ NOT_OPTIMIZED
+hanime.tv##div[class^="htvnad"]
+!+ NOT_OPTIMIZED
+smsnator.online,emailnator.com##[href^="https://go.nordvpn.net/aff_c"]
+!+ NOT_OPTIMIZED
+eftm.com##.adsanity-rotating-ads
+!+ NOT_OPTIMIZED
+||daily-sun.com/assets/images/banner/
+!+ NOT_OPTIMIZED
+##.trend-card-advert
+!+ NOT_OPTIMIZED
+##.trend-card-advert__title
+!+ NOT_OPTIMIZED
+##.page-content__advert
+!+ NOT_OPTIMIZED
+yts.do,yts.homes,yts.mx##.home-content > div[class*="hidden-xs"][class*="hidden-sm"] > div[class]
+!+ NOT_OPTIMIZED
+yts.mx##.home-content > div[class*="visible-xs"][class*="visible-sm"] > div[class]
+!+ NOT_OPTIMIZED
+thestreamable.com###promo-signup-bottom-sheet
+!+ NOT_OPTIMIZED
+delicious-audio.com##.one-big-ads
+!+ NOT_OPTIMIZED
+romspack.com,faindx.com,hentaiomg.com,laweekly.com,pridesource.com,alludemycourses.com,ipacrack.com,idevicecentral.com,hentaidude.tv,nxbrew.com,getintocourse.com,mymanagementguide.com,schooldrillers.com,aceofhacking.com,msftnext.com,thispointer.com,scienceabc.com,freesoft.id,winhelponline.com,kerala-travel-tourism.com,indieshortsmag.com,wpghub.com,kodi-tutorials.uk,ahegao.online,camwhores.co,wabetainfo.com,studydhaba.com,justlightnovels.com###custom_html-2
+!+ NOT_OPTIMIZED
+ringwitdatwixtor.com,metropolisjapan.com,hentai-sharing.net,hentaiomg.com,jav1080.com,javrookies.com,sakuravrjav.com,pridesource.com,switchrls.co,4sysops.com,idevicecentral.com,presentslide.in,forex-articles.com,forums.flyer.co.uk,3xplanet.com,getintocourse.com,schooldrillers.com,aceofhacking.com,linuxpip.org,kodi-tutorials.uk,yofreesamples.com,thispointer.com,freesoft.id,stevessmarthomeguide.com,animenhentai.com,sharkserve.rs,softvela.us,hwnews.in,collegelearners.com,watchmalcolminthemiddle.com###custom_html-3
+!+ NOT_OPTIMIZED
+buildsometech.com,4thsight.xyz,zonegfx.com,hutporner.com,jav1080.com,sakurajav.com,laweekly.com,watchseinfeld.com,historicseries.com,indiansexbazar.com,sonixgvn.net,eftm.com,streamempire.cc,pennbookcenter.com,floxblog.com,aceofhacking.com,watchtheoffice.cc,newtechworld.net,gfxdrug.com,collegelearners.com,tecmint.com,firesticktricks.com###custom_html-4
+!+ NOT_OPTIMIZED
+hutporner.com,javzh.com,thesource.com,javcrave.com,indiansexbazar.com,gossipfunda.com,claimfey.com,forexlap.com,courseforfree.net,dailyresearchplot.com,getintocourse.com,techspite.com,aceofhacking.com,freesoft.id###custom_html-5
+!+ NOT_OPTIMIZED
+osmanonline.co.uk,pridesource.com,fuxdeluxe.com,getintocourse.com,nationalchronicle.in,desiflix.club,techspite.com,aceofhacking.com,writeforreaders.com,softcobra.com,naijatechguide.com,freehtml5.co,copyblogger.com###custom_html-6
+!+ NOT_OPTIMIZED
+iproductkeys.com,siberkalem.com,readersfusion.com,artificialintelligencestechnology.com,techspite.com,aceofhacking.com,electronics-club.com,network-tools.com,tecmint.com,cyberciti.biz###custom_html-7
+!+ NOT_OPTIMIZED
+cdromance.org,dailymusicroll.com,cdromance.com,pridesource.com,watchtv24.com,4sysops.com,artificialintelligencestechnology.com,paradacreativa.es,desiflix.club,cdromance.com,techspite.com,aceofhacking.com,nationalchronicle.in,valuewalk.com###custom_html-8
+!+ NOT_OPTIMIZED
+hitbdsm.com,pridesource.com,bollyflix.lol,artificialintelligencestechnology.com,tecmint.com,embetronicx.com,arabtimesonline.com,javsister.com,desiflix.club,vladan.fr###custom_html-9
+!+ NOT_OPTIMIZED
+linux.how2shout.com,reneweconomy.com.au,hitbdsm.com,artificialintelligencestechnology.com,freecoursesonline.me,arabtimesonline.com,healthy4pepole.com,upscpdf.com###custom_html-10
+!+ NOT_OPTIMIZED
+gcamera.co,4sysops.com,upscpdf.com,javsister.com,freecoursesonline.me,arabtimesonline.com###custom_html-11
+!+ NOT_OPTIMIZED
+watchfreejavonline.co,bollyflix.lol,artificialintelligencestechnology.com,hwnews.in,agfy.co,freecoursesonline.me,arabtimesonline.com,embetronicx.com###custom_html-12
+!+ NOT_OPTIMIZED
+cat3movie.org,gossipfunda.com,paradacreativa.es###custom_html-14
+!+ NOT_OPTIMIZED
+cdromance.org,gossipfunda.com,coingape.com,sonyalpharumors.com,investmentwatchblog.com,onlinecourses24x7.com,darkcapture.app###custom_html-15
+!+ NOT_OPTIMIZED
+thepcenthusiast.com,4thsight.xyz,gossipfunda.com,stockingfetishvideo.com###custom_html-16
+!+ NOT_OPTIMIZED
+4thsight.xyz,techgeekbuzz.com,stockingfetishvideo.com###custom_html-17
+!+ NOT_OPTIMIZED
+gcamera.co,wikibiodata.com###custom_html-19
+!+ NOT_OPTIMIZED
+rightrasta.com,pridesource.com,thehouseofportable.com,gcamera.co###custom_html-20
+!+ NOT_OPTIMIZED
+sukidesuost.info###custom_html-23
+!+ NOT_OPTIMIZED
+linux.how2shout.com,4thsight.xyz,tech-story.net###custom_html-25
+!+ NOT_OPTIMIZED
+r2rdownload.org###custom_html-33
+!+ NOT_OPTIMIZED
+r2rdownload.org###custom_html-34
+!+ NOT_OPTIMIZED
+sonyalpharumors.com###custom_html-39
+!+ NOT_OPTIMIZED
+tutorialsduniya.com,sonyalpharumors.com###custom_html-41
+!+ NOT_OPTIMIZED
+tutorialsduniya.com###custom_html-44
+!+ NOT_OPTIMIZED
+gossipfunda.com##.widget_mc4wp_form_widget ~ aside.widget
+!+ NOT_OPTIMIZED
+readmanganato.com##.container-chapter-reader > div[style^="text-align:"]
+!+ NOT_OPTIMIZED
+analyticsinsight.net##.leader-board-area
+!+ NOT_OPTIMIZED
+petapixel.com##.video-aspect-wrapper
+!+ NOT_OPTIMIZED
+appleinsider.com##.primis-ad-wrap
+!+ NOT_OPTIMIZED
+lineageoslog.com##.rek-elastic
+!+ NOT_OPTIMIZED
+repo.hackyouriphone.org##.labeladv
+!+ NOT_OPTIMIZED
+dazn.com,dailymotion.com##div[class^="AdBanner"]
+!+ NOT_OPTIMIZED
+hotscope.tv###__next > div.MuiBox-root > div[class^="jss"][style="transform: none; transition: transform 225ms cubic-bezier(0, 0, 0.2, 1) 0ms;"]
+!+ NOT_OPTIMIZED
+porner.tv,pornmonde.com##.sources
+!+ NOT_OPTIMIZED
+||hotscope.tv/_next/static/chunks/pages/go-$script,~third-party
+!+ NOT_OPTIMIZED
+mashable.com##section.mt-4 > div
+!+ NOT_OPTIMIZED
+pornpaw.com##div[style="height:250px;display:block;"]
+!+ NOT_OPTIMIZED
+||pornpaw.com/never.js
+!+ NOT_OPTIMIZED
+timeout.com##div[class^="_sponsoredContainer_"]
+!+ NOT_OPTIMIZED
+dailytrust.com##div[class^="header_ad_container"]
+!+ NOT_OPTIMIZED
+thebetterindia.com##body .adp-wrapper:not([data-id="5"])
+!+ NOT_OPTIMIZED
+thehackernews.com##.av-side-box
+!+ NOT_OPTIMIZED
+spokesman.com##.ad-column-l
+!+ NOT_OPTIMIZED
+thehackernews.com##body > .google.cf
+!+ NOT_OPTIMIZED
+pornq.com##.thumb--adv
+!+ NOT_OPTIMIZED
+hentaiplay.net###video_overlays
+!+ NOT_OPTIMIZED
+cosplayjav.pl##.baner-bottom-section
+!+ NOT_OPTIMIZED
+thepostmillennial.com###leader-mot
+!+ NOT_OPTIMIZED
+thepostmillennial.com##.surfsharkcontent
+!+ NOT_OPTIMIZED
+masalaseen.com##a[target="_blank"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/186928
+! youtubeunblocked.live - website uses many different IPs, so it's necessary to use rules with $url modifier
+! Match any IP with specific path
+! aglint-disable-next-line invalid-modifiers
+! https://github.com/AdguardTeam/AdguardFilters/issues/188028
+! https://github.com/AdguardTeam/AdguardFilters/issues/122383
+wiki.fextralife.com#$#@media (min-width: 1200px) { #sidebar-wrapper { display: none !important; } }
+! https://github.com/AdguardTeam/AdguardFilters/issues/186550
+southernliving.com#$#main.loc { margin-top: 3.75rem !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/149849
+kongregate.com#%#//scriptlet('set-constant', 'Object.prototype._suppressPrerollGroup', 'true')
+! https://github.com/AdguardTeam/AdguardFilters/issues/185067
+dailyuploads.net#%#//scriptlet('prevent-window-open')
+dailyuploads.net#%#//scriptlet('trusted-replace-node-text', 'script', '#downloadbtn', 'if(adEnable)', 'if(!0)')
+! nbcolympics.com - fixes video player
+nbcolympics.com#%#//scriptlet('trusted-set-constant', 'ns_', '{"StreamingAnalytics":{}}')
+nbcolympics.com#%#//scriptlet('set-constant', 'ns_.StreamingAnalytics.JWPlayer', 'noopFunc')
+nbcolympics.com#%#//scriptlet('prevent-element-src-loading', 'script', '/sb\.scorecardresearch\.com|cdn-gl\.imrworldwide\.com\/conf\//')
+! https://github.com/AdguardTeam/AdguardFilters/issues/184177
+! Speed up loading video player
+gizchina.com#%#//scriptlet('adjust-setTimeout', '()=>e(', '*', '0.001')
+! https://github.com/AdguardTeam/AdguardFilters/issues/182224
+||edgeservices.bing.com/edgesvc/turing/BingChatAdsFetch?showonlyads
+! https://github.com/AdguardTeam/AdguardFilters/issues/183317
+play.iporngay.com#%#//scriptlet('prevent-window-open', '!download')
+play.iporngay.com#%#//scriptlet('prevent-setTimeout', 'hasPopupBlocker')
+! https://github.com/AdguardTeam/AdguardFilters/issues/182687
+wxx.wtf#%#//scriptlet('abort-on-property-write', 'openPop')
+! https://github.com/AdguardTeam/AdguardFilters/issues/182575
+brightestgames.com##.cc-top
+brightestgames.com#%#//scriptlet('set-cookie-reload', '_bafg', '1')
+! https://github.com/AdguardTeam/AdguardFilters/issues/182515
+manhwa-raw.com#%#//scriptlet('abort-on-property-write', 'advads_passive_placements')
+! https://github.com/AdguardTeam/AdguardFilters/issues/182264
+terashare.co#%#//scriptlet('prevent-window-open', '!/sharing/link')
+terashare.co#%#(()=>{const e={apply:(e,t,n)=>{try{const[e,r]=n,a=r?.toString();if("click"===e&&a?.includes("attached")&&t instanceof HTMLElement&&t.matches(".share-embed-container"))return}catch(e){}return Reflect.apply(e,t,n)}};window.EventTarget.prototype.addEventListener=new Proxy(window.EventTarget.prototype.addEventListener,e)})();
+! https://github.com/AdguardTeam/AdguardFilters/issues/176410
+! generichide rule are not applied in Firefox — https://github.com/AdguardTeam/AdguardBrowserExtension/issues/2757
+! https://github.com/AdguardTeam/AdguardFilters/issues/166545
+! Rule $referrerpolicy is required for apps, because source of ad servers is not detected and due to this regexp rules are not applied
+! https://github.com/AdguardTeam/AdguardFilters/issues/166718
+! Home timeline ads
+! Thread ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/179384
+! https://github.com/AdguardTeam/AdguardFilters/issues/163220
+! https://github.com/AdguardTeam/AdguardFilters/issues/102218
+! qwant.com (unblocked in Filter unblocking search ads and self-promotion)
+!+ NOT_OPTIMIZED
+lite.qwant.com#?#.content > article.result:has(> p > span.ad)
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/179325
+!+ NOT_PLATFORM(ios, ext_safari)
+$script,third-party,denyallow=doodcdn.co|fastly.net|statically.io|sharecast.ws|bunnycdn.ru|bootstrapcdn.com|cdn.ampproject.org|cloudflare.com|cdn.staticfile.org|disqus.com|disquscdn.com|dmca.com|ebacdn.com|facebook.net|fastlylb.net|fbcdn.net|fluidplayer.com|fontawesome.com|github.io|google.com|googleapis.com|googletagmanager.com|gstatic.com|jquery.com|jsdelivr.net|jwpcdn.com|jwplatform.com|polyfill.io|recaptcha.net|twitter.com|ulogin.ru|unpkg.com|userapi.com|ytimg.com|zencdn.net|youtube.com|googleoptimize.com|vuukle.com|chatango.com|twimg.com|hcaptcha.com|raincaptcha.com|media-imdb.com|blogger.com|hwcdn.net|instagram.com|wp.com|fastcomments.com|plyr.io|x.com,_____,domain=ds2play.com|doods.pro|dooood.com|dood.yt|dood.re|dood.wf|dood.la|dood.pm|dood.so|dood.to|dood.watch|dood.ws|do0od.com|d0000d.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/162999
+! https://github.com/AdguardTeam/AdguardFilters/issues/173054
+! https://github.com/AdguardTeam/AdguardFilters/issues/167668
+! https://github.com/AdguardTeam/AdguardFilters/issues/160865
+! Removes ad placeholders on the main page
+! Removes ad placeholders in articles in "More for You" section
+! Removes ad placeholders in sliders
+! Current path is "properties.componentConfigs.slideshowConfigs.slideshowSettings.interstitialNativeAds"
+! Other rules probably can be removed, but keep them just in case for some time
+! Fixes ad leftovers on weather maps page - https://www.msn.com/en-us/weather/maps/
+msn.com##div[id^="weather-forecast-"] div[id^="NativeAdsCarouselSection-"]
+msn.com##div[class^="adsContainer-DS-EntryPoint"]
+msn.com#$##map-layout-root div[class^="sideBarContainer-DS-EntryPoint"] > div[class^="scrollContainer-DS-EntryPoint"] { height: 100% !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/142849
+! https://github.com/AdguardTeam/AdguardFilters/issues/145066
+! https://github.com/AdguardTeam/AdguardFilters/issues/141047
+! Generic cosmetic rules are not applied to small iframes - https://github.com/AdguardTeam/CoreLibs/issues/1721
+vido.fun,zerknij.cc##a[onclick*="openAuc();"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/142898
+! https://github.com/AdguardTeam/AdguardFilters/issues/163535#issuecomment-1756129396
+bing.com#?#main[aria-label="Search Results"] > #b_pole:has(#cu_polebanner #cu_poleMSPromoText)
+! https://github.com/AdguardTeam/AdguardFilters/issues/127267
+! https://github.com/AdguardTeam/AdguardFilters/issues/119275
+! https://github.com/AdguardTeam/AdguardFilters/issues/162300
+!+ NOT_OPTIMIZED
+engadget.com,yahoo.com##div[id^="sda-WFPAD"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/106728
+! https://github.com/AdguardTeam/AdguardFilters/issues/104913
+||realsrv.com/ad-provider.js$script,redirect=noopjs,domain=aznude.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/101066
+!+ NOT_OPTIMIZED
+techyproio.blogspot.com##.separator > a[href] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/99483
+!+ NOT_OPTIMIZED
+overdrive.in##.add-section
+! https://github.com/AdguardTeam/AdguardFilters/issues/99117
+!+ NOT_OPTIMIZED
+dailynewsegypt.com##.widget_rotatingbanners
+! https://github.com/AdguardTeam/AdguardFilters/issues/97483
+! https://github.com/AdguardTeam/AdguardFilters/issues/97360
+! https://github.com/AdguardTeam/AdguardFilters/issues/96126
+! https://github.com/AdguardTeam/AdguardFilters/issues/96334
+! https://github.com/AdguardTeam/AdguardFilters/issues/95889
+!+ NOT_OPTIMIZED
+m.dict.cc##div[id^="adslot_"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/92208
+giantfreakinrobot.com##.pw-leaderboard-atf-container
+!+ NOT_OPTIMIZED
+giantfreakinrobot.com##.pw-in-article-ad-container
+!+ NOT_OPTIMIZED
+giantfreakinrobot.com##.pw-in-article-relevant-container
+!+ NOT_OPTIMIZED
+giantfreakinrobot.com##.pw-leaderboard-btf-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/91687
+!+ NOT_OPTIMIZED
+siasat.com##.stream-item-in-post
+! https://github.com/AdguardTeam/AdguardFilters/issues/152773
+! It's necessary to block service worker, otherwise element hiding and javascript rules do not work
+! https://github.com/AdguardTeam/AdguardFilters/issues/146499
+! It's necessary to block service worker, otherwise element hiding and javascript rules do not work
+! https://github.com/AdguardTeam/AdguardFilters/issues/91307
+! It's necessary to block service worker, otherwise element hiding and javascript rules do not work
+!+ NOT_PLATFORM(ext_safari, ios)
+/popup1000.js|$domain=manga1000.com
+!+ NOT_OPTIMIZED
+gadgetsnow.com##.shopping_wdgt
+! https://github.com/AdguardTeam/AdguardFilters/issues/89245
+!+ NOT_PLATFORM(ios, ext_android_cb)
+medpagetoday.com##.leaderboard-region
+! https://github.com/AdguardTeam/AdguardFilters/issues/112589
+!+ NOT_OPTIMIZED
+anysex.com##.main > div.content_right
+! https://github.com/AdguardTeam/AdguardFilters/issues/85695
+! https://github.com/AdguardTeam/AdguardFilters/issues/85321
+!+ NOT_OPTIMIZED
+daringfireball.net###SidebarMartini
+! https://github.com/AdguardTeam/AdguardFilters/issues/81626
+!+ NOT_OPTIMIZED
+ethgasstation.info##.promo-wrap
+! https://github.com/AdguardTeam/AdguardFilters/issues/79775
+! https://github.com/AdguardTeam/AdguardFilters/issues/81174
+! https://github.com/AdguardTeam/AdguardFilters/issues/79509
+!+ NOT_OPTIMIZED
+macrumors.com##.tertiary
+!+ NOT_OPTIMIZED
+macrumors.com##.sidebarblock
+! https://github.com/AdguardTeam/AdguardFilters/issues/78394
+!+ NOT_OPTIMIZED
+wccftech.com##div[data-amp-original-style] a[href][rel="sponsored"]
+!+ NOT_OPTIMIZED
+wccftech.com##.ad a[href][rel="sponsored"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/74764
+! It may causes adblock detection, so it was excluded for some platforms
+!+ NOT_PLATFORM(ios, ext_android_cb, ext_safari)
+||oppfiles.com/script_include.php?id=
+! https://github.com/AdguardTeam/AdguardFilters/issues/73030
+! https://github.com/AdguardTeam/AdguardFilters/issues/70255
+!+ NOT_OPTIMIZED
+newsmax.com##div[class^="dfp-article-ad-"]
+!+ NOT_OPTIMIZED
+||englishlightnovels.files.wordpress.com/*/amazonprime-banner.jpg$domain=englishlightnovels.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/66432
+!+ NOT_OPTIMIZED
+routinehub.co###ethad
+! https://github.com/AdguardTeam/AdguardFilters/issues/63696
+! https://github.com/AdguardTeam/AdguardFilters/issues/72860
+! https://github.com/AdguardTeam/AdguardFilters/issues/55784
+! https://github.com/AdguardTeam/AdguardFilters/issues/53553
+!+ NOT_OPTIMIZED
+www-pocket--lint-com.cdn.ampproject.org##.content > div.block-inline
+! https://github.com/AdguardTeam/AdguardFilters/issues/135245
+! https://github.com/AdguardTeam/AdguardFilters/issues/53715
+! https://github.com/AdguardTeam/AdguardFilters/issues/53359
+! https://github.com/AdguardTeam/AdguardFilters/issues/52728
+||protoawe.com/vast/$redirect=nooptext,domain=hdsex.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/52105
+!+ NOT_OPTIMIZED
+androidpolice.com##.homepage-sponsor
+! https://github.com/AdguardTeam/AdguardFilters/issues/51892
+!+ NOT_OPTIMIZED
+m.bdnews24.com##div.sticky
+! https://github.com/AdguardTeam/AdguardFilters/issues/48081
+! https://github.com/AdguardTeam/AdguardFilters/issues/44083
+! https://github.com/AdguardTeam/AdguardFilters/issues/34665
+! neowin.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/36896
+!+ NOT_OPTIMIZED
+watchmygf.me##.publicity
+! https://github.com/AdguardTeam/AdguardFilters/issues/36897
+!+ NOT_OPTIMIZED
+beeg.com##.s-nmtv
+! https://github.com/AdguardTeam/AdguardFilters/issues/36684
+! https://github.com/AdguardTeam/AdguardFilters/issues/36619
+! https://github.com/AdguardTeam/AdguardFilters/issues/35273
+!+ NOT_PLATFORM(windows, mac, android)
+theseotools.net##.adsbygoogle
+! https://github.com/AdguardTeam/AdguardFilters/issues/36921
+! https://forum.adguard.com/index.php?threads/speed4up-com.32807/
+! https://github.com/AdguardTeam/AdguardFilters/issues/34832
+! https://github.com/AdguardTeam/AdguardFilters/issues/34742
+! https://github.com/AdguardTeam/AdguardFilters/issues/34311
+! https://github.com/AdguardTeam/AdguardFilters/issues/34338
+! https://github.com/AdguardTeam/AdguardFilters/issues/34224
+! https://github.com/AdguardTeam/AdguardFilters/issues/34176
+! https://github.com/AdguardTeam/AdguardFilters/issues/33476
+! https://github.com/AdguardTeam/AdguardFilters/issues/33373
+! https://github.com/AdguardTeam/AdguardFilters/issues/33125
+! https://github.com/AdguardTeam/AdguardFilters/issues/32580
+! https://github.com/AdguardTeam/AdguardFilters/issues/32479
+! https://github.com/AdguardTeam/AdguardFilters/issues/32119
+!+ NOT_OPTIMIZED
+pesstatsdatabase.com##.ad-tag + center > a > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/31400
+! https://github.com/AdguardTeam/AdguardFilters/issues/31174
+! https://github.com/AdguardTeam/AdguardFilters/issues/31126
+! https://github.com/AdguardTeam/AdguardFilters/issues/31091
+! https://github.com/AdguardTeam/AdguardFilters/issues/30995
+! https://github.com/AdguardTeam/AdguardFilters/issues/30725
+! https://github.com/AdguardTeam/AdguardFilters/issues/30875
+! https://github.com/AdguardTeam/AdguardFilters/issues/30728
+! https://github.com/AdguardTeam/AdguardFilters/issues/30547
+! https://github.com/AdguardTeam/AdguardFilters/issues/30456
+! https://github.com/AdguardTeam/AdguardFilters/issues/30404
+!+ NOT_PLATFORM(windows, mac, android)
+akalaty4day.com##.adsbygoogle
+! https://github.com/AdguardTeam/AdguardFilters/issues/30238
+!+ NOT_OPTIMIZED
+sportslogos.net##.bigBoxHomepage
+! https://github.com/AdguardTeam/AdguardFilters/issues/29138
+! https://github.com/AdguardTeam/AdguardFilters/issues/29605
+! https://github.com/AdguardTeam/AdguardFilters/issues/28464
+!+ NOT_OPTIMIZED
+techradar.com##div[class^="slot-mpu"][style^="position: relative; box-sizing: border-box; height:"]
+!+ NOT_OPTIMIZED
+techradar.com##div[class^="slot-single-height-"][style^="position: relative; box-sizing: border-box; height:"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/53358
+! https://github.com/AdguardTeam/AdguardFilters/issues/27369
+! https://github.com/AdguardTeam/AdguardFilters/issues/28240
+! https://github.com/AdguardTeam/AdguardFilters/issues/27861
+!+ NOT_OPTIMIZED
+mlb.com##.insert__ad
+!+ NOT_OPTIMIZED
+mlb.com##.side-rail__ad-placeholder
+! https://github.com/AdguardTeam/AdguardFilters/issues/53491
+! https://github.com/AdguardTeam/AdguardFilters/issues/25989
+||syndication.exoclick.com/splash.php?$redirect=nooptext
+! https://github.com/AdguardTeam/AdguardFilters/issues/26990
+!+ NOT_PLATFORM(windows, mac, android)
+freshstuff4you.com##.adsbygoogle
+! https://github.com/AdguardTeam/AdguardFilters/issues/26841
+! https://github.com/AdguardTeam/AdguardFilters/issues/26600
+! https://github.com/AdguardTeam/AdguardFilters/issues/26427
+!+ NOT_OPTIMIZED
+digit.in##.marchantListOnImage > div.m_list_In
+!+ NOT_OPTIMIZED
+||digit.in/blockarticledetailad/
+! https://github.com/AdguardTeam/AdguardFilters/issues/25325
+! https://github.com/AdguardTeam/AdguardFilters/issues/25468
+! https://github.com/AdguardTeam/AdguardFilters/issues/25322
+! https://github.com/AdguardTeam/AdguardFilters/issues/25105
+! https://github.com/AdguardTeam/CoreLibs/issues/587
+!+ NOT_OPTIMIZED
+||by218us.cdndm5.com/25^
+!+ NOT_OPTIMIZED
+||by218us.cdndm5.com/29^
+! https://github.com/AdguardTeam/AdguardFilters/issues/22411
+! https://github.com/AdguardTeam/AdguardFilters/issues/22277
+! https://github.com/AdguardTeam/AdguardFilters/issues/22142
+! https://github.com/AdguardTeam/AdguardFilters/issues/20845
+!+ NOT_PLATFORM(ext_ff, ext_opera, ios, ext_android_cb, ext_ublock)
+||smartadserver.com/ac^$domain=deezer.com,redirect=nooptext,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/21563
+!+ NOT_OPTIMIZED
+egmnow.com##.pt-embedded-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/21562
+!+ NOT_OPTIMIZED
+siliconera.com##iframe[width="580"][height="240"]
+! https://github.com/uBlockOrigin/uAssets/issues/3086#issuecomment-409981230
+! https://github.com/AdguardTeam/AdguardFilters/issues/20026
+! https://github.com/AdguardTeam/AdguardFilters/issues/19935
+! https://github.com/AdguardTeam/AdguardFilters/issues/19494
+! https://github.com/AdguardTeam/AdguardFilters/issues/17669
+! https://github.com/AdguardTeam/AdguardFilters/issues/18032
+!+ NOT_OPTIMIZED
+gizchina.com##p > a[rel="nofollow"][class="external"] > img
+!+ NOT_OPTIMIZED
+cathnews.co.nz,gizchina.com,omgubuntu.co.uk###text-12
+! https://github.com/AdguardTeam/AdguardFilters/issues/17767
+!+ NOT_OPTIMIZED
+arstechnica.com###outbrain-recs-wrap
+! https://github.com/AdguardTeam/AdguardFilters/issues/17644
+! https://github.com/AdguardTeam/AdguardFilters/issues/16909
+! https://github.com/AdguardTeam/AdguardFilters/issues/16553
+!+ NOT_OPTIMIZED
+gamerevolution.com##.aside-promo
+! https://github.com/AdguardTeam/AdguardFilters/issues/15273
+! https://github.com/AdguardTeam/AdguardFilters/issues/15275
+! https://github.com/AdguardTeam/AdguardFilters/issues/14969
+! https://github.com/AdguardTeam/AdguardFilters/issues/14460
+! https://github.com/AdguardTeam/AdguardFilters/issues/13425
+! https://github.com/AdguardTeam/AdguardFilters/issues/10387
+!+ NOT_OPTIMIZED
+androidcentral.com##p > a[rel="nofollow"] > img
+! https://github.com/AdguardTeam/AdguardFilters/issues/12098
+! https://github.com/AdguardTeam/AdguardFilters/issues/11159
+! https://github.com/AdguardTeam/AdguardFilters/issues/10856
+! https://github.com/AdguardTeam/AdguardFilters/issues/10969
+!+ NOT_OPTIMIZED
+aajtak.intoday.in,ampproject.org##amp-embed[type="taboola"]
+! https://forum.adguard.com/index.php?threads/23527/#post-164501
+!+ NOT_OPTIMIZED
+||reddit.com/api/request_promo.json
+! https://github.com/AdguardTeam/AdguardFilters/issues/10738
+! https://github.com/AdguardTeam/AdguardFilters/issues/8720
+!+ NOT_PLATFORM(ext_ff, ext_opera, ios, ext_android_cb, ext_ublock)
+androidrepublic.org##.sectionMain.funbox
+!+ NOT_PLATFORM(ext_ff, ext_opera, ios, ext_android_cb, ext_ublock)
+androidrepublic.org##.sidebar > .section.funbox
+!+ NOT_OPTIMIZED
+macrumors.com##div[id^="adUnder"]
+!+ NOT_OPTIMIZED
+arstechnica.co.uk,arstechnica.com##.instream-wrap
+! https://github.com/AdguardTeam/AdguardFilters/issues/6407
+! https://forum.adguard.com/index.php?threads/12858/
+! https://forum.adguard.com/index.php?threads/23423/
+!+ NOT_OPTIMIZED
+dailymail.co.uk##.ad-wrapper
+!+ NOT_OPTIMIZED
+mail.yahoo.com##[data-test-id^="pencil-ad"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/182161
+! https://github.com/AdguardTeam/AdguardFilters/issues/178096
+! imgur.com
+! Do not hide ad leftovers, because it breaks loading new images when scrolling down
+! For example - imgur.com##div[id*="/InContent/"][style*="min-height: 250px;"]
+!
+! We're getting tons of questions from users who do not understand why some test on the internet does not show 100%.
+! We're tired of explaining why this or that domain should not be blocked in reality so there's that
+!
+! Following domains should not be blocked globally because they are not used to show ads
+!
+! Not used to show Google ads directly
+||afs.googlesyndication.com^$domain=d3ward.github.io
+! Amazon Advertising CDN for advertisers
+||advice-ads.s3.amazonaws.com^$domain=d3ward.github.io
+! Amazon Advertising API for advertisers
+||advertising-api-eu.amazon.com^$domain=d3ward.github.io
+! Admin panels of ads systems
+||ads$domain=d3ward.github.io
+! Yandex Ads site
+||advertising.yandex.ru^$domain=d3ward.github.io
+||adfox.yandex.ru^$domain=d3ward.github.io
+! Used for managing advertising campaigns on the Yahoo platform and is not used directly for displaying ads
+||partnerads.ysm.yahoo.com^$domain=d3ward.github.io
+! Apple Search Ads site
+||advertising.apple.com^$domain=d3ward.github.io
+! Yahoo advertiser's site
+||advertising.yahoo.com^$domain=d3ward.github.io
+||adtech.yahooinc.com^$domain=d3ward.github.io
+! Yahoo ADS API for advertisers
+||gemini.yahoo.com^$domain=d3ward.github.io
+! May be used for ads in mobile Yandex apps, but only a specific URL (don't see it in my logs)
+||extmaps-api.yandex.net^$domain=d3ward.github.io
+! Twitter Ads API
+||ads-api.twitter.com^$domain=d3ward.github.io
+! Common baits which used to detects ad blockers
+partner.ads.js$domain=d3ward.github.io
+/pagead.js$domain=d3ward.github.io
+!
+!
+! Special rules for AdGuard websites' test pages. The only purpose of these
+! rules is to make test pages work so that users could verify that AdGuard
+! is properly working.
+!
+! Detect ad blocking
+!+ NOT_PLATFORM(windows, mac, android, ios, ext_ublock) NOT_OPTIMIZED
+adguard.info,adguard.com,adguard.app##.hello_from_adguard_adblocking_ext
+! Detect of using AdGuard products
+!+ NOT_PLATFORM(windows, mac, android, ios, ext_ublock) NOT_OPTIMIZED
+adguard.info,adguard.com,adguard.app##.hello_from_adguard_ext
+! Detect HTTPS filtering
+! Detect Advanced Protection of AdGuard for iOS
+!
+!-------------------------------------------------------------------------------!
+!-------------- Fixing filtration errors (false-positive) ----------------------!
+!-------------------------------------------------------------------------------!
+!
+! This section contains the list of rules that fix incorrect blocking. Rules must be domain-specific.
+!
+! Good: example.org#@#.ad
+! Bad: @@||example.org^$stealth (should be in AdGuard Base - allowlist_stealth.txt)
+!
+!
+! SECTION: Temporary
+! ATTENTION: The rules in this section must be accompanied by a link of an issue, where the problem will be fixed
+! or with clear description what to do next
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/189218#issuecomment-2378506390
+! TODO: remove, when will be fixed https://github.com/AdguardTeam/AdGuardExtra/issues/543
+! aglint-disable-next-line
+! https://github.com/AdguardTeam/AdguardFilters/issues/187875#issuecomment-2361917970
+! Problem occurs only in Brave browser with MV3 extension
+! TODO: remove it when this issue - https://github.com/AdguardTeam/AdguardBrowserExtension/issues/2954 is fixed
+! https://github.com/AdguardTeam/AdguardFilters/issues/185052
+! TODO: remove it when the issue https://github.com/AdguardTeam/CoreLibs/issues/1896 is fixed
+! https://github.com/AdguardTeam/AdguardFilters/issues/180536
+! Reported to EasyList
+! TODO: check 03.06.24
+saveinsta.cam#@#.aplvideo
+! https://github.com/AdguardTeam/AdguardFilters/issues/174891
+! TODO: remove after fixing https://github.com/AdguardTeam/AdguardBrowserExtension/issues/2690 in the extensions and apps
+@@||facebook.com^$generichide,badfilter
+! https://github.com/AdguardTeam/AdGuardForSafari/issues/947
+! Fixes performance issue in Safari
+! https://github.com/AdguardTeam/CoreLibs/issues/1855
+! https://github.com/AdguardTeam/AdguardFilters/issues/170372
+! https://github.com/AdguardTeam/AdguardFilters/issues/168293
+! Probably Safari bug
+! `://adv.$domain=~adv.asahi.com|` second and subsequent negated domains are not taken into account
+! https://github.com/AdguardTeam/CoreLibs/issues/1830
+! TODO: check the bug status 14.12.23
+! https://github.com/AdguardTeam/CoreLibs/issues/1808
+! TODO: Remove the following rules if the above issue is resolved.
+! https://github.com/AdguardTeam/AdguardFilters/issues/158932
+! TODO: Remove the following rules if https://github.com/AdguardTeam/Scriptlets/issues/349 is resolved and available in the platforms.
+! https://github.com/AdguardTeam/CoreLibs/issues/1763
+! Website checks Content-MD5 in response headers and if it's empty does not display a content
+@@||devfaq.ru/*/search?*&method=HEAD$xmlhttprequest,document
+! https://github.com/AdguardTeam/CoreLibs/issues/1744
+! https://github.com/AdguardTeam/CoreLibs/issues/1730
+! https://github.com/AdguardTeam/AdguardFilters/issues/170565
+! https://github.com/AdguardTeam/CoreLibs/issues/1730
+! https://github.com/AdguardTeam/AdguardFilters/issues/169776
+! https://github.com/AdguardTeam/CoreLibs/issues/1730
+! https://github.com/AdguardTeam/AdguardFilters/issues/143916
+! Fixing the problem, caused by CNAME trackers - this request must be blocked by AdGuard Cookie Notices filter (`||consent.cookiefirst.com^$third-party`)
+||consent.cookiefirst.com^$badfilter
+! https://twitter.com/alter_plr/status/1606517980321710082
+@@||adv.lack-girl.com^$popup
+@@||adv.lack-girl.com/_assets/$image,stylesheet,script,~third-party
+! https://github.com/easylist/easylist/commit/a1dfdcb3158f463578bb9a5737934b95d5fe7025#commitcomment-84400982
+javcrave.com#@#.widget_custom_html
+! https://listauthorschat.slack.com/archives/C010N14G4TF/p1662472007335079
+||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
+! https://github.com/easylist/easylist/issues/13103
+nybooks.com#@#.top-ad-wrapper
+nybooks.com##.ad-spacing
+! https://github.com/AdguardTeam/AdguardFilters/issues/100060
+! already reported to EL
+@@||geoip.redirect-ads.com/js/$script,~third-party
+@@||geoip.redirect-ads.com^$subdocument,third-party
+!
+! The rules below are required
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/179836
+! https://github.com/AdguardTeam/CoreLibs/issues/1653
+! https://github.com/AdguardTeam/AdguardForWindows/issues/4288
+! https://github.com/AdguardTeam/AdguardFilters/issues/124938
+! Fixed in the nightly build for Windows. Wait for release with CoreLibs 1.10
+! checked 22.09.2022
+! https://github.com/AdguardTeam/AdguardFilters/issues/112098
+! https://github.com/AdguardTeam/CoreLibs/issues/1607
+! Fixed in the nightly build for Windows. Wait for release with CoreLibs 1.10
+! checked 22.09.2022
+! https://forum.adguard.com/index.php?threads/46253/
+! https://github.com/AdguardTeam/CoreLibs/issues/1594
+! Fixed in the nightly build for Macos. Wait for release with CoreLibs 1.10
+! checked 21.09.2022
+$popup,third-party,domain=fembed-hd.com,badfilter
+$popup,third-party,domain=sbplay2.com,badfilter
+$popup,third-party,domain=dood.ws,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/32937
+! Reported: https://github.com/AdguardTeam/AdguardBrowserExtension/issues/2194 [21.09.22]
+! NOTE: Temporary end ⬆️
+! !SECTION: Temporary
+!##################
+!
+!
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/189322
+@@||static.adsafeprotected.com/vans-adapter-google-ima.js$domain=wsj.com
+@@||static.adsafeprotected.com/iasPET.1.js$domain=wsj.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/188838
+plutomovies.com#@#.ad-slot
+! https://github.com/AdguardTeam/AdguardFilters/issues/187639
+! https://github.com/AdguardTeam/AdguardFilters/issues/187736
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=tractorsupply.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/187429
+variety.com#@#.cnx-player-wrapper
+@@||connatix.com^$domain=variety.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/186551
+nejm.org#@#.adplaceholder
+! https://github.com/AdguardTeam/AdguardFilters/issues/186985
+@@||go.redirectingat.com/*&url=$domain=forums.redflagdeals.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/186555
+! TODO: remove, when https://github.com/AdguardTeam/AGLint/issues/213 will be fixed
+! aglint-disable-next-line
+! https://github.com/AdguardTeam/AdguardFilters/issues/186934
+! https://github.com/AdguardTeam/AdguardFilters/issues/186661
+! https://github.com/AdguardTeam/CoreLibs/issues/1904
+! mydealz.de - opening deal not working - blocked by $document rule
+@@||track.adtraction.com/t/t?a*epi=*url=
+! https://github.com/AdguardTeam/AdguardFilters/issues/186427
+1001tracklists.com#@#a[onclick]
+1001tracklists.com#@#[target="_blank"][rel="noopener noreferrer"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/185909
+! Issue occurs only with extensions
+! After visiting https://payments.jagex.com/store/payment it redirects to https://payments.jagex.com/store/checkout
+! and the page is blank
+! TODO: recheck it with one of the next extension updates
+!+ NOT_PLATFORM(windows, mac, android)
+@@||payments.jagex.com^$jsinject
+! https://github.com/AdguardTeam/AdguardFilters/issues/186143
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=cbssports.com,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/186120
+@@||cdn.afp.ai/ssp/sdk.js$domain=manilatimes.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/185899
+mrwallpaper.com#@#.ad_marker
+mrwallpaper.com#@#.ad-enabled
+! https://github.com/AdguardTeam/AdguardFilters/issues/185319
+lover934.net#%#//scriptlet('abort-current-inline-script', 'document.write')
+lover934.net#%#//scriptlet('set-constant', 'checkerimg', 'noopFunc')
+lover934.net#%#//scriptlet('abort-current-inline-script', 'setTimeout', 'document.getElementById')
+@@||tpc.googlesyndication.com/daca_images/simgad/$domain=lover934.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/185346
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=typingtest.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/185271
+||ojrq.net^$document,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/185179
+! Rule should be with $popup modifier, but for some reason it doesn't work in extensions
+! but it works fine without it
+@@||go.xliirdr.com/?*targetDomain=fikfapcams.com$domain=fikfap.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/184764
+@@||trstx.org/overroll/$domain=jetfilmizle.link|trstx.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/183901
+@@||ads.dblink.us$~image,~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/183621
+@@||tm.jsuol.com.br/modules/external/admanager/noticias_ads.js$domain=uol.com.br
+! https://github.com/AdguardTeam/AdguardFilters/issues/182893
+reviewjournal.com#@#.pbs__player
+reviewjournal.com#@##ad-container
+@@||player.ex.co^$domain=reviewjournal.com
+@@||cdn.ex.co/player/$domain=reviewjournal.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/182753
+youporn.com,you-porn.com#@#.right-aside
+! https://github.com/AdguardTeam/AdguardFilters/issues/182533
+@@||litvp.com/checkStatus/$domain=emturbovid.com
+@@||litvp.com/creatDownload$domain=emturbovid.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/182470
+interactive.libsyn.com#@#iframe[width="100%"][height="90"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/181812
+@@app.arizonawildcats.com/preferences
+! https://github.com/AdguardTeam/AdguardFilters/issues/180746#issuecomment-2150672487
+makeuseof.com,howtogeek.com#@#.ad-zone:not(.textads)
+makeuseof.com,howtogeek.com#@#.adsninja-ad-zone
+makeuseof.com,howtogeek.com#@#.ad-current
+makeuseof.com,howtogeek.com#@#.ad-zone-container
+||googletagservices.com/tag/js/gpt.js$xmlhttprequest,script,redirect=googletagservices-gpt,important,domain=makeuseof.com|howtogeek.com
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=makeuseof.com|howtogeek.com
+@@||cdn.adsninja.ca/adsninja_client.js$domain=makeuseof.com|howtogeek.com
+@@||cdn.adsninja.ca/adsninja_worker.js$domain=makeuseof.com|howtogeek.com
+@@||cdn.adsninja.ca/adsninja_worker_caller.js$domain=makeuseof.com|howtogeek.com
+@@||cdn.adsninja.ca/adsninja_client_style.css$domain=makeuseof.com|howtogeek.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/181284
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=worldstar.com|worldstarhiphop.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/180746
+xda-developers.com#@#.ad-zone:not(.textads)
+||googletagservices.com/tag/js/gpt.js$xmlhttprequest,script,redirect=googletagservices-gpt,important,domain=xda-developers.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/180431
+! https://github.com/AdguardTeam/AdguardFilters/issues/180487
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=worldsurfleague.com,important
+||amazon-adsystem.com/aax2/apstag.js$script,redirect=amazon-apstag,domain=worldsurfleague.com,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/180133
+||jwplayer.com^$domain=gamesradar.com,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/179844
+@@||images.macrumors.com/*/article-new/
+! https://github.com/AdguardTeam/AdguardFilters/issues/179885
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=viu.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/179640
+@@||googletagservices.com/tag/js/gpt.js$domain=edition.cnn.com
+@@||tpc.googlesyndication.com^$domain=edition.cnn.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/185148
+! https://github.com/AdguardTeam/AdguardFilters/issues/179063
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=20min.ch|lessentiel.lu
+! https://github.com/AdguardTeam/AdguardFilters/issues/179457
+@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$domain=vix.com
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=vix.com
+! https://github.com/AdguardTeam/CoreLibs/issues/1881
+! https://github.com/AdguardTeam/AdguardFilters/issues/179361
+@@||partner-api.jobbio.com/channels/data$xmlhttprequest,third-party,domain=jobs.dailymail.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/179278
+! https://github.com/AdguardTeam/AdguardFilters/issues/178985
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=france24.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/178947
+@@||cloudfront.net^$script,domain=ebaticalfel.com|fansmega.com|iedprivatedqu.com|stownrusis.com|best-links.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/178826
+@@||toolsforworkingwood.com/blogimg/
+! https://github.com/AdguardTeam/AdguardFilters/issues/178660
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=kitco.com
+@@||securepubads.g.doubleclick.net/pagead/managed/js/gpt/*/pubads_impl.js$domain=kitco.com
+@@||config.aps.amazon-adsystem.com/configs/$domain=kitco.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/178282
+! https://github.com/AdguardTeam/AdguardFilters/issues/177990
+wikisource.org#@#img[width="240"][height="400"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/178050
+! https://github.com/AdguardTeam/AdguardFilters/issues/174731
+@@||disneyplus.com^$generichide,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/177265
+! https://github.com/AdguardTeam/AdguardFilters/issues/177184
+microsoftsecurityinsights.com#@#iframe[width="100%"][height="90"]
+! overwrite exception in EasyList
+||ladsp.com/script-sf/$script,redirect=noopjs,domain=str.toyokeizai.net,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/176930
+brillux.radio#@#.innerBanner
+! https://github.com/AdguardTeam/AdguardFilters/issues/176561
+@@||adswizz.com^$domain=noz.de
+! https://github.com/AdguardTeam/AdguardFilters/issues/176040
+okmilfporn.com#@#.ads-link
+! https://github.com/AdguardTeam/AdguardFilters/issues/176072
+@@||tadviser.ru/openx2/www/delivery/*.php*zoneid*$script
+! Fixing sites with AdShied (ygosu.com, etc.)
+! https://github.com/AdguardTeam/AdguardFilters/issues/175422
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=syok.my
+! https://github.com/AdguardTeam/AdguardFilters/issues/174470
+@@||api-edge.cognitive.microsofttranslator.com/translate?
+! https://github.com/AdguardTeam/AdguardFilters/issues/174233
+greenplanner.it#@#.td-a-rec
+! https://github.com/AdguardTeam/AdguardFilters/issues/173900
+@@||sonar.viously.com^$domain=supertoinette.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/174071
+! https://github.com/AdguardTeam/AdguardFilters/issues/173478
+@@||securepubads.g.doubleclick.net/gampad/ads$domain=purepeople.com
+@@||securepubads.g.doubleclick.net/pagead/managed/js/gpt/*/pubads_impl.js$domain=purepeople.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/173733
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=manchestereveningnews.co.uk
+@@||securepubads.g.doubleclick.net/pagead/managed/js/gpt/*/pubads_impl.js$domain=manchestereveningnews.co.uk
+@@||live.primis.tech/live/liveView.php$domain=manchestereveningnews.co.uk
+@@||live.primis.tech/live/liveVideo.php$domain=manchestereveningnews.co.uk
+@@||live.primis.tech/content/$domain=manchestereveningnews.co.uk
+! https://github.com/AdguardTeam/AdguardFilters/issues/173660
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=mountathletics.com
+! https://github.com/uBlockOrigin/uAssets/issues/16691#issuecomment-1959352291
+@@||ddzswov1e84sp.cloudfront.net^$script,domain=free-content.pro
+@@||onasider.top/tc$xmlhttprequest,domain=free-content.pro
+! https://github.com/AdguardTeam/AdguardFilters/issues/173314
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=metrolagu.cam
+! https://github.com/AdguardTeam/AdguardFilters/issues/173156
+@@||c.amazon-adsystem.com/aax2/apstag.js$domain=worldsurfleague.com
+@@||securepubads.g.doubleclick.net/pagead/managed/js/gpt/*/pubads_impl.js$domain=worldsurfleague.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/173151
+! TODO: remove the rule when it's fixed in EasyList
+||trstx.org^$badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/172880
+$popup,third-party,domain=luluvdo.com,badfilter
+! fix videos
+reuters.com#@#[class^="primary-video__container_"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/172583
+nectr.com.au#@#.ad-main
+nectr.com.au#@#.ad-heading
+nectr.com.au#@#.ad-tag
+nectr.com.au#@#.ad-content
+! github.io - too wide rule
+@@||github.io^$generichide,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/172454
+telkomsel.com#@##adsContainer
+telkomsel.com#@#.ads-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/171550
+sanemoku.com#@#.blogAd
+sanemoku.com#@##horizontal-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/171372
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=liner.hu
+! https://github.com/AdguardTeam/AdguardFilters/issues/171285
+! https://github.com/AdguardTeam/AdguardFilters/issues/175708
+@@||google.com/pagead/landing$domain=godaddy.com
+@@||googletagmanager.com/gtag/js$domain=godaddy.com
+@@||googletagmanager.com/gtm.js$domain=godaddy.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/171345
+! https://github.com/AdguardTeam/AdguardFilters/issues/171122
+bringmethenews.com#@#.has-fixed-bottom-ad
+||amazon-adsystem.com/aax2/apstag.js$script,redirect=amazon-apstag,domain=bringmethenews.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/171211
+@@||sonar.viously.com^$domain=clubic.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/171088
+! https://github.com/AdguardTeam/AdguardFilters/issues/171093
+kwik.si#@#.adSense
+! https://github.com/AdguardTeam/AdguardFilters/issues/171026
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=barrons.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/170977
+@@||cdn*.anyclip.com^$domain=content.dictionary.com
+@@||trafficmanager.anyclip.com^$domain=content.dictionary.com
+@@||assets.anyclip.com^$domain=content.dictionary.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/170740
+! https://github.com/AdguardTeam/AdguardFilters/issues/170507
+shareus.io#@#.adunit-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/170065
+hollywoodreporter.com#@#[id^="jwplayer"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/169942
+americanhunter.org#@#.video-ad-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/169443
+! https://github.com/AdguardTeam/AdguardFilters/issues/169331
+! https://github.com/AdguardTeam/AdguardFilters/issues/169101
+@@||vcdn.xszcdn.com/hls/$domain=xszav1.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/168957
+||securepubads.g.doubleclick.net/tag/js/gpt.js$script,redirect=googletagservices-gpt,domain=play.fancade.com,important
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=play.fancade.com
+! comicbookmovie.com
+comicbookmovie.com#@#.ad
+comicbookmovie.com#$#.ad { height: 1px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/168418
+! #$# rule is required for Firefox extension
+humix.com,mistergadget.tech#$#body .ez-video-wrap { display: block !important; }
+humix.com#@#.ez-video-wrap
+@@||humix.com/beardeddragon/iguana.js
+@@||humix.com/beardeddragon/wyvern.js
+@@||go.ezodn.com/beardeddragon/basilisk.js$domain=humix.com
+@@||videosvc.ezoic.com/play?videoID=$domain=humix.com
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=humix.com|mistergadget.tech
+! https://github.com/AdguardTeam/AdguardFilters/issues/167916
+maxstreams.site#@##ad_topslot
+! satdl.com - required green button not visible
+satdl.com#@#.advertizement
+! https://github.com/AdguardTeam/AdguardFilters/issues/167330
+!#safari_cb_affinity(general,privacy)
+@@||pub.doubleverify.com/dvtag/$domain=time.com
+!#safari_cb_affinity
+! https://github.com/AdguardTeam/AdguardFilters/issues/166923
+@@||plex.tv/wp-content/themes/plex/assets/js/conditional/lib/fastclick.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/166617
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=telex.hu
+! https://github.com/AdguardTeam/AdguardFilters/issues/166698
+@@||cleviationly.com/adServe/aff?*mydealz*&dlink=$popup,domain=mydealz.de
+! https://github.com/AdguardTeam/AdguardFilters/issues/166444
+! https://github.com/AdguardTeam/AdguardFilters/issues/166302
+@@||cmp.inmobi.com/choice/*/choice.js$domain=express.co.uk
+@@||cmp.inmobi.com/tcfv2/*.js$domain=express.co.uk
+@@||cmp.inmobi.com/*/vendor-list-*.json$domain=express.co.uk
+! https://github.com/AdguardTeam/AdguardFilters/issues/166014
+! https://github.com/AdguardTeam/AdguardFilters/issues/165932
+@@/clickn(download|upload)\.[a-z]{3,5}/$script,xmlhttprequest,domain=clickndownload.*|clicknupload.*
+! https://github.com/AdguardTeam/AdguardFilters/issues/165770
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=iheartradio.ca
+! https://github.com/AdguardTeam/AdguardFilters/issues/165367
+prothomalo.com#@#.adsBox
+prothomalo.com#@##top-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/164823
+! https://github.com/AdguardTeam/AdguardFilters/issues/164954
+darujizaodvoz.cz#@#.adslist
+! https://github.com/AdguardTeam/AdguardFilters/issues/164929
+$popup,third-party,domain=dood.la|dood.so|dood.to|dood.video|dood.watch|dood.ws|doodcdn.com|ds2play.com|doods.pro,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/164248
+@@||cdn.datatables.net^
+! https://github.com/AdguardTeam/AdguardFilters/issues/163770
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=mediastinger.com
+! reddit.com - unnecessary exclusion
+@@||reddit.com^$generichide,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/163450
+@@||ultimedia.com/js/common/smart.js$domain=letelegramme.fr
+! https://github.com/AdguardTeam/AdguardFilters/issues/163156
+@@||vms-players.minutemediaservices.com^$script,domain=beargoggleson.com
+@@||vms-players.minutemediaservices.com/mplayer-bridge.html$domain=beargoggleson.com
+@@||vms-videos.minutemediaservices.com/*/mpd/$xmlhttprequest,domain=beargoggleson.com
+beargoggleson.com#@##mplayer-embed
+! https://github.com/AdguardTeam/AdguardFilters/issues/163060
+@@||animecorner.me/*/screx.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/162483
+space.com#@#.jwplayer__wrapper
+! thestreet.com - player not showing
+@@||player.ex.co/player/$domain=thestreet.com
+thestreet.com#@#.pbs__player
+! https://github.com/AdguardTeam/AdguardFilters/issues/161269
+@@||img.soft98.ir/*/300x250.
+! https://github.com/AdguardTeam/AdguardFilters/issues/162173
+@@||lirarate.org/tardisrocinante/screx.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/161778#issuecomment-1727877903
+! https://github.com/AdguardTeam/AdguardFilters/issues/161263
+@@||micro.rubiconproject.com/prebid/dynamic/*.js$domain=tyla.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/161628
+! Minute Media
+||googletagmanager.com/gtm.js$script,redirect=googletagservices-gpt,domain=lawlessrepublic.com|balldurham.com|hardwoodhoudini.com|netflixlife.com|nflspinzone.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/161442
+! from EasyList:
+si.com#@#.l-inline.m-detail--feature-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/161687
+gergerhaber.net#@#ins.adsbygoogle[data-ad-client]
+gergerhaber.net#@#ins.adsbygoogle[data-ad-slot]
+! https://github.com/AdguardTeam/AdguardFilters/issues/161514
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=soonersports.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/161551
+||securepubads.g.doubleclick.net/tag/js/gpt.js$script,redirect=googletagservices-gpt,domain=bloomberg.com,important
+!+ PLATFORM(windows, mac, android, ext_chromium, ext_opera)
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=noopjs,domain=bloomberg.com,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/161447
+@@||vms-videos.minutemediaservices.com/*/m3u8/$domain=reignoftroy.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/161378
+@@||player.ex.co/player/$domain=si.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/161279
+! https://github.com/AdguardTeam/AdguardFilters/issues/161344
+! https://github.com/AdguardTeam/AdguardFilters/issues/161220
+! https://github.com/AdguardTeam/AdguardFilters/issues/161050
+todayonline.com#@#.ad-entity-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/161056
+||nsw2u.com^$popup,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/160801
+! https://github.com/AdguardTeam/AdguardFilters/issues/160106
+@@||prod.adspsp.com/adb.2418030m.min.js$domain=medicalnewstoday.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/160566
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=kraloyun.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/159844
+! https://github.com/AdguardTeam/AdguardFilters/issues/159325
+!#safari_cb_affinity(general,privacy)
+@@||googletagservices.com/tag/js/gpt.js$domain=core77.com
+!#safari_cb_affinity
+! https://github.com/AdguardTeam/AdguardFilters/issues/159412
+! https://github.com/AdguardTeam/AdguardFilters/issues/153103
+@@||ads.themoneytizer.com/s/gen.js$domain=shorterall.com
+! https://github.com/easylist/easylist/issues/15021
+||googleadservices.com/pagead/conversion.js$script,redirect=noopjs,domain=ncsoft.jp,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/148251
+doodle.com#@#.AdsLayout
+doodle.com#@#.AdsSlot
+! https://github.com/AdguardTeam/AdguardFilters/issues/158118
+rmmedia.ru#@#iframe[width="100%"][height="90"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/157925
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=abccar.com.tw
+@@||securepubads.g.doubleclick.net/pagead/managed/js/gpt/*/pubads_impl.js$domain=abccar.com.tw
+! https://github.com/AdguardTeam/AdguardFilters/issues/157375
+@@||ad.doubleclick.net/favicon.ico$domain=tracker.gg
+! https://github.com/AdguardTeam/AdguardFilters/issues/156404
+@@||abv-p.com/Images/adv.png
+! https://github.com/AdguardTeam/AdguardFilters/issues/154871
+@@||timeweb.com/*/other-user-articles/google-ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/159215
+koolcenter.com#@#.ad_item
+! https://github.com/AdguardTeam/AdguardFilters/issues/159061
+@@||abv-p.com/Images/
+! https://github.com/AdguardTeam/AdguardFilters/issues/158763
+@@||yandex.ru/ads/system/adsdk.js$domain=gisher.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/158647
+! https://github.com/AdguardTeam/AdguardFilters/issues/158096
+kleinanzeigen.de#@#.adItem
+! https://github.com/AdguardTeam/AdguardFilters/issues/158007
+! kotaku.com - video broken
+@@||kotaku.com/x-kinja-static/assets/new-client/adManager~video-html5-playlist~videoHtml5.*.js$domain=kotaku.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/157010
+tupaki.com#@#.ads-section
+! https://github.com/AdguardTeam/AdguardFilters/issues/156453
+||ntuplay.xyz^$badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/156181
+@@||ad-maven.com^$domain=ad-maven.com
+ad-maven.com#@#HTML
+! https://github.com/AdguardTeam/AdguardFilters/issues/156318
+safelink.asia#@#.banner-468x60
+! https://github.com/AdguardTeam/AdguardFilters/issues/156403
+@@||rootzaffiliates.com^$domain=rootzaffiliates.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/156357
+indiatimes.com#@?#div:-abp-has(> div[id^="div-gpt-ad-"])
+! taboolanews.com - feed scroll
+! url: https://taboolanews.com/summary-page/-8093659837077885341?dc_data=3278547_samsung-carnival-us
+taboolanews.com#@#.trc-content-sponsored
+taboolanews.com#@#.trc_related_container div[data-item-syndicated="true"]
+taboolanews.com#@#.trc_rbox_div .syndicatedItem
+taboolanews.com#@#.trc_rbox_border_elm .syndicatedItem
+taboolanews.com#@#.trc_rbox .syndicatedItem
+! https://github.com/AdguardTeam/AdguardFilters/issues/155647
+@@||craftaro.com/build/assets/GoogleAd-*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/155632
+||ads.nextday.media/prebid/jw-video/*.min.js$script,redirect=noopjs,domain=gpblog.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/155629
+@@||ads.sber.ru^$domain=ads.sber.ru
+! https://github.com/AdguardTeam/AdguardFilters/issues/154970
+! Some data cannot be loaded
+@@||github.com/AdguardTeam/
+! https://github.com/AdguardTeam/AdguardFilters/issues/154277
+@@||independent.co.uk/_build/prebid.*.js$domain=independent.co.uk
+! https://github.com/AdguardTeam/AdguardFilters/issues/153767
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=manoramamax.com
+@@||manoramamax.com/videojs/videojs-contrib-ads.min.js$domain=manoramamax.com
+@@||c.amazon-adsystem.com/aax2/apstag.js$domain=manoramamax.com
+||amazon-adsystem.com/aax2/apstag.js$script,redirect=amazon-apstag,domain=manoramamax.com,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/153946
+@@||d1ayxb9ooonjts.cloudfront.net/bitly2/$domain=bitly.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/153879
+@@||doubleclick.net/ssai/*/streams$xmlhttprequest,domain=snippet.univtec.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/153277
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=discoveryplus.in
+! https://github.com/AdguardTeam/AdguardFilters/issues/152980
+@@||adv.clickadu.com^$domain=adv.clickadu.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/152970
+@@||carefood.kz/upload/$image
+! https://github.com/AdguardTeam/AdguardFilters/issues/152966
+livemint.com#@#.rhsWidgetNotAdFree
+! https://github.com/AdguardTeam/AdguardFilters/issues/152959
+hindustantimes.com#@#.rgtAdSection
+! https://github.com/AdguardTeam/AdguardFilters/issues/152957
+gyanitheme.com#@#.banner-728x90
+! Fixed totaladblock.com site
+||totaladblock.com^$badfilter
+||totaladblock.com^$document,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/152828
+@@||pixel.adsafeprotected.com/services/pub$domain=reuters.com
+! sdamgia.ru
+sdamgia.ru#@#iframe[width="100%"][height="90"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/151456
+! https://github.com/AdguardTeam/AdguardFilters/issues/152302
+! https://github.com/AdguardTeam/AdguardFilters/issues/152148
+! https://github.com/AdguardTeam/AdguardFilters/issues/152260
+@@||mealcold.com^$generichide
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=mealcold.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/152100
+||pagead2.googlesyndication.com/tag/js/gpt.js$script,redirect=googletagservices-gpt,domain=wunderground.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/151554
+@@||proton.me/static/*/google-ads-blog.webp
+! https://github.com/AdguardTeam/AdguardFilters/issues/149482
+@@||concertads-configs.vox-cdn.com/sbn/sbn/arrowheadpride/config.json$domain=arrowheadpride.com
+@@||cdn.concert.io/lib/concert-ads/v*-latest/concert_ads.js$domain=arrowheadpride.com
+@@||cdn.vox-cdn.com/packs/js/concert_ads-*.js$domain=arrowheadpride.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/150223
+@@||concertads-configs.vox-cdn.com/sbn/sbn/config.json$domain=bavarianfootballworks.com
+@@||cdn.vox-cdn.com/packs/js/concert_ads-*.js$domain=bavarianfootballworks.com
+@@||concert.io/lib/concert-ads/v*-latest/concert_ads.js$domain=bavarianfootballworks.com
+! https://github.com/AdguardTeam/AdguardForWindows/issues/4694
+! Fixes news on the main page in Edge
+@@||assets.msn.com/bundles/v*/edgeChromium/latest/native-ad-sales-highlight-v*.js$domain=ntp.msn.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/149809
+next.gr#@##ad_banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/149499
+delta.com#@#.adv-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/149228
+@@||ebay.*/makeOffer/$document,subdocument
+! https://github.com/AdguardTeam/AdguardFilters/issues/149624
+! https://github.com/AdguardTeam/AdguardFilters/issues/149223
+ewrc-results.com,ewrc-models.com#@#.cardAd
+! https://github.com/AdguardTeam/AdguardFilters/issues/149216
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=gazetakrakowska.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/148159
+@@||simcotools.app/assets/adsense-
+! https://github.com/AdguardTeam/AdguardFilters/issues/148109
+@@||sf.ezoiccdn.com/ezossp/https/kosmofoto.com/wp-includes/$script,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/ezoimgfmt/kosmofoto.com/wp-content/uploads/2022/01/KFLogo-272x90-1.jpg$domain=kosmofoto.com
+@@||sf.ezoiccdn.com/ezoimgfmt/i0.wp.com/kosmofoto.com/wp-content/uploads/$image,domain=kosmofoto.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/148014
+pbs.org#@#.tile-ad
+pbs.org#@#.banner-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/147663
+@@||dashboard.tinypass.com/xbuilder/experience/$domain=cnbc.com
+@@||micro.rubiconproject.com/prebid/dynamic/*.js$domain=cnbc.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/147895
+coursekingdom.xyz#@#[href^="https://ad.admitad.com/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/147504
+gearspace.com#@#a[onclick]
+! https://github.com/AdguardTeam/AdguardFilters/issues/147201
+@@||tvid.in/sdk/*.js$domain=em.timesnownews.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/147510
+!+ NOT_PLATFORM(ios, ext_android_cb, ext_safari)
+@@||googletagservices.com/tag/js/gpt.js$domain=scotsman.com,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/146971
+zol.com.cn#@##search_ad
+! connect.ubisoft.com - unable to see entered login and not able to link accounts to e. g. Amazon
+@@||connect.ubisoft.com/oauth/*?redirectUrl$jsinject
+! https://github.com/AdguardTeam/AdguardFilters/issues/146765
+@@||pub.pixels.ai/prebid_standard.js$domain=standard.co.uk
+! abcya.com - fixing video games
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=abcya.com
+||cdnjs.cloudflare.com/ajax/libs/videojs-contrib-ads/*/videojs.ads.css$stylesheet,redirect=noopcss,domain=abcya.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/146298
+surl.li#@#.ads-card
+! https://github.com/AdguardTeam/AdguardFilters/issues/145909
+supersummary.com#@#.sidebar-ads-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/146215
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=click2houston.com,important
+@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$domain=click2houston.com
+@@||pubads.g.doubleclick.net/ssai/event/*/master.m3u8$domain=click2houston.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/142849
+! https://github.com/AdguardTeam/AdguardFilters/issues/157641
+! https://github.com/AdguardTeam/AdguardFilters/issues/145816
+@@||amazon-adsystem.com/aax2/apstag.js$domain=ladbible.com|unilad.com|unilad.co.uk|gamingbible.com|tyla.com|sportbible.com|uniladtech.com
+@@||pub.doubleverify.com/signals/pub.json$domain=ladbible.com|unilad.com|unilad.co.uk|gamingbible.com|tyla.com|sportbible.com|uniladtech.com
+@@||pub.doubleverify.com/dvtag/signals/*/pub.json$domain=ladbible.com|unilad.com|unilad.co.uk|gamingbible.com|tyla.com|sportbible.com|uniladtech.com
+@@||pub.doubleverify.com/signals/pub.js$domain=ladbible.com|unilad.com|unilad.co.uk|gamingbible.com|tyla.com|sportbible.com|uniladtech.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/145210
+extramovies.bio#@#.ad_btn
+! https://github.com/AdguardTeam/AdguardFilters/issues/157859
+! https://github.com/AdguardTeam/AdguardFilters/issues/145327
+! https://github.com/AdguardTeam/AdguardFilters/issues/144911
+@@||outkick.com/wp-content/plugins/advanced-ads-pro/assets/js/
+@@||outkick.com/wp-content/plugins/advanced-ads/public/assets/js/advanced.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/144923
+gearspace.com#@#iframe[width="100%"][height="120"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/144474
+@@||sonic-ui.highereducation.com/latest/vendor.js$domain=thebestschools.org
+@@||sonic-ui.highereducation.com/latest/ucl.publisher.js$domain=thebestschools.org
+@@||sonic-ui.highereducation.com/latest/ucl.adapter.js$domain=thebestschools.org
+@@||sonic-ui.highereducation.com/latest/sonic-callout.js$domain=thebestschools.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/143881
+! https://github.com/AdguardTeam/AdguardFilters/issues/143764
+@@||gammaplus.takeshobo.co.jp/img/ad/
+! https://www.reddit.com/r/Adguard/comments/11asj2f/how_to_allow_iframes_from_specific_domains/
+! Unblocks embedded player from bandcamp.com
+tumblr.com#@#iframe[width="100%"][height="120"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/143829
+@@||cdn.vox-cdn.com/packs/js/concert_ads-*.js$domain=goldenstateofmind.com
+@@||concert.io/lib/concert-ads/v*-latest/concert_ads.js$domain=goldenstateofmind.com
+@@||concertads-configs.vox-cdn.com/sbn/sbn/config.json$domain=goldenstateofmind.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/143481
+gamemonetize.video#@#.companion-ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/143472
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=cargames.com|yiv.com|puzzlegame.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/142773
+! https://github.com/AdguardTeam/AdguardFilters/issues/141993
+$popup,domain=s2dfree.cc|s2dfree.de|s2dfree.is|s2dfree.nl|s2dfree.to|soap2day.ac|soap2day.mx|soap2day.sh,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/142514
+enate.io#@#iframe[width="100%"][height="90"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/142478
+@@||imasdk.googleapis.com/js/sdkloader/ima3*.js$domain=cbsnews.com
+||imasdk.googleapis.com/js/sdkloader/ima3*.js$script,redirect=google-ima3,domain=cbsnews.com,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/141963
+@@||lngtd.com/ehftv_ros.js$domain=ehftv.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/142387
+! https://github.com/AdguardTeam/AdguardFilters/issues/142161
+@@||googletagmanager.com/gtm.js$domain=zennioptical.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/142105
+@@||whatsapp.com^$generichide,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/141814
+! https://github.com/AdguardTeam/AdguardFilters/issues/141317
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=zygomatic.arkadiumarena.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/141307
+wallpapers.com#@#.ad-enabled
+! https://github.com/AdguardTeam/AdguardFilters/issues/141275
+||embed.sendtonews.com^$third-party,badfilter,domain=miamiherald.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/141425
+@@||spbentleigheast.schoolzineplus.com/_file/media/*/*.pdf
+! https://github.com/AdguardTeam/AdguardFilters/issues/150407
+! https://github.com/AdguardTeam/AdguardFilters/issues/140750
+! https://github.com/AdguardTeam/AdguardFilters/issues/141077
+! https://github.com/AdguardTeam/AdguardFilters/issues/141000
+! https://github.com/AdguardTeam/AdguardFilters/issues/140950
+@@||sonichits.com^$generichide,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/140893
+! https://github.com/AdguardTeam/AdguardFilters/issues/140431
+@@||xweb.instagram.com/ads/preferences/
+! https://github.com/AdguardTeam/AdguardFilters/issues/140588
+/^https?:\/\/[0-9a-z]{8,}\.xyz\/.*/$~media,third-party,domain=sportcast.life,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/140351
+@@||cdn*.esimg.jp/resize/*/image/nativead/
+! https://github.com/AdguardTeam/AdguardFilters/issues/140126
+! https://github.com/AdguardTeam/AdguardFilters/issues/139747
+@@||disqus.com/embed/comments/
+! https://github.com/AdguardTeam/AdguardFilters/issues/139436
+! https://github.com/AdguardTeam/AdguardFilters/issues/145274
+! https://github.com/AdguardTeam/AdguardFilters/issues/139798
+gumtree.co.za#@#.menu-ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/139547
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=ksl.com
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=ksl.com,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/139376
+! https://github.com/AdguardTeam/AdguardFilters/issues/139223
+@@||dropbox.com^$generichide,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/138802
+! https://github.com/AdguardTeam/AdguardFilters/issues/139049
+! https://github.com/AdguardTeam/AdguardFilters/issues/138848
+@@||tn.voyeurhit.com^$domain=voyeurhit.tube
+! https://github.com/AdguardTeam/AdguardFilters/issues/138092
+iphoneincanada.ca#@#a[href^="https://click.linksynergy.com/fs-bin/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/137636
+! https://github.com/AdguardTeam/AdguardFilters/issues/137885
+@@||cgchannel.com/wp-content/uploads/*_Advertorial_*.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/153601
+instagram.com#@?#article[class] > div[class]:-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/AdguardTeam/AdguardFilters/issues/138429
+! https://github.com/AdguardTeam/AdguardFilters/issues/143571#issuecomment-1475488942
+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/AdguardTeam/AdguardFilters/issues/137874
+instagram.com#@?#div[style="max-height: inherit; max-width: inherit;"]:-abp-has(span:-abp-contains(Paid partnership with ))
+! https://github.com/AdguardTeam/AdguardFilters/issues/137663
+@@||oasjs.kataweb.it/adsetup.real.js$domain=video.repubblica.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/137693
+$popup,third-party,domain=soap2day.*,badfilter
+! https://github.com/easylist/easylist/pull/14442
+@@||nakanohito.jp^*/bi.js$domain=myna.go.jp
+! https://github.com/AdguardTeam/AdguardFilters/issues/137106
+@@||lib.wtg-ads.com/lib.min.js$domain=dnevnik.hr
+! https://github.com/AdguardTeam/AdguardFilters/issues/137434
+primegrid.com#@#img[width="468"][height="60"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/137001
+||securepubads.g.doubleclick.net/pagead/ppub_config$xmlhttprequest,redirect=noopjson,domain=independent.co.uk,important
+@@||securepubads.g.doubleclick.net/pagead/ppub_config$domain=independent.co.uk
+@@||pub.pixels.ai/wrap-independent-prebid-lib.js$domain=independent.co.uk
+@@||static.adsafeprotected.com/iasPET*.js$domain=independent.co.uk
+! Fix issue with video players
+! In apps $popup modifier sometimes is applied to xmlhttprequest and it causes that video doesn't work
+$popup,third-party,domain=1337x.buzz|9anime.id|adblockeronstape.me|adblockeronstreamtape.me|adblockeronstrtape.xyz|adblockplustape.com|adblockplustape.xyz|adblockstreamtape.art|adblockstreamtape.fr|adblockstreamtape.site|adblocktape.online|adblocktape.store|adblocktape.wiki|animepl.xyz|animeworld.biz|assia4.com|atrocidades18.net|bflix.ru|cloudemb.com|cloudvideo.tv|databasegdriveplayer.xyz|dembed1.com|diampokusy.com|dir-proxy.net|dirproxy.info|dood.re|dood.wf|dood.ws|dood.yt|embedsito.com|fembed-hd.com|file-upload.com|filemoon.sx|freeplayervideo.com|geoip.redirect-ads.com|gogoanime.lol|gogoanime.nl|haes.tech|highstream.tv|hubfiles.ws|hydrax.xyz|katfile.com|kissanime.lol|kokostream.net|livesports4u.xyz|livetv498.me|loader.to|luxubu.review|mangovideo.pw|mixdrop.bz|mixdrop.click|mixdrop.club|mixdrop.sx|mixdrop.to|mixdrops.xyz|mixdrp.to|monstream.org|myflixer.to|ninjastream.to|oneproxy.org|piracyproxy.biz|piraproxy.info|pixroute.com|playtube.ws|pomvideo.cc|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|stape.fun|stape.me|stapewithadblock.beauty|stapewithadblock.monster|stapewithadblock.xyz|strcloud.in|streamas.cloud|streamhide.to|streamlare.com|streamta.pe|streamtape.com|streamtape.to|streamtapeadblock.art|streamtapeadblockuser.art|streamtapeadblockuser.homes|streamtapeadblockuser.monster|streamtapeadblockuser.xyz|streamtapse.com|streamz.ws|streamzz.to|strtape.cloud|strtapeadblocker.xyz|strtapewithadblock.art|strtapewithadblock.xyz|strtpe.link|supervideo.tv|suzihaza.com|theproxy.ws|trafficdepot.xyz|tubeload.co|un-block-voe.net|uploadfiles.pw|uproxy.co|upstream.to|upvid.biz|uqload.com|vidcloud9.com|videovard.to|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,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/136430
+@@||nu.nl^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/131310
+! https://github.com/AdguardTeam/AdguardFilters/issues/136259
+share.weiyun.com#@#.page-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/135659
+@@||archehukuk.com/_api/communities-blog-node-api/_api/posts/content/$xmlhttprequest
+! https://github.com/AdguardTeam/AdguardFilters/issues/135213
+@@||adnews.me^$domain=adnews.me
+! https://github.com/AdguardTeam/AdguardFilters/issues/135343
+@@||primis.tech^$domain=sportsmole.co.uk
+! Broken ex.co quiz
+@@||static.ex.co/pb-story/production/*/story-viewer.js
+@@||static.ex.co/pb-story/quiz/production/*/quiz-viewer.js
+@@||static.ex.co/pb-story/quiz/production/*-viewer-svg.js
+@@||static.ex.co/pb-play/production/*/playbuzz-viewer-play.es5.js
+@@||static.ex.co/pb-story/paragraph/production/*/paragraph-viewer.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/185597
+! https://github.com/AdguardTeam/AdguardFilters/issues/134893
+! https://github.com/AdguardTeam/AdguardFilters/issues/133994
+||car-assets.bauersecure.com/dist/js/prebid/prebid-$script,redirect=prebid-ads,domain=carmagazine.co.uk
+! https://github.com/AdguardTeam/AdguardFilters/issues/133986
+@@||player.avplayer.com/script/*/avcplayer.js$domain=sportbible.com
+@@||player.avplayer.com/script/*/libs/hls.min.js$domain=sportbible.com
+||c.amazon-adsystem.com/aax2/apstag.js$script,redirect=amazon-apstag,domain=sportbible.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/134275
+! https://github.com/AdguardTeam/AdguardFilters/issues/133811
+@@||gogoplay*.com/streaming.php$domain=kickassanime.ro
+/^https?:\/\/[0-9a-z]{8,}\.com\/.*/$~media,third-party,domain=kickassanime.ro,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/141090
+/^https?:\/\/[0-9a-z]{8,}\.com\/.*/$~media,third-party,domain=gogohd.net,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/122005
+/^https?:\/\/[0-9a-z]{8,}\.com\/.*/$~media,third-party,domain=strtape.cloud,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/120527
+||topeuropix.site/svop4/$popup,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/133283
+@@||aniview.com/api/adserver/spt?$domain=sportbible.com
+@@||player.avplayer.com/script/*/avcplayer.js$domain=sportbible.com
+@@||micro.rubiconproject.com/prebid/dynamic/*.js$domain=sportbible.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/133135
+@@||fembed9hd.com^$subdocument,domain=gogohd.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/133239
+! https://github.com/AdguardTeam/AdguardFilters/issues/132964
+! https://github.com/AdguardTeam/AdguardFilters/issues/132928
+@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$domain=engine.univtec.com|america.cgtn.com
+@@||pubads.g.doubleclick.net/ssai/event/*/streams$domain=engine.univtec.com|america.cgtn.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/133042
+! https://github.com/AdguardTeam/AdguardFilters/issues/132672
+@@||app.titsx.com*/search$domain=porn-plus.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/132555
+@@||animeland.tv/pa.js$domain=animeland.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/132461
+! https://github.com/AdguardTeam/AdguardFilters/issues/132380
+@@||crbmpurga.ru/files/files/ads/$image
+! https://github.com/AdguardTeam/AdguardFilters/issues/132131
+$popup,third-party,domain=sbthe.com,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/131748
+$popup,third-party,domain=embedsb.com,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/131415
+! https://github.com/AdguardTeam/AdguardFilters/issues/131001
+elperiodico.com#@#.adLoaded
+! https://github.com/AdguardTeam/AdguardFilters/issues/120707
+! https://github.com/AdguardTeam/CoreLibs/issues/1644
+! https://github.com/AdguardTeam/AdguardFilters/issues/103244
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=thestar.co.uk
+! adguard-dns.io - fixing domain check in user filter
+@@||api.adguard-dns.io/api/
+! https://github.com/AdguardTeam/AdguardFilters/issues/95579
+! https://github.com/AdguardTeam/AdguardFilters/issues/104184
+@@||ssl.sdcdn.com/cms/ads/*$domain=stardoll.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/34925
+! don't add cosmetic rules to recaptcha frame
+@@||google.com/recaptcha/api2/$document
+! https://github.com/AdguardTeam/CoreLibs/issues/1475
+! https://github.com/AdguardTeam/AdguardFilters/issues/80473
+pornhub.com,redtube.com,tube8.com,tube8.es,tube8.fr#@#[src^="bLob:"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/146701
+! https://github.com/AdguardTeam/AdguardFilters/issues/103899
+! https://github.com/AdguardTeam/AdguardFilters/issues/22203
+! https://github.com/AdguardTeam/AdguardFilters/issues/24177
+! bazaraki.com - blocked page in Safari
+! https://github.com/AdguardTeam/AdguardFilters/issues/22944
+@@||static.doubleclick.net/instream/ad_status.js$domain=investing.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/23359
+! https://github.com/AdguardTeam/AdguardForWindows/issues/2323
+! https://github.com/AdguardTeam/AdguardFilters/issues/130209
+@@||app.zyncfreesurveys.com/js/global/adverts.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/140803
+@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$domain=zee5.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/130017
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=zee5.com,important
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=zee5.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/129633
+!+ NOT_PLATFORM(windows, mac, android)
+$script,redirect-rule=noopjs,domain=sammobile.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/129335
+silverspoon.site#@#.adsbyvli
+! https://github.com/AdguardTeam/AdguardFilters/issues/101108
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=chromecastappstips.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/129677
+@@||awempire.com/*/css/*.css$domain=awempire.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/129664
+@@||theverge.com/_next/data/*.json
+! https://github.com/AdguardTeam/AdguardFilters/issues/129337
+||zenaps.com^$popup,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/128604
+@@||cdnjs.cloudflare.com/ajax/libs/Swiper/*/js/swiper.min.js$domain=9anime.*
+! https://github.com/AdguardTeam/AdguardFilters/issues/128921
+! https://github.com/AdguardTeam/AdguardFilters/issues/128733
+gamerevolution.com#@#.custom-html-widget
+! https://github.com/AdguardTeam/AdguardFilters/issues/128592
+! Fix video player
+$popup,third-party,domain=sbplay2.xyz,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/128605
+@@||brn-ads.sa.cz/www/delivery/*.php?zoneid=$domain=studentagency.eu
+! https://github.com/AdguardTeam/AdguardFilters/issues/128526
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=gauchazh.clicrbs.com.br
+! https://github.com/AdguardTeam/AdguardFilters/issues/128225
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=paroles2chansons.lemonde.fr
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=paroles2chansons.lemonde.fr,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/128221
+! https://github.com/AdguardTeam/AdguardFilters/issues/128133
+! https://github.com/AdguardTeam/AdguardFilters/issues/127984
+@@||teachoo.com/static/html/js/ad_footer.js$domain=teachoo.com
+@@||teachoo.com/static/html/js/prebid.js$domain=teachoo.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/127175
+@@||coinpayu.com/assets/ads_$domain=coinpayu.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/127573
+! Fixes "Listen to this article"
+@@||cdn.vox-cdn.com/packs/js/concert_ads-*.js$domain=mmafighting.com
+@@||concertads-configs.vox-cdn.com/sbn/sbn/config.json$domain=mmafighting.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/126929
+tech.bloggertheme.xyz#@##ad-top
+! https://github.com/AdguardTeam/AdguardFilters/issues/126835
+petri.com#@##bww-advertising-popup-overlay
+! https://github.com/AdguardTeam/AdguardFilters/issues/126634
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=wsls.com
+@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$domain=wsls.com
+@@||pubads.g.doubleclick.net/ssai/event/*/streams$xmlhttprequest,domain=wsls.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/126175
+@@||milffox.com/player/config.php
+! unhide right sidebar
+pics-x.com#@#.sidebar-ads-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/135040
+! https://github.com/AdguardTeam/AdguardFilters/issues/125900
+! uBO cname issue by ||cloudfront.net^$domain=
+! https://github.com/AdguardTeam/AdguardFilters/issues/125527
+@@||dn0qt3r0xannq.cloudfront.net/*/default/prebid-load.js$domain=nationalreview.com
+@@||dn0qt3r0xannq.cloudfront.net/*/default/prebid-library.js$domain=nationalreview.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/124972
+! https://github.com/AdguardTeam/AdguardFilters/issues/125146
+@@||check.ddos-guard.net/check.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/124521
+roblox.com#@##Skyscraper-Abp-Right
+roblox.com#@##Skyscraper-Abp-Left
+! https://github.com/AdguardTeam/AdguardFilters/issues/125077
+! https://github.com/DandelionSprout/adfilt/issues/63#issuecomment-1187611680
+gadgetnews.net#@#img[width="728"][height="90"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/124320
+@@||game8.jp/api/ad/advertisement_placements?*sp_under_archive
+! frontedelblog.it
+frontedelblog.it#@#.widget-ad-image
+! https://github.com/AdguardTeam/AdguardFilters/issues/124271
+@@||thenewslens.com/assets/js/*/admanager.js$domain=thenewslens.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/124108
+short-wave.info#@#img[width="468"][height="60"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/123557
+! https://github.com/AdguardTeam/AdguardFilters/issues/123915
+ianseo.net#@#.ad-left
+ianseo.net#@#.ad-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/123616
+! TODO: add "hint" when this issue - https://github.com/AdguardTeam/Scriptlets/issues/222 will be fixed
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=factable.com
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=factable.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/123570
+skincarie.com#@#.td-a-rec
+! news4jax.com - fixing video player
+! https://www.news4jax.com/watchlive/
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=news4jax.com|gmg-wjxt-prod.cdn.arcpublishing.com
+@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$domain=news4jax.com|gmg-wjxt-prod.cdn.arcpublishing.com
+@@||pubads.g.doubleclick.net/ssai/event/*/streams$xmlhttprequest,domain=news4jax.com|gmg-wjxt-prod.cdn.arcpublishing.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/122847
+! https://github.com/AdguardTeam/AdguardFilters/issues/122524
+! Fixing video player
+/^https?:\/\/.*\.(jpg|jpeg|gif|png|php|svg|ico|js|txt|css|srt)/$popup,domain=ymovies.to,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/122390
+fontspace.com#@#.container-ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/122424
+@@||ads-api.twitter.com/*/accounts/$domain=analytics.twitter.com
+@@||ads-api.twitter.com/*/apps?app_store_identifiers=$domain=analytics.twitter.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/122188
+forex-gold.net#@#.header-mnm
+! https://github.com/uBlockOrigin/uAssets/issues/13094
+@@||photopea.com/promo/no_ads.png
+! https://github.com/AdguardTeam/AdguardFilters/issues/121905
+appleinsider.com#@#.ad-wrap:not(#google_ads_iframe_checktag)
+! https://github.com/AdguardTeam/AdguardFilters/issues/122023
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=oe24.at
+! https://github.com/AdguardTeam/AdguardFilters/issues/121849
+@@||rd.ias.global.rakuten.com/adv/$domain=24.rakuten.co.jp
+! https://github.com/AdguardTeam/AdguardFilters/issues/120990
+! https://github.com/AdguardTeam/AdguardFilters/commit/1cabce688481281dccb756acf649eaf98f89be4c#r75718630
+||fwcdn1.com/js/storyblock.js$badfilter
+! https://github.com/AdguardTeam/CoreLibs/issues/1647
+! https://github.com/AdguardTeam/AdguardFilters/issues/120784
+freexcafe.com#@#a[href^="http://refer.ccbill.com/cgi-bin/clicks.cgi?"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/120664
+@@||infusionsoft.com/aff.html$subdocument,domain=pages.infusionsoft.net|reginadancecity.ca
+@@||infusionsoft.app/aff.html$subdocument,domain=pages.infusionsoft.net|reginadancecity.ca
+! https://github.com/AdguardTeam/AdguardFilters/issues/120918
+@@||google.com/recaptcha/api2/$subdocument
+! https://github.com/AdguardTeam/AdguardFilters/issues/120943
+billetto.*#@#.top-banners
+! https://github.com/AdguardTeam/AdguardFilters/issues/120871
+mitula.com.au#@#.adsList
+! https://github.com/AdguardTeam/AdguardFilters/issues/120166
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=playstore.pw|doodlygames.me
+! google.* - hidden link
+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.cn,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.bz,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.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.nf,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.sa,google.com.sb,google.com.sg,google.com.sl,google.com.sv,google.com.tj,google.com.tr,google.com.tw,google.com.ua,google.com.uy,google.com.vc,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.hn,google.hr,google.ht,google.hu,google.ie,google.im,google.iq,google.is,google.it,google.je,google.jo,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.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.tk,google.tl,google.tm,google.tn,google.to,google.tt,google.vg,google.vu,google.ws#@#a[href^="https://go.xxxjmp.com"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/119883
+bestcash2020.com#@#.banner-728x90
+bestcash2020.com#@#.banner-468x60
+! https://github.com/AdguardTeam/AdguardFilters/issues/119733
+rawstory.com#@#.full-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/119795
+tomshardware.com#@#.sponsored-article
+! https://github.com/AdguardTeam/AdguardFilters/issues/119158
+@@||bigad.me^$domain=bigad.me
+! url: https://microapp.bytedance.com/docs/zh-CN/mini-game/develop/open-capacity/ads/tt-create-banner-ad/
+@@||microapp.bytedance.com/docs/*-banner-ad/$xmlhttprequest
+! https://github.com/AdguardTeam/AdguardFilters/issues/119014
+! https://github.com/AdguardTeam/AdguardFilters/issues/128875
+||sizyreelingly.com^$badfilter
+||realfinanceblogcenter.com^$badfilter
+||uptodatefinishconferenceroom.com^$badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/174096
+! https://github.com/AdguardTeam/AdguardFilters/issues/118378
+||321naturelikefurfuroid.com^$badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/118188
+! https://github.com/AdguardTeam/AdguardFilters/issues/117915
+@@||megatube.xxx/atrm/s/s/js/m/pr-before.js
+! https://github.com/easylist/easylist/commit/1789e141b5284d0eae5e59263802c2bdfbfac730#commitcomment-72922775
+duckduckgo.com#@#.js-sidebar-ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/117661
+@@||imasdk.googleapis.com/pal/sdkloader/pal.js$domain=pluto.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/116483
+@@||camvideosorg1.wpnrtnmrewunrtok.xyz/remote_control.php$domain=camvideos.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/115332
+||securepubads.g.doubleclick.net/tag/js/gpt.js$script,redirect=googletagservices-gpt,domain=sammobile.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/116171
+@@||retronetwork.net/images/*_banner.gif
+! linkvertise.download - incorrect blocking
+linkvertise.download#@##headerTopAd
+! https://github.com/AdguardTeam/AdguardFilters/issues/115396
+@@||c.amazon-adsystem.com/aax2/apstag.js$domain=time.com
+||c.amazon-adsystem.com/aax2/apstag.js$script,redirect=amazon-apstag,domain=time.com,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/115293
+@@||assets.gocomics.com/assets/ad-dependencies-*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/114963
+$popup,third-party,domain=streamlare.com,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/114848
+||suzihaza.com^$badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/114365
+! https://github.com/AdguardTeam/AdguardFilters/issues/114668
+! https://github.com/AdguardTeam/AdguardFilters/issues/113461
+! dropgalaxy.com - incorrect blocking
+||a2zapk.com^$script,subdocument,third-party,xmlhttprequest,badfilter
+||a2zapk.com^$script,third-party,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/113826
+listcrawler.eu#@#.listad
+! https://github.com/AdguardTeam/AdguardFilters/issues/114197
+@@||uploads-ssl.webflow.com/*/css/adcentral.webflow.*.css$domain=joinadcentral.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/114188
+@@||google.com/recaptcha/$domain=vidoza.net
+@@||unpkg.com/vue-recaptcha@*/dist/vue-recaptcha.js$domain=vidoza.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/113969
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=games.word.tips
+! pornsocket.com - broken videos
+@@||en.bongacash.com/js/videojs/video.js$domain=pornsocket.com
+@@||en.bongacash.com/js/videojs/videojs_*.vast.vpaid.min.js$domain=pornsocket.com
+! moneycontrol.com - incorrect blocking
+! Fixes blocked graph - https://www.moneycontrol.com/news/business/markets/share-market-live-updates-stock-market-today-march-17-latest-news-bse-nse-sensex-nifty-covid-coronavirus-beml-gufic-biosciences-satin-creditcare-network-yasho-industries-indiabulls-housing-finance-8241801.html
+moneycontrol.com#@#iframe[width="100%"][height="120"]
+/^https?:\/\/.*\.(jpg|gif|png|php|svg|ico|js|txt|css)/$popup,domain=mixdrop.*|mixdrop.ag|mixdrop.nu,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/112207
+@@||stc.cdncache.xyz/*/*.css$domain=streamz.ws
+@@||stc.cdncache.xyz/*/*.js$domain=streamz.ws
+@@||stc.cdncache.xyz/css/fonts/$domain=streamz.ws
+/^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=streamz.ws,badfilter
+! video broken by __htas regex
+@@||cloudflare.com/ajax/libs/dash-shaka-playback/$script,domain=vpornvideos.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/111705
+technoashwath.com#@##ad-top
+technoashwath.com#@#.largeAd
+! https://github.com/AdguardTeam/AdguardFilters/issues/111489
+womenoftrek.com#@#iframe[width="468"][height="60"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/111021
+||fwcdn2.com^$third-party,badfilter
+||fireworkapi.com^$third-party,badfilter
+||fireworktv.com^$third-party,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/111002
+! https://github.com/AdguardTeam/AdguardFilters/issues/110980
+animenewsnetwork.com#@#.gutter
+! https://github.com/AdguardTeam/AdguardFilters/issues/110954
+zwiftinsider.com#@#.td-a-rec
+zwiftinsider.com#@#.td-a-rec-id-custom_ad_2
+! https://github.com/AdguardTeam/AdguardFilters/issues/110759
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,important,domain=password69.com
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=password69.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/110659
+#@#.wps-player-wrap
+@@||cd.connatix.com/connatix.playspace.js$domain=loot.tv
+@@||cd.connatix.com/connatix.player.js$domain=loot.tv
+@@||cds.connatix.com/*/connatix.playspace.dc.js$domain=loot.tv
+@@||cds.connatix.com/*/connatix.player.dc.js$domain=loot.tv
+@@||cds.connatix.com/*/player.css$domain=loot.tv
+@@||capi.connatix.com/core/pls?v=$domain=loot.tv
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=loot.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/110723
+learn.javascript.ru#@#img[width="240"][height="400"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/110579
+! https://github.com/AdguardTeam/AdguardFilters/issues/95087
+@@$csp=worker-src 'none',domain=uptostream.com
+@@||uptostream.com^$csp=worker-src 'none'
+! https://github.com/AdguardTeam/AdguardFilters/issues/110206
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=noopjs,domain=familyminded.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/107121
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=cubuffs.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/107182
+@@||cdn.lsicloud.net/kendall/Images/AD/$domain=shop.kendallelectric.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/109802
+cadlinecommunity.co.uk#@#.sidebar_advert
+! https://github.com/AdguardTeam/AdguardFilters/issues/109759
+@@||googleads.github.io/videojs-ima/node_modules/video.js/dist/video.min.js$domain=blu-ray.com
+@@||googleads.github.io/videojs-ima/node_modules/video.js/dist/video-js.min.css$domain=blu-ray.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/187802
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=ultimedia.com,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/109651
+@@||cdn.digiteka.com/player/PrebidLibrary.js$domain=ultimedia.com
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=ultimedia.com
+! fix allurekorea.com broken slider
+allurekorea.com#@#.wppaszone
+allurekorea.com#@#.paszone_container
+! https://github.com/AdguardTeam/AdguardFilters/issues/109026
+marketplace.zoom.us#@#.oas-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/109127
+! https://github.com/AdguardTeam/AdguardFilters/issues/108803
+@@||delivery.vidible.tv/jsonp/$script,domain=delivery.vidible.tv
+! taboolanews.com - broken articles
+@@||cdn.taboola.com/magazine/$domain=taboolanews.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/108211
+@@||gurgle.zdbb.net/amp-targeting?__amp_source_origin=$domain=clevelandclinic.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/108210
+apkandroidhub.in#$#.g-recaptcha { margin-top:60px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/106631
+! https://github.com/AdguardTeam/AdguardFilters/issues/107402
+babymodz.com#$#.g-recaptcha { margin-top:60px !important; }
+! https://github.com/AdguardTeam/AdguardFilters/issues/104916
+||rule34hentai.net^$subdocument,~third-party,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/105264
+@@||truck1.eu/_BANNERS_/client/*
+! https://github.com/AdguardTeam/AdguardFilters/issues/107551
+@@||concertads-configs.vox-cdn.com/sbn/verge/config.json$domain=theverge.com
+@@||cdn.vox-cdn.com/packs/js/concert_ads-*.js$domain=theverge.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/107195
+speedtest.net#@#.pure-u-custom-ad-skyscraper
+! https://github.com/AdguardTeam/AdguardFilters/issues/106757
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=sammobile.com
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs,domain=sammobile.com,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/125387
+@@||sammyboy.com/members/*advertisement$xmlhttprequest
+@@||sammyboy.com/threads/*advertisement$xmlhttprequest
+! https://github.com/AdguardTeam/AdguardFilters/issues/105235
+newsthump.com#@#.header-ad
+newsthump.com#@#.custom-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/106340
+@@||nocturnetls.net/_static/*wp-content/plugins/quick-adsense-reloaded/assets/js/performance_tracking.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/106191
+nfl.com#@#.nfl-c-strip
+! https://github.com/AdguardTeam/AdguardFilters/issues/105301
+@@||cdn.lib.getjad.io/library/$domain=purepeople.com
+@@||cdn.lib.getjad.io/prebid/$domain=purepeople.com
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=purepeople.com
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=purepeople.com
+@@||securepubads.g.doubleclick.net/pagead/ppub_config?$domain=purepeople.com
+@@||securepubads.g.doubleclick.net/gampad/ads?$domain=purepeople.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/103247#issuecomment-1001250733
+! https://github.com/AdguardTeam/AdguardFilters/issues/97790
+@@||recaptcha.net/recaptcha/$csp
+! https://github.com/AdguardTeam/AdguardFilters/issues/105529
+@@||gumtree.com.au/p-post-ad*.html
+! https://github.com/AdguardTeam/AdguardFilters/issues/105185
+$popup,third-party,domain=mixdrop.*|mixdrop.ag|mixdrop.nu,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/103576
+@@||any-video-converter.com/promotion/*-christmas-sale/img/bottom-banner-ad.png
+! videovard.sx - incorrect blocking
+$popup,third-party,domain=videovard.sx,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/102760
+@@||freeporn8.com/nb/frot_lod.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/102955
+healthline.com#@#div.css-0 > div[class]:not([id])
+! https://github.com/AdguardTeam/AdguardFilters/issues/102634
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=zoomtventertainment.com
+! Fixing service worker on beaconx: https://github.com/AdguardTeam/CoreLibs/issues/1539
+! https://github.com/AdguardTeam/AdguardFilters/issues/101802
+ua-voyeur.org#@#.adsbar
+! https://github.com/AdguardTeam/AdguardFilters/issues/102126
+||i.ibb.co^$badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/100748
+careerindia.com#@#.os-header-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/100820
+! https://github.com/AdguardTeam/AdguardFilters/issues/100421
+@@||extreme-down.plus^$popup,domain=extreme-down.plus
+! https://github.com/AdguardTeam/AdguardFilters/issues/99943
+@@||pool-newskoolmedia.adhese.com/tag/config.js$domain=formule1.nl
+! https://github.com/AdguardTeam/AdguardFilters/issues/99545
+dailyringtone.com#@##top-ad-unit
+! https://github.com/AdguardTeam/AdguardFilters/issues/98558
+karaoke-lyrics.net#@##ad_leader
+! https://github.com/AdguardTeam/AdguardFilters/issues/98529
+uhdstreams.club#@#img[width="468"][height="60"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/98111
+! https://github.com/AdguardTeam/AdguardFilters/issues/101734
+@@||gogoplay1.com/streaming.php?id=
+@@||gogoplay1.com/encrypt-ajax.php?id=
+@@||gogoplay1.com/download?id=$popup
+! https://github.com/AdguardTeam/AdguardFilters/issues/98519
+/^https?:\/\/(.+?\.)?videogamesblogger\.com\/wp-content\/uploads\/.*[a-zA-Z0-9]{8,}\.*/$badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/97902
+@@||onlinetyping.org/detroitchicago/cmbdv2.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/98754
+! https://github.com/AdguardTeam/AdguardFilters/issues/97316
+linkjust.com#@#.banner-728x90
+! https://github.com/AdguardTeam/AdguardFilters/issues/98103
+@@||vidembed.cc/encrypt-ajax.php?id=
+! https://github.com/AdguardTeam/AdguardFilters/issues/97003
+hmetro.com.my,bharian.com.my,nst.com.my#@#.sticky-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/97961
+ironsaga-msoku.xyz#@#.ad.widget
+! https://github.com/AdguardTeam/AdguardFilters/issues/96482
+!+ NOT_PLATFORM(ios, ext_android_cb, ext_safari)
+@@||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.web.tr|xn--allestrungen-9ib.at|xn--allestrungen-9ib.ch|xn--allestrungen-9ib.de,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/93771#issuecomment-943167149
+google.ac,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#@#a[href^="/aclk?"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/181703
+! https://forum.adguard.com/index.php?threads/resolved-block-the-anti-adblocker-of-this-specific-site.40393/
+@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$domain=sonyliv.com
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=sonyliv.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/97066
+scarymommy.com#@#.sponsor_image
+! tvid.in - embedded player not showing
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=tvid.in
+! https://github.com/AdguardTeam/AdguardFilters/issues/95865
+@@||aff.bstatic.com^$image,domain=tonkosti.ru
+! https://github.com/AdguardTeam/AdguardFilters/issues/96813
+||dmxleo.dailymotion.com/cdn/manifest/video/$xmlhttprequest,redirect=noopvmap-1.0
+! https://github.com/AdguardTeam/AdguardFilters/issues/95464
+@@||betterads.org/hubfs/Mobile-Web-Ad-Experiences-Ranking-*.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/96113
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=digitaltrends.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/95270
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=workandmoney.com
+! Fixes amp websites
+||cdn.ampproject.org^$popup,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/96883
+@@||at.adtech.redventures.io/lib/dist/prod/bidbarrel-techrepublic-ta.min.js$domain=techrepublic.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/94932
+@@||tubeoffline.com/js/hot.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/94243
+||freeadultcomix.com^$badfilter
+! fix video https://www.pussyspace.com/live/anna_lus/
+@@||chaturbate.com/in/$subdocument,domain=cbhours.com|pussyspace.com|pussyspace.net|lemoncams.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/93829
+@@||c.amazon-adsystem.com/aax2/apstag.js$domain=tasteofhome.com
+! fix reward https://www.nehannn.com/artist-detail/697.html
+! https://github.com/tofukko/filter/issues/46
+@@||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
+||googlevideo.com/videoplayback?$media,redirect=noopmp4-1s,domain=safeframe.googlesyndication.com
+safeframe.googlesyndication.com##.left-container
+! https://github.com/AdguardTeam/HttpsExclusions/issues/421
+! https://github.com/AdguardTeam/AdguardFilters/issues/93490
+@@||arstechnica.com^$generichide,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/93650
+@@||googletagservices.com/tag/js/gpt.js$domain=falkirkherald.co.uk
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=falkirkherald.co.uk
+@@||googletagmanager.com/gtm.js$domain=falkirkherald.co.uk
+! https://github.com/AdguardTeam/AdguardFilters/issues/94090
+! https://github.com/AdguardTeam/AdguardFilters/issues/93128
+@@||cd.connatix.com/connatix.playspace.js$domain=inc.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/92528
+@@||d13nu0oomnx5ti.cloudfront.net^$domain=rethmic.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/93419
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=phonostar.de
+! https://github.com/AdguardTeam/AdguardFilters/issues/93616
+$popup,third-party,domain=myflixer.to,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/93138
+mediafire.com#@##adwrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/93515
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=olympics.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/92873
+@@||jmap.io/*/libs/Overture.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/93072
+@@||dailymotion.com/embed^
+! https://github.com/AdguardTeam/AdguardFilters/issues/91838
+@@||googletagservices.com/tag/js/gpt.js$domain=topuniversities.com
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=topuniversities.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/92383
+@@||dailymotion.com/embed/video/$subdocument,domain=xataka.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/92335
+! https://github.com/AdguardTeam/AdguardFilters/issues/92113
+jetztspielen.ws#@#iframe[width="728"][height="90"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/91646
+@@||player.avplayer.com/script/*/avcplayer.js$domain=bdnewszh.com
+@@||player.avplayer.com/script/*/libs/hls.min.js$domain=bdnewszh.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/65512
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=mirror.co.uk
+! https://github.com/AdguardTeam/AdguardFilters/issues/70664
+! https://github.com/AdguardTeam/AdguardFilters/issues/66667
+@@||cdn.cnn.com/ads/adfuel/ais/*/cnngo-ais.min.js$domain=go.cnn.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/80563
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js^$domain=24ur.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/75191
+uprotector.xyz#@##DividerAd
+! https://github.com/AdguardTeam/AdguardFilters/issues/81533
+@@||imasdk.googleapis.com/js/sdkloader/ima3$domain=rotana.net
+@@||pubads.g.doubleclick.net/ssai/event/*/streams$xmlhttprequest,domain=rotana.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/79900
+||googletagservices.com/tag/js/gpt.js$script,redirect=googletagservices-gpt,domain=downdetector.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/86011
+tvbox.one#@#.homeadv
+! 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/AdguardTeam/AdguardFilters/issues/88674
+@@||widgets.outbrain.com/outbrain.js$domain=elcorreo.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/89055
+alle-lkw.de#@##gwd-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/88812
+@@||zeekmagazine.com/wp-content/plugins/wp-ad-guru/assets/js/adguru.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/88563
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=gostanford.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/88488
+! https://github.com/AdguardTeam/AdguardFilters/issues/90880
+m.moyareklama.ru#@#.single_ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/90633
+@@||imbc.com/operate/common/ad/covid
+! https://github.com/AdguardTeam/AdguardFilters/issues/89389
+@@||images.gmanetwork.com/res/dist/js/adsTracking.gz.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/89368
+@@||slike.indiatimes.com/feed/stream/*.json$domain=timesofindia.indiatimes.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/89313
+@@||getbootstrap.com/docs/*/assets/js/vendor/popper.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/89209
+@@||googletagservices.com/tag/js/gpt.js$domain=downdetector.in
+@@||securepubads.g.doubleclick.net/pagead/ppub_config$domain=downdetector.in
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=downdetector.in
+! https://github.com/AdguardTeam/AdguardFilters/issues/91277
+@@||yastatic.net/pcode/adfox/loader.js$domain=minsknews.by
+@@||an.yandex.ru/system/adfox.js$domain=minsknews.by
+! https://github.com/AdguardTeam/AdguardFilters/issues/92155
+@@||api.bbc.com/bbcdotcom/assets/*/script/av/emp/adverts.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/90874
+||down-paradise.com^$popup,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/90525
+@@||srv.clickfuse.com/showads/showad.js$domain=aha-music.com
+@@||srv.clickfuse.com/showads/adunit.php$domain=aha-music.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/90165
+! https://github.com/AdguardTeam/AdguardFilters/issues/90102
+$popup,third-party,domain=geoip.redirect-ads.com,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/89596
+! https://github.com/AdguardTeam/AdguardFilters/issues/89897
+/^https?:\/\/.*\.(jpg|png|php|html|svg|ico|js)/$popup,domain=streamani.net,badfilter
+@@||streamani.net/encrypt-ajax.php^
+! https://github.com/AdguardTeam/AdguardFilters/issues/89505
+byrdie.com#@#.mntl-leaderboard-spacer
+! https://github.com/AdguardTeam/AdguardFilters/issues/89390
+jamaicaobserver.com#@##bottom_leaderboard
+! https://github.com/AdguardTeam/AdguardFilters/issues/89649
+@@||hb.improvedigital.com/pbw/gameDistributionV*.min.js$domain=html5.gamedistribution.com
+@@||hb.improvedigital.com/pbw/prebid/prebid-idhb-v*.min.js$domain=html5.gamedistribution.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/89537
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=7plus.com.au
+! https://github.com/AdguardTeam/AdguardFilters/issues/89401
+! youronlinechoices.com - unable to opt-out
+@@||ad4m.at/opt-out.js$domain=ad4mat.net
+@@||ad.amgdgt.com/ads/js/*$domain=ad.amgdgt.com
+youronlinechoices.com#@#a[href*=".adform.net/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/89059
+mangakik.com#@#[id^="div-gpt-ad"]
+! cbc.ca - fixing video player
+@@||pubads.g.doubleclick.net/ssai/event/*/streams$domain=cbc.ca
+! https://github.com/AdguardTeam/AdguardFilters/issues/88726
+3dmodelshare.org#@#.homeadv
+! https://github.com/AdguardTeam/AdguardFilters/issues/88612
+faskil.com#@#iframe[width="100%"][height="120"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/88121
+@@||youporn.com/embed/$subdocument
+! https://github.com/AdguardTeam/AdguardFilters/issues/88066
+@@||googletagservices.com/tag/js/gpt.js$domain=ndtv.in
+||googletagservices.com/tag/js/gpt.js$script,redirect=googletagservices-gpt,important,domain=ndtv.in
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=ndtv.in
+! https://github.com/AdguardTeam/AdguardFilters/issues/88264
+fontawesome.com#@#.fa-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/87051
+@@||gavnogeeygaika.com/*/tghr.js$domain=kingcomix.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/86992
+@@||v.fwmrm.net/ad/g/1?csid=vcbs_cbsnews_*_web_vod&*&host=https%3A%2F%2Fwww.cbsnews.com&$domain=imasdk.googleapis.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/87057
+! https://github.com/AdguardTeam/AdguardFilters/issues/87046
+@@||s.vi-serve.com/source.js$domain=9gag.com
+@@||vi-serve.com/vis-media/*$domain=9gag.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/86159
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=midomi.com
+||securepubads.g.doubleclick.net/tag/js/gpt.js$script,redirect=googletagservices-gpt,domain=midomi.com,important
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=midomi.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/85881
+hgh14x.com#@#.adlist
+! https://github.com/AdguardTeam/AdguardFilters/issues/86361
+@@||apis.google.com/js/plusone.js$domain=pornhub.com
+! investing.com - completing registration not working
+@@||marketools.plus500.com/Widgets/RegistrationWidget/*$domain=investing.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/85290
+@@||webminepool.com/lib/base.js$domain=autofaucet.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/85145
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=maharashtratimes.com
+securepubads.g.doubleclick.net/tag/js/gpt.js$script,redirect=googletagservices-gpt,important,domain=maharashtratimes.com
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=maharashtratimes.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/84968
+@@||z.moatads.com/*/moatheader.js$domain=standard.co.uk
+! unbreak links
+job-draft.com#@#.top-banners
+! https://github.com/AdguardTeam/AdguardFilters/issues/84366
+@@||thehansindia.com/xhr/
+! https://github.com/AdguardTeam/AdguardFilters/issues/83846
+@@||tab.gladly.io/newtab/|$document,subdocument,badfilter
+! gentside.com - broken player
+@@||pixel.adsafeprotected.com^$xmlhttprequest,domain=gentside.com|ohmymag.com
+@@||cdn.adsafeprotected.com/*.js$domain=gentside.com|ohmymag.com
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=gentside.com|ohmymag.com
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=gentside.com|ohmymag.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/83480
+||securepubads.g.doubleclick.net/tag/js/gpt.js$script,redirect=googletagservices-gpt,domain=nationthailand.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/83484
+! https://github.com/AdguardTeam/AdguardFilters/issues/83354
+@@||cd.connatix.com/connatix.playspace.js$domain=theverge.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/83449
+@@||googletagservices.com/tag/js/gpt.js$domain=infocar.ua
+||googletagservices.com/tag/js/gpt.js$script,redirect=googletagservices-gpt,important,domain=infocar.ua
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=infocar.ua
+! games on https://games.yahoo.co.jp/play/
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=play.neos-easygames.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/82903
+@@||googletagservices.com/tag/js/gpt.js$domain=gaming.uefa.com
+||googletagservices.com/tag/js/gpt.js$script,redirect=googletagservices-gpt,important,domain=gaming.uefa.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/81435
+realclearpolitics.com#@#.right-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/81273
+/^https?:\/\/.*\.(jpg|png|php|html|svg|ico|js)/$popup,domain=5movies.fm|animepahe.com|bhplay.me|cmovies.ac|dood.to|dood.video|dood.watch|french-stream.lol|hulkstreams.com|jackstream.net|jackstreams.com|meomeo.pw|mp4upload.com|olympicstreams.me|putlockers.fm|redirect-ads.com|speedvideo.net|streamsb.net|streamtape.cc|streamtape.net|strtape.cloud|strtape.tech|tapecontent.net|telerium.net|vidnext.net|vido.fun|voe.sx|vumoo.to|watchserieshd.tv,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/80842
+$popup,third-party,domain=cloudvideo.tv|highstream.tv|loader.to|playtube.ws|streamtape.com|strtape.cloud|supervideo.tv|upstream.to|vidcloud9.com|vidlox.me|vivo.sx|voe.sx|vupload.com,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/80768
+crxextractor.com#@#.adsense-wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/80765
+poebuilds.net#@#a[href^="https://www.mulefactory.com/"][target="_blank"]:not([role="button"])
+! https://github.com/AdguardTeam/AdguardFilters/issues/80691
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=texastech.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/79168
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=navbharattimes.indiatimes.com
+||securepubads.g.doubleclick.net/tag/js/gpt.js$script,redirect=googletagservices-gpt,domain=navbharattimes.indiatimes.com,important
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=navbharattimes.indiatimes.com
+||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=googlesyndication-adsbygoogle,domain=navbharattimes.indiatimes.com,important
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=navbharattimes.indiatimes.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/79627
+@@||a-invdn-com.akamaized.net/Broker_Button_New^$domain=investing.com
+! w3schools.com - broken editor
+@@||tryit.w3schools.com^$document
+! https://github.com/AdguardTeam/AdguardFilters/issues/78495
+ghacks.net#@#.category-sponsored
+! https://github.com/AdguardTeam/AdguardFilters/issues/78510
+@@||service.hotstar.com/vs/getad.php?*adspot=
+! https://getuikit.com/docs/introduction#html-markup - wrong injections to code sample
+! https://github.com/AdguardTeam/AdguardFilters/issues/78573
+avbil.net#@#.ad_img
+! https://github.com/AdguardTeam/AdguardFilters/issues/77234
+facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion#@#a[href^="/ads/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/76248
+! https://github.com/AdguardTeam/AdguardFilters/issues/65400
+! For some reason this rule - bing.com##a[href*="/aclick?ld="] breaks image preview
+! to reproduce search something on bing.com/images/ (for example "shoes") then click on any image
+bing.com#@#a[href*="/aclick?ld="]
+bing.com##.ins_exp.vsp
+! https://github.com/AdguardTeam/AdguardFilters/issues/77758
+! https://github.com/AdguardTeam/AdguardFilters/issues/76646
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=video.gazzetta.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/177229
+! https://github.com/AdguardTeam/AdguardFilters/issues/77064
+standard.co.uk#%#//scriptlet('amazon-apstag')
+||securepubads.g.doubleclick.net/tag/js/gpt.js$script,redirect=googletagservices-gpt,domain=standard.co.uk
+! https://github.com/AdguardTeam/AdguardFilters/issues/75981
+! https://github.com/AdguardTeam/AdguardFilters/issues/75968
+linkebr.com#@#.banner-728x90
+! https://github.com/AdguardTeam/AdguardFilters/issues/75867
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=baltimoresun.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/73492
+@@||driverseddirect.com/html5/$document
+! https://github.com/AdguardTeam/AdguardFilters/issues/75537
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=video.ufreegames.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/74890
+onliner.by#@#[id*="ScriptRoot"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/74912
+@@/cdn-cgi/challenge-platform/*/orchestrate/jsch/v$domain=kat.*
+! https://github.com/AdguardTeam/AdguardFilters/issues/74806
+@@||static-redesign.cnbcfm.com/dist/components-PcmModule-Taboola-*.js$domain=cnbc.com
+@@||static-redesign.cnbcfm.com/dist/components-PcmModule-Ads-BoxInline-*.js$domain=cnbc.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/74809
+semprotyuk.com,semprot.com#@#.adVertical
+! https://github.com/AdguardTeam/AdguardFilters/issues/74731
+! https://github.com/AdguardTeam/AdguardFilters/issues/74505
+@@||ib.adnxs.com/getuidj|$domain=independent.co.uk
+! https://github.com/AdguardTeam/AdguardFilters/issues/74595
+! https://github.com/AdguardTeam/AdguardFilters/issues/74425
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=startrek.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/74413
+greenlemon.me#@#[id^="ads_"]
+greenlemon.me#@##ads_content
+! https://github.com/AdguardTeam/AdguardFilters/issues/74275
+/^https?:\/\/.*\.(jpg|png|php|html|svg|ico)/$popup,domain=speedvideo.net,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/74066
+profitlink.info#@#.banner-468x60
+! https://github.com/AdguardTeam/AdguardFilters/issues/72666
+||redirect-ads.com^$popup,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/72318
+@@||shipstation.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/71864
+! Sync is not working in the app
+! https://github.com/AdguardTeam/AdguardFilters/issues/37721
+@@||i.cdn.turner.com/ads/adfuel/ais/tcm-ais.js$domain=tcm.com
+@@||i.cdn.turner.com/ads/adfuel/ais/*/tbs-ais.min.js$domain=tbs.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/72416
+||popin.cc/popin_discovery$badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/71899
+thomascook.com#@#img[width="240"][height="400"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/70511
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=gq-magazine.co.uk
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=gq-magazine.co.uk
+@@||securepubads.g.doubleclick.net/gampad/ads?gdfp_req=1$domain=gq-magazine.co.uk
+! https://github.com/AdguardTeam/AdguardFilters/issues/70898
+@@||watchserieshd.tv/ajax-search.html?keyword=
+! https://github.com/AdguardTeam/AdguardFilters/issues/70876
+@@||github.com/AdguardTeam/*/antiadblock.txt
+! https://github.com/AdguardTeam/AdguardFilters/issues/71406
+@@||cdn.plytv.me/scripts/jquery.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/71183
+streamsport.icu#@##Ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/70909
+||googletagservices.com/tag/js/gpt.js$script,redirect=googletagservices-gpt,domain=enikos.gr
+! https://github.com/AdguardTeam/AdguardFilters/issues/70751
+@@||doncorgi.com/ezoic/anchorfix.js
+@@||ezoic.net/tardisrocinante/lazy_load.js$domain=doncorgi.com
+@@||ezoic.net/tardisrocinante/screx.js$domain=doncorgi.com
+@@||ezoic.net/tardisrocinante/script_delay.js$domain=doncorgi.com
+@@||ezoic.net/ezosuigenerisc.js$domain=doncorgi.com
+@@||ezoic.net/ezosuigeneris.js$domain=doncorgi.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/70253
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=timesnownews.com
+@@||pubads.g.doubleclick.net/ssai/event/$xmlhttprequest,domain=timesnownews.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/70627
+@@||ads.adthrive.com/core/*/js/adthrive.min.js$domain=mediaite.com
+@@||ads.adthrive.com/core/gdpr/vendor/prebid/prebid.min.js$domain=mediaite.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/70581
+! Fixes not working image gallery
+@@||cbsistatic.com/*/js/compiled/siteAdsBidBarrel.js$domain=gamespot.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/70192
+@@||ajax.cloudflare.com/cdn-cgi/scripts/*/cloudflare-static/rocket-loader.min.js$domain=cloudvideo.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/70016
+@@||ajax.cloudflare.com/cdn-cgi/scripts/*/cloudflare-static/mirage*.js$domain=rule34.xxx
+! https://github.com/AdguardTeam/AdguardFilters/issues/69120
+@@||api.adinplay.com/libs/aiptag/assets/loader-red.gif$domain=castlesiege.io
+@@||api.adinplay.com/libs/aiptag/pub/NRB/castlesiege.io/tag.min.js$domain=castlesiege.io
+@@||safeframe.googlesyndication.com/safeframe/*/html/container.html$domain=castlesiege.io
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=castlesiege.io
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=castlesiege.io
+@@||securepubads.g.doubleclick.net/gampad/ads$domain=castlesiege.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/69821
+ltsoft.xyz#@#[href^="http://raboninco.com/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/69778
+@@||imasdk.googleapis.com/js/sdkloader/outstream.js$domain=wanted5games.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/69911
+zagl.info#@#.banner-468x60
+! https://github.com/AdguardTeam/AdguardFilters/issues/69682
+||googletagservices.com/tag/js/gpt.js$script,redirect=googletagservices-gpt,domain=downdetector.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/69601
+@@||googletagservices.com/tag/js/gpt.js$domain=xn--allestrungen-9ib.de
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=xn--allestrungen-9ib.de
+! https://forum.adguard.com/index.php?threads/adguard-blocking-images-on-animepahe.40916
+$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=animepahe.com,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/69466
+@@||acdn.adnxs.com/video/mediation/VastMediationManager.js$domain=thechive.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/69454
+! https://github.com/AdguardTeam/AdguardFilters/issues/69412
+linkedin.com#@#.ad-banner-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/69116
+@@||api.adinplay.com/libs/aiptag/assets/loader-red.gif$domain=tetrads.io
+@@||api.adinplay.com/libs/aiptag/pub/WRK/tetrads.io/tag.min.js$domain=tetrads.io
+@@||safeframe.googlesyndication.com/safeframe/*/html/container.html$domain=tetrads.io
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=tetrads.io
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=tetrads.io
+@@||securepubads.g.doubleclick.net/gampad/ads$xmlhttprequest,domain=tetrads.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/68930
+! https://github.com/AdguardTeam/AdguardFilters/issues/69075
+@@||adverts.ie/css/
+! https://github.com/AdguardTeam/AdguardFilters/issues/69034
+@@||cdn.plyr.io/*/plyr.svg$domain=zippyshare.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/68884
+thatnovelcorner.com#@#[href^="http://raboninco.com/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/68634
+boatsandoutboards.co.uk#@#.ads-list
+! https://github.com/AdguardTeam/AdguardFilters/issues/68499
+@@||ads.roblox.com/v*/sponsored-pages$xmlhttprequest
+! fix broken roomer.ru
+roomer.ru#@#.section-ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/67907
+! https://github.com/AdguardTeam/AdguardFilters/issues/67920
+! https://github.com/AdguardTeam/AdguardFilters/issues/67771
+inky.dk,inky.fi,inky.no,inky.se#@#iframe[width="200"][height="240"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/67839
+@@||c.amazon-adsystem.com/aax2/apstag.js$domain=wgntv.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/67578
+@@||cdn.bluebillywig.com/apps/player/*/components/admanager.js$domain=eurogamer.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/67447
+theshaderoom.com#@#.section-ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/67279
+@@||logo.clearbit.com^$image,domain=securitytrails.com
+@@||securitytrails.com/domain/$domain=securitytrails.com
+@@||securitytrails.com/app/api/$domain=securitytrails.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/67299
+@@||omggamer.com/porpoiseant/banger.js
+@@||omggamer.com/detroitchicago/dayton.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/67264
+! https://github.com/AdguardTeam/AdguardFilters/issues/67120
+! https://github.com/AdguardTeam/AdguardFilters/issues/67109
+@@||googletagservices.com/tag/js/gpt.js$domain=ikitesurf.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/66868
+iptv4best.com#@#.adace-slot
+iptv4best.com#@#.adace-slot-wrapper
+iptv4best.com#@#div[class^="adace_ad_"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/66942
+||googletagservices.com/tag/js/gpt.js$script,redirect=googletagservices-gpt,domain=mixdownmag.com.au
+! https://github.com/AdguardTeam/AdguardFilters/issues/66703
+mashable.com#@##pathing-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/66630
+@@||bikerumor.com/porpoiseant/banger.js
+@@||bikerumor.com/detroitchicago/dayton.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/66589
+gazetadopovo.com.br#@#.ad-content
+! https://github.com/AdguardTeam/AdguardFilters/issues/66466
+@@||linuxize.com/porpoiseant/banger.js
+@@||linuxize.com/detroitchicago/dayton.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/66424
+@@||freebcc.org/assets/img/ad_468x60_*.png
+! https://github.com/AdguardTeam/AdguardFilters/issues/66335#issuecomment-716663077
+@@||cntr.lookmovie.ag/get.php$xmlhttprequest,domain=lookmovie.ag
+! https://github.com/AdguardTeam/AdguardFilters/issues/66235
+@@||kaufdex.com/detroitchicago/dayton.js
+@@||kaufdex.com/porpoiseant/banger.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/65943
+@@||cdn.playwire.com/bolt/js/zeus/embed.js$domain=abcya.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/65867
+@@||apple.com/v/watch/home/ad^
+! https://github.com/AdguardTeam/AdguardFilters/issues/65510
+! https://github.com/AdguardTeam/AdguardFilters/issues/65406
+lmgtfy.app#@##top_ads
+lmgtfy.app#@##bottom_ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/65362
+@@||c.amazon-adsystem.com/aax2/apstag.js$domain=fox21news.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/64654
+@@||hvg.hu/Content/redesign/js-notbundled/showads.js
+! neads.io is broken
+@@||neads.io^$domain=neads.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/65301
+! https://github.com/AdguardTeam/AdguardFilters/issues/65066
+@@||googletagservices.com/tag/js/gpt.js$domain=etf.com
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=etf.com
+||googletagservices.com/tag/js/gpt.js$script,redirect=googletagservices-gpt,important,domain=etf.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/65045
+! https://github.com/AdguardTeam/AdguardFilters/issues/65035
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=games.gamesplaza.com
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=games.gamesplaza.com
+! meilleurpronostic.fr - broken player
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=meilleurpronostic.fr
+! https://github.com/AdguardTeam/AdguardFilters/issues/64780
+! https://github.com/AdguardTeam/AdguardFilters/issues/64614
+@@||siva-my.jsstatic.com/_ads/_static/$domain=jobstreet.com.my
+! https://github.com/AdguardTeam/CoreLibs/issues/1354
+! https://github.com/AdguardTeam/AdguardFilters/issues/65132
+! https://github.com/AdguardTeam/AdguardFilters/issues/64518
+@@||cdn.bannersnack.com/iframe/embed.js$domain=audiogon.com
+@@||cdn.bannersnack.com/banners/$~third-party,image,subdocument
+@@||cdn.bannersnack.com/banners/$image,subdocument,domain=audiogon.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/64535
+! https://github.com/AdguardTeam/AdguardFilters/issues/64503
+btweb.trontv.com,utweb.trontv.com#@#.ad-card-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/63767
+afl.com.au#@#a[href^="http://pubads.g.doubleclick.net/"]
+! https://github.com/uBlockOrigin/uAssets/issues/7934
+@@||ssl.p.jwpcdn.com^$domain=bdsmstreak.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/63744
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=express.co.uk
+! https://github.com/AdguardTeam/AdguardFilters/issues/63191
+usaudiomart.com#@#.ad-title
+! https://github.com/AdguardTeam/AdguardFilters/issues/63033
+@@||cdn.fluidplayer.com/*/current/fluidplayer.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/62420
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=getnada.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/62517
+@@||ads.colombiaonline.com/ad/$domain=colombiaonline.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/62518
+! https://github.com/AdguardTeam/AdguardFilters/issues/62383
+! https://github.com/AdguardTeam/AdguardFilters/issues/61862
+@@||time.adp.com^$document
+! Plex media server - excluding assistant in full screen
+! https://github.com/AdguardTeam/AdguardFilters/issues/62181
+canuckaudiomart.com#@#.ad-title
+! https://github.com/AdguardTeam/AdguardFilters/issues/62128
+!#safari_cb_affinity(general,privacy)
+@@||b.scorecardresearch.com/beacon.js$domain=oklivetv.com
+@@||oklivetv.com/*=*&$script,other,xmlhttprequest
+!#safari_cb_affinity
+! https://github.com/AdguardTeam/AdguardFilters/issues/62027
+@@||fileone.tv/file/$domain=fileone.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/61735
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=funimation.com
+@@||pubads.g.doubleclick.net/gampad/ads?*1&output=xml_vmap1&*&url=https%3A%2F%2Fwww.funimation.com%2F*&ad_rule=$domain=imasdk.googleapis.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/61942
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=wunderground.com
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=wunderground.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/57217
+@@||local.adguard.org^
+! https://github.com/AdguardTeam/AdguardFilters/issues/61246
+@@||web-ads.pulse.weatherbug.net/api/ads/targeting/v*/parameters?$domain=weatherbug.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/61282
+@@||translate.googleapis.com/element/
+@@||translate.googleapis.com/translate_static/
+@@||translate-pa.googleapis.com/v1/translateHtml
+! https://github.com/AdguardTeam/AdguardFilters/issues/61107
+@@||weby.aaas.org/weby_bundle_v*.js$domain=sciencemag.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/60745
+! https://github.com/AdguardTeam/AdguardFilters/issues/61065
+! https://github.com/AdguardTeam/AdguardFilters/issues/60604
+@@||storage.googleapis.com/loadermain.appspot.com/main.js$domain=watchfreenet.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/60511
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=nuke.zone
+! https://github.com/AdguardTeam/AdguardFilters/issues/61074
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=stack.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/59975
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=html5.gamedistribution.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/60124
+! https://github.com/AdguardTeam/AdguardFilters/issues/60131
+@@||dood.watch^$subdocument
+@@||doodstream.com^$font,image,script,stylesheet,xmlhttprequest,other,domain=dood.to|dood.watch
+! https://github.com/AdguardTeam/AdguardFilters/issues/59819
+! https://github.com/AdguardTeam/AdguardFilters/issues/60103
+@@||vo.msecnd.net^$domain=gsmarena.com
+@@||embed.binkies3d.com/content/$domain=gsmarena.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/60021
+@@||bombhopper.io/prebid.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/59994
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=bighero.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/59992
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=bullet.town
+||googletagservices.com/tag/js/gpt.js$script,redirect=googletagservices-gpt,domain=bullet.town
+! https://github.com/AdguardTeam/AdguardFilters/issues/60012
+||googletagservices.com/tag/js/gpt.js$script,redirect=googletagservices-gpt,domain=chelseafc.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/59898
+@@||bitent.com/lock_html5/adscontrol.js$domain=bitent.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/59879
+@@||rule34hentai.net/cdn-cgi/challenge-platform/orchestrate/$domain=rule34hentai.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/59831
+@@||api.adinplay.com/display/pub/*/display.min.js$domain=blastz.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/58759
+msn.com#@#a[href^="https://afflnk.microsoft.com/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/59744
+genlink.cc#@#.ads-link
+! https://github.com/AdguardTeam/AdguardFilters/issues/59785
+@@||cdnjs.cloudflare.com/ajax/libs/jquery/*/jquery.min.js$domain=ouo.press|ouo.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/59634
+@@||pngitem.com/adopen/adstyle.css
+! https://github.com/AdguardTeam/AdguardFilters/issues/59580
+@@||api.adinplay.com/display/pub/*/display.min.js$domain=tombr.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/59522
+! https://github.com/AdguardTeam/AdguardFilters/issues/59540
+@@||yourbittorrent2.com^$csp=script-src 'self' 'unsafe-inline'
+! https://github.com/AdguardTeam/AdguardFilters/issues/59462
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=softonic.com
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=softonic.com
+@@||securepubads.g.doubleclick.net/gampad/ads$domain=softonic.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/58372
+! https://github.com/AdguardTeam/AdguardFilters/issues/59266
+@@||jkanime.net/*.php?$popup,domain=jkanime.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/59273
+! https://github.com/AdguardTeam/AdguardFilters/issues/59023
+@@||i.postimg.cc/*/banner*.png$domain=scandal-heaven.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/59131
+@@||rumble.com/embed/*$domain=koreus.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/59098
+@@||googletagmanager.com/gtm.js$domain=redbull.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/59928
+@@||api.adinplay.com/player/*/player.min.js$domain=mineparkour.club|gunzer.io|pockey.io|bist.io|piaf.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/58578
+mirrorace.com#@#.uk-margin-bottom
+! https://github.com/AdguardTeam/AdguardFilters/issues/58808
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=vogue.ru
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=vogue.ru
+@@||securepubads.g.doubleclick.net/gampad/ads?gdfp_req=1$domain=vogue.ru
+! https://github.com/AdguardTeam/AdguardFilters/issues/58360
+@@||clipartkey.com/adopen/adstyle.css
+! https://github.com/AdguardTeam/AdguardFilters/issues/58272
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=wetv.vip
+! https://github.com/AdguardTeam/AdguardFilters/issues/58358
+adz7short.space#@#.wrapper-ad
+adz7short.space#@#.ad-inner
+adz7short.space#@#[id*="ScriptRoot"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/58445
+nonfungerbils.com#@#iframe[width="600"][height="90"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/56453
+@@||cdn.diggysadventure.com/*/video_ads.erik?ver=$domain=diggysadventure.com
+@@||adsrveys.com/ads-api-v3|$domain=diggysadventure.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/58001
+@@||cdn.plyr.io/*/plyr.svg$domain=mp4upload.com
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/71768
+! https://github.com/AdguardTeam/AdguardFilters/issues/59417
+! https://github.com/AdguardTeam/AdguardFilters/issues/59346
+! https://github.com/AdguardTeam/AdguardFilters/issues/59345
+! https://github.com/AdguardTeam/AdguardFilters/issues/57793
+! https://github.com/AdguardTeam/AdguardFilters/issues/57791
+! https://github.com/AdguardTeam/AdguardFilters/issues/57787
+! https://github.com/AdguardTeam/AdguardFilters/issues/60011
+@@||api.adinplay.com/libs/aiptag/*/tag.min.js$domain=v6p9d9t4.ssl.hwcdn.net|golfroyale.io|bullet.town|zoneroyale.com|memegames.space|erigato.space|creatur.io|wormate.io|deadwalk.io|swaarm.io|octagor.com|lordz2.io|brutalmania.io|warscrap.io|findcat.io|evowars.io|shellshock.io|dinoman.io|bombhopper.io|clashblade.com|littlebigsnake.com|evoworld.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/57085
+! https://github.com/AdguardTeam/AdguardFilters/issues/57036
+@@||vidoza.net/embed-*.html$subdocument
+! https://github.com/AdguardTeam/AdguardFilters/issues/56205
+@@||redactor.creatium.io^$document
+! https://github.com/AdguardTeam/AdguardFilters/issues/57030
+adsy.pw#@#.banner-728x90
+! https://github.com/AdguardTeam/AdguardFilters/issues/56922
+@@||short.croclix.me/*js/viewad.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/56921
+@@||short.goldenfaucet.io/*js/viewad.js
+@@||short.goldenfaucet.io/*templates/css/viewad.css
+! https://github.com/AdguardTeam/AdguardFilters/issues/56916
+@@||short.cliquebook.net/*js/viewad.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/56884
+@@||cdn.adswizz.com/adswizz/js/SynchroClient*.js$domain=lounge.fm
+! https://github.com/AdguardTeam/AdguardFilters/issues/56868
+dust-sounds.com#@#iframe[width="100%"][height="120"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/56800
+@@||thumbor.thedailymeal.com^
+! https://github.com/AdguardTeam/AdguardFilters/issues/56828
+@@||cdn.stat-rock.com/player/*player.js$domain=4shared.com
+! usgamer.net - fixing video player
+@@||usgamer.net/static/scripts/AdsLoad.js
+@@||usgamer.net/static/scripts/SidebarAds.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/56746
+||imgshare.info^$badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/56629
+|https://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=upstream.to,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/56398
+@@||game-cdn.poki.com/*/img/ads/Spinner.png
+! dood.watch - incorrect blocking
+@@||dood.watch/pass_md5/
+! https://github.com/AdguardTeam/AdguardFilters/issues/56201
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=dailystar.co.uk
+! https://github.com/AdguardTeam/AdguardFilters/issues/56049
+@@||hlmod.ru/resources/$domain=hlmod.ru
+@@||hlmod.ru^$xmlhttprequest,~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/56141
+call2friends.com#@#.adWrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/55904
+metacritic.com#@#.esite_list
+! https://github.com/AdguardTeam/AdguardFilters/issues/56019
+@@||content*.uplynk.com/channel/*.m3u8?$domain=abc.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/55620
+@@||edge.microsoft.com/translate/auth
+@@||api.cognitive.microsofttranslator.com/translate?
+! https://github.com/AdguardTeam/AdguardFilters/issues/55329
+@@://www.liquidweb.com/kb/wp-content/themes/lw-kb-theme/images/ads/vps-sidebar.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/35789
+@@||cloudvideo.tv/embed-$domain=139.99.120.222
+! https://github.com/AdguardTeam/AdguardFilters/issues/54885
+@@||mcloud.to/key
+! https://github.com/AdguardTeam/AdguardFilters/issues/52184
+! https://github.com/AdguardTeam/AdguardFilters/issues/55414
+@@||prebid.adnxs.com/pbc/v*/cache$domain=go.cnn.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/55245
+@@||verticalscope-com.videoplayerhub.com/galleryplayer.js$domain=overclock.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/55338
+@@||oasjs.kataweb.it/adsetup_pcmp.js$domain=kataweb.it
+! broken self-promo fix
+@@||auchan.ru/pokupki/media/banners/*.jpg$~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/55310
+@@||pubads.g.doubleclick.net/ssai/event/*/streams$domain=10play.com.au
+! ghacks.net - fixing sponsored posts
+ghacks.net#@#.tag-sponsored
+! https://github.com/AdguardTeam/AdguardFilters/issues/54952
+@@||vg247.com/wp-content/themes/vg247/scripts/AdsLoad.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/54894
+politico.com#@#.story-enhancement
+! https://github.com/AdguardTeam/AdguardFilters/issues/54790
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=independent.co.uk
+! https://github.com/AdguardTeam/AdguardFilters/issues/55516
+! https://github.com/AdguardTeam/AdguardFilters/issues/54910
+@@||hcaptcha.com/*/api.js
+@@||assets.hcaptcha.com/captcha/
+! https://github.com/AdguardTeam/AdguardFilters/issues/54619
+!+ NOT_OPTIMIZED
+@@||googletagmanager.com/gtm.js$domain=laprovence.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/54392
+dirtyship.com#@#.ads-box
+! https://github.com/AdguardTeam/AdguardFilters/issues/54507
+olx.ro,olx.kz,olx.pl,olx.pt,olx.ua,olx.uz,olx.in,olx.com#@#.adLink
+olx.ro,olx.kz,olx.pl,olx.pt,olx.ua,olx.uz,olx.in,olx.com#@##adContainer
+olx.ro,olx.kz,olx.pl,olx.pt,olx.ua,olx.uz,olx.in,olx.com#@#.adRow
+olx.ro,olx.kz,olx.pl,olx.pt,olx.ua,olx.uz,olx.in,olx.com#@#.adbox
+! https://github.com/AdguardTeam/AdguardFilters/issues/54453
+nxmac.com#@#div[id^="advads-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/54254
+nmac.to#@#div[id^="advads-"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/54239
+$csp=script-src 'self' 'unsafe-inline' 'unsafe-eval' data: blob: www.googletagmanager.com *.google.com *.gstatic.com www.google-analytics.com *.googleapis.com *.disqus.com *.disquscdn.com code.jquery.com *.cloudflare.com cdn.streamroot.io cdn.jsdelivr.net vjs.zencdn.net cache.hollywood.to static.hollywood.to,domain=stream1.me|streamz.cc,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/54093
+@@||adz7short.space/*js/viewad.js$domain=adz7short.space
+! https://github.com/AdguardTeam/AdguardFilters/issues/54069
+tokyomotion.net#@#.adspace
+! https://github.com/AdguardTeam/AdguardFilters/issues/54070
+@@||docs.expo.io/*/static/*/pages/versions/latest/sdk/*.js$domain=docs.expo.io
+! Amazon - broken slider
+@@||images-*.ssl-images-amazon.com/images/*/advertising^$domain=amazon.de|amazon.com|amazon.fr|amazon.it|amazon.es|amazon.co.jp|amazon.co.uk|amazon.ca
+! https://github.com/AdguardTeam/AdguardFilters/issues/53888
+newser.com#@##divRightRail > div:first-child
+! https://github.com/AdguardTeam/AdguardFilters/issues/53694
+@@||p.jwpcdn.com/*/jwpsrv.js$domain=milfzr.com
+@@||p.jwpcdn.com/*/jwplayer.j$domain=milfzr.com
+@@||p.jwpcdn.com/*/jwplayer.html5.js$domain=milfzr.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/52794#issuecomment-612010234
+! https://github.com/AdguardTeam/AdguardFilters/issues/53330
+@@||upstream.to/embed-*.html$domain=playerhost.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/43249
+@@||fedex.com/apps/myprofile/$generichide
+@@||fedex.com/apps/fedextrack$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/53106
+@@||upstream.to/embed-*.html$domain=javtiful.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/53193
+! https://github.com/AdguardTeam/AdguardFilters/issues/52841
+! https://github.com/AdguardTeam/AdguardFilters/issues/53190
+! https://github.com/AdguardTeam/AdguardFilters/issues/53038
+@@||vidmoly.me/jws.php
+@@||vidmoly.net/jws.php
+@@||vidmoly.to/jws.php
+! https://github.com/AdguardTeam/AdguardFilters/issues/52948
+@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$domain=wcvb.com
+! xda-developers.com - fixing embedded tweets
+@@||cdn.syndication.twimg.com/tweets.json?$domain=xda-developers.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/52812
+@@||mm-syringe.com^$domain=spin.com
+@@||cdn.rhombusads.com/js/rh.min.js$domain=spin.com
+@@||api.rhombusads.com/v*/embed/check$domain=spin.com
+@@||adserver.rhombusads.com/api/$domain=spin.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/52602
+! https://github.com/AdguardTeam/AdguardFilters/issues/52319
+@@||coinadster.com^$script,stylesheet,xmlhttprequest,other,image,domain=coinadster.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/52485
+@@||googletagservices.com/tag/js/gpt.js$domain=ctv.ca
+||googletagservices.com/tag/js/gpt.js$script,redirect=googletagservices-gpt,important,domain=ctv.ca
+! https://github.com/AdguardTeam/AdguardFilters/issues/52345
+soup.io#@#.showads
+! https://github.com/AdguardTeam/AdguardFilters/issues/52311
+@@||mcloud.to/embed/*?key=$subdocument
+! https://github.com/AdguardTeam/AdguardFilters/issues/52272
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=cosmopolitan.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/52222
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=knoxnews.com
+! https://forum.adguard.com/index.php?threads/blocking-main-video-player-on-videobrother.37987/
+@@||gounlimited.to/embed-*.html
+! https://github.com/AdguardTeam/AdguardFilters/issues/52008
+@@||youporn.com/embed/$domain=porndollz.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/52041
+@@||content*.uplynk.com/channel/*.m3u8?$domain=abcnews.go.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/51865
+@@||npr.org/sponsorship/targeting/$other,xmlhttprequest,domain=npr.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/51823
+nypost.com#@#.recirc
+! https://github.com/AdguardTeam/AdguardFilters/issues/51117
+@@||gstatic.com/cv/js/sender/*/cast_sender.js$domain=pornhub.com|pornhub.org|pornhub.net
+@@||gstatic.com/cast/sdk/libs/sender/*/cast_framework.js$domain=pornhub.com|pornhub.org|pornhub.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/51791
+@@||primarygames.com/ads/preroll/js/googleIMAads_HTML5_*.js
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=primarygames.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/51609
+@@||ads.cutlinks.pro/links/go$domain=ads.cutlinks.pro
+@@||ads.cutlinks.pro/cloud_theme/build/js/script.min.js$domain=ads.cutlinks.pro
+@@||ads.cutlinks.pro/cloud_theme/build/css/styles.min.css$domain=ads.cutlinks.pro
+! https://github.com/AdguardTeam/AdguardFilters/issues/51478
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=radio.at|radio.net|radio.de
+@@||googletagmanager.com/gtm.js$domain=radio.at|radio.net|radio.de
+! https://github.com/AdguardTeam/AdguardFilters/issues/51306
+@@/Tag.rb$domain=github.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/51303
+@@||rule34hentai.net/fluidplayer.min.js$domain=rule34hentai.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/51301
+@@/webadvert.$domain=webadv.net
+!
+! https://forum.adguard.com/index.php?threads/problem-with-disqus.37852
+@@||static.ziffdavis.com/sitenotice/*/settings.js$domain=allestoringen.be|allestoringen.nl|xn--allestrungen-9ib.at|xn--allestrungen-9ib.ch|xn--allestrungen-9ib.de|downdetector.ae|downdetector.ca|downdetector.co.nz|downdetector.co.uk|downdetector.co.za|downdetector.com.ar|downdetector.com.au|downdetector.com.br|downdetector.com.co|downdetector.com|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.pk|downdetector.pl|downdetector.pt|downdetector.ro|downdetector.ru|downdetector.se|downdetector.sg|downdetector.sk|downdetector.web.tr
+@@||static.ziffdavis.com/sitenotice/evidon-sitenotice-bundle.js$domain=allestoringen.be|allestoringen.nl|xn--allestrungen-9ib.at|xn--allestrungen-9ib.ch|xn--allestrungen-9ib.de|downdetector.ae|downdetector.ca|downdetector.co.nz|downdetector.co.uk|downdetector.co.za|downdetector.com.ar|downdetector.com.au|downdetector.com.br|downdetector.com.co|downdetector.com|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.pk|downdetector.pl|downdetector.pt|downdetector.ro|downdetector.ru|downdetector.se|downdetector.sg|downdetector.sk|downdetector.web.tr
+@@||cdn*.downdetector.com/*/javascript*/adscript_vars.js
+@@||cdn*.downdetector.com/*/javascript*/adscript.js
+||googletagservices.com/tag/js/gpt.js$script,redirect=googletagservices-gpt,domain=downdetector.ru,important
+@@||googletagservices.com/tag/js/gpt.js$domain=downdetector.ru
+! pubads_impl_ is not requested if 'redirect' rule above applied
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=downdetector.ru
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/51111
+@@||googletagservices.com/tag/js/gpt.js$domain=phonearena.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/51030
+@@||ads.bdcraft.net/js/interstitial.js$domain=ads.bdcraft.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/39801
+@@||britannica.com^$csp=script-src 'self' * 'unsafe-inline'
+! https://forum.adguard.com/index.php?threads/station-drivers-com.37671/
+station-drivers.com#@#iframe[width="600"][height="90"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/50175
+@@||verticalscope-com.videoplayerhub.com/galleryplayer.js$domain=forums.watchuseek.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/49812
+! https://github.com/AdguardTeam/AdguardFilters/issues/49871
+@@||159i.com/p/hola/cpt.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/48867
+!+ NOT_PLATFORM(windows, mac)
+@@||my.westfieldinsurance.com^$document
+! https://github.com/AdguardTeam/AdguardFilters/issues/49903
+@@||hotpornfile.org/*/a/na/js/*?container=naskjz
+! https://github.com/AdguardTeam/AdguardFilters/issues/49950
+youredm.com#@#iframe[width="100%"][height="120"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/49739
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=classicreload.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/49581
+myip.ms#@#.google_ads
+! yepi.com - ###PreRollAd hides play button
+yepi.com#@##PreRollAd
+! pcmag.com - unhide video player
+pcmag.com#@#iframe[width="300"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/49285
+tarikhema.org#@#.bsac
+tarikhema.org#@#.bsac-container
+! https://github.com/AdguardTeam/AdguardFilters/issues/49259
+@@||googletagservices.com/tag/js/gpt.js$domain=nbcsports.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/32781
+@@||imgadult.com/img-*.html$subdocument,domain=imgadult.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/48777
+@@||conversion.im/images/icons/google-adwords.png
+! https://github.com/AdguardTeam/AdguardFilters/issues/49017
+fastjobs.sg#@#.adbox
+! https://github.com/AdguardTeam/AdguardFilters/issues/48873
+@@||crystalmark.info/wp-content/uploads/*_300x250.
+! https://github.com/AdguardTeam/AdguardFilters/issues/48879
+@@||static.adsafeprotected.com/vans-adapter-google-ima.js$domain=forbes.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/48727
+@@||c.amazon-adsystem.com/aax2/apstag.js$domain=wivb.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/48571
+@@||googletagservices.com/tag/js/gpt.js$domain=biblestudytools.com
+@@||media.swncdn.com/ads/fixed/init.js$domain=biblestudytools.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/50517
+! https://github.com/AdguardTeam/AdguardFilters/issues/46960#issuecomment-578081007
+@@||cbsistatic.com/fly/js/libs/ads/bidbarrel-*.js$domain=cnet.com
+! rickandmorty.com - fixing video player
+@@||manifest.auditude.com/auditude/*.m3u8?$domain=rickandmorty.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/48194
+cinemablend.com#@#.sticky-div
+! https://github.com/AdguardTeam/AdguardFilters/issues/48283
+kzstock.blogspot.com#@##ad-target
+! https://github.com/AdguardTeam/AdguardFilters/issues/48199
+10play.com.au#@#.skinAd
+! https://github.com/AdguardTeam/AdguardFilters/issues/48162
+@@||stream2watch.ws/js/app.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/151706
+! https://github.com/AdguardTeam/AdguardFilters/issues/146902
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=10play.com.au
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=10play.com.au
+@@||pubads.g.doubleclick.net/ondemand/hls/content/*/streams|$xmlhttprequest,domain=10play.com.au
+@@||pubads.g.doubleclick.net/ondemand/hls/content/*/streams/*.m3u8$domain=10play.com.au
+! https://github.com/AdguardTeam/AdguardFilters/issues/48072
+@@||pussyspace.com/class/captcha/captcha.php$domain=pussyspace.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/47914
+ojooo.com#@##showads
+! https://github.com/AdguardTeam/AdguardFilters/issues/47857
+@@||m.thepiratebay.org/js/prototype-min.js
+@@||m.thepiratebay.org/comments.php
+! https://github.com/AdguardTeam/AdguardFilters/issues/47465
+! https://github.com/AdguardTeam/AdguardFilters/issues/47397
+@@||c.amazon-adsystem.com/aax2/apstag.js$domain=kark.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/47262
+! https://github.com/AdguardTeam/AdguardFilters/issues/47261
+@@||chaturbate.com/*embed^$domain=chatterbate.org|uuu.cam
+! https://github.com/AdguardTeam/AdguardFilters/issues/47170
+mariogames.be#@##adsContainer
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=mariogames.be
+! https://github.com/AdguardTeam/AdguardFilters/issues/47135
+@@||b.cdnst.net/javascript/amazon.js$domain=speedtest.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/47028
+dailymail.co.uk#@#.article-advert
+! crackle.com - fixing video player
+@@||fwlive.crackle.com/ad/g/1$domain=crackle.com
+@@||crackle.com/vendor/AdManager.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/46983
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=storyfire.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/46821
+@@||platform.twitter.com/widgets.js$domain=gamerant.com
+@@||platform.twitter.com/js/moment~timeline~tweet.*.js$domain=gamerant.com
+@@||platform.twitter.com/js/tweet.*.js$domain=gamerant.com
+@@||cdn.syndication.twimg.com/tweets.json$domain=gamerant.com
+@@||embed.redditmedia.com/widgets/platform.js$domain=gamerant.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/46715
+yts.ms#@#.popup-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/46823
+! https://github.com/AdguardTeam/AdguardFilters/issues/46796
+! https://github.com/AdguardTeam/AdguardFilters/issues/50722
+! https://github.com/AdguardTeam/AdguardFilters/issues/46672
+! Fixing google translate built-in Chrome
+! broken by '|https://$third-party,xmlhttprequest,domain=' on some websites
+@@||translate.googleapis.com/*translate_*/*=*=$xmlhttprequest
+@@||gstatic.com/images/branding/product/*x/translate_24dp.png$image,domain=translate.googleapis.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/46616
+@@||track.adform.net/serving/scripts/trackpoint/async/$domain=ethias.be
+! https://github.com/AdguardTeam/AdguardFilters/issues/38713#issuecomment-568479607
+@@||static.anyporn.com/bravoplayer/fluidplayer.js
+@@||static.anyporn.com/bravoplayer/scripts/bpconfig.js
+@@||static.anyporn.com/bravoplayer/custom/anyporncom/scripts/bpcc.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/46503
+@@||oasjs.kataweb.it/adsetup.real.js$domain=video.repubblica.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/46333
+@@||plytv.me/sdembed
+@@||cdn.plytv.me/scripts/embed.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/46276
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=epaper.timesgroup.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/46269
+@@||googletagservices.com/tag/js/gpt.js$domain=nfl.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/46132
+@@||avalanche.state.co.us/caic/pub_bc_avo.php?zone_id=
+! https://github.com/AdguardTeam/AdguardFilters/issues/46126
+@@||static.telegraph.co.uk/telegraph-advertising/tmg-gpt.min.js$domain=telegraph.co.uk
+! https://github.com/AdguardTeam/AdguardFilters/issues/45895
+@@||upvtt.com/uploads^$third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/45788
+@@||sonyliv.com/api/configuration/config_ads?channel=
+! https://github.com/AdguardTeam/AdguardFilters/issues/45817
+@@||ad.doubleclick.net/ddm/trackclk/$popup,domain=pricehipster.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/44788
+bing.com#@#a[href^="https://www.bing.com/aclk?"]
+! EasyList China:
+!bing.com#@#.b_ad
+bing.com#@#.b_adBottom
+! https://github.com/AdguardTeam/AdguardFilters/issues/45315
+@@||googletagservices.com/tag/js/gpt.js$domain=proximus.be
+! https://github.com/AdguardTeam/AdguardForWindows/issues/3105
+! Fixing MS Edge sync
+! https://github.com/AdguardTeam/AdguardFilters/issues/45129
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=gousfbulls.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/45230
+idilyazar.com#@#.ads_wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/44064#issuecomment-559577358
+! https://forum.adguard.com/index.php?threads/.36087/
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=agario-play.com
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=agario-play.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/45058
+@@/progress.php?callback=$script,domain=ytmp3.cc
+@@/check.php?callback=$script,domain=ytmp3.cc
+! hellporno.net - categories on video page not shown completely
+@@||hellporno.net/_a_ht/s/s/js/ssu.v2.js
+@@||hellporno.net/_a_ht/s/s/su.php?
+! shikimori - fix comments editing
+! https://github.com/AdguardTeam/AdguardFilters/issues/44788
+bing.com#@?##b_results > li :-abp-has(span:-abp-contains(Ad))
+! https://github.com/AdguardTeam/AdguardFilters/issues/44949
+sony.com#@#.ad-index
+! https://github.com/AdguardTeam/AdguardFilters/issues/44685
+@@||multiup.org/*/mirror^
+! https://github.com/AdguardTeam/AdguardFilters/issues/44518
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=games.metv.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/43823
+@@||googletagservices.com/tag/js/gpt.js$domain=gotrip.hk
+||googletagservices.com/tag/js/gpt.js$script,redirect=googletagservices-gpt,domain=gotrip.hk,important
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=gotrip.hk
+! https://github.com/AdguardTeam/AdguardFilters/issues/43719
+@@||etsy.com/your/shops/$document
+! https://github.com/AdguardTeam/AdguardFilters/issues/44008
+@@||ancensored.com/js/flowplayer.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/43933
+@@||swatchseries.to/public/js/caleEncrypted.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/43913
+@@||horriblesubs.info/static/hs.js
+! pornhub.com - webcams not working
+@@||naiadsystems.com/*/hls/live$domain=pornhub.com|pornhub.org|pornhub.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/43750
+@@||static.vidgyor.com/live/dai/js/videojs.ads.min.js
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=zeebiz.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/43680
+@@||adspace.pro^$domain=adspace.pro
+! https://github.com/AdguardTeam/AdguardFilters/issues/43696
+@@||c.amazon-adsystem.com/aax2/apstag.js$domain=foxnews.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/43292
+@@||coolmathgames.com/*/img/ads/Spinner.png$domain=coolmathgames.com
+! pornhub.com - player is broken
+@@||dl.phncdn.com/pics/$domain=pornhub.com|pornhub.org|pornhub.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/43132
+wallpaperaccess.com#@#.ads1
+! https://github.com/AdguardTeam/AdguardFilters/issues/43107
+@@||bizpacreview.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im
+@@||launcher.spot.im/spot/sp_$script,domain=bizpacreview.com
+@@||static-cdn.spot.im/production/*/*.js$domain=bizpacreview.com
+@@||api-gw.spot.im/v*/feed/spot/sp_*/$domain=bizpacreview.com
+@@||api-*.spot.im/v*/conversation/$xmlhttprequest,domain=bizpacreview.com
+@@||api-*.spot.im/v*/widget/spot/sp_*/conversation_header$domain=bizpacreview.com
+@@||api-*.spot.im/v*/broadcasts/broadcasts/sp_$xmlhttprequest,domain=bizpacreview.com
+@@||api-*.spot.im/v*/config/launcher/sp_*/vendor,init,conversation$domain=bizpacreview.com
+@@||spotops.spot.im/spot/sp_*/v*?platform=$domain=bizpacreview.com
+@@||cdn.syndication.twimg.com/tweets.json?$domain=bizpacreview.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/43065
+|https://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=series9.to,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/15408#issuecomment-546248680
+@@||kts.visitstats.com/in^$domain=txxx.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/42150
+@@||js-sec.indexww.com/htv/bell.js$domain=envedette.ca
+@@||js-sec.indexww.com/asl/asl_*.js$domain=envedette.ca
+@@||z.moatads.com/brightcove/v*/moatanalytics.js$domain=envedette.ca
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=envedette.ca
+! https://github.com/AdguardTeam/AdguardFilters/issues/42283
+! https://github.com/AdguardTeam/AdguardFilters/issues/42679
+! https://github.com/AdguardTeam/AdguardFilters/issues/42803
+@@||sapixcraft.com/js/exitPopup.js
+@@||sapixcraft.com/css/exitPopup.css
+! https://github.com/AdguardTeam/AdguardFilters/issues/42615
+@@||newad.abiechina.com^$domain=abiechina.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/42640
+@@||cdn-static.pornhd.com/pornhd/*/css/dist/main.css$domain=pornhd.com
+@@||protoawe.com/embed/*/?psid=*&accessKey=*jasminVideoPlayerContainer$domain=pornhd.com
+@@||protoawe.com/tube-player/?psid=*&accessKey=*jasminVideoPlayerContainer$domain=pornhd.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/42714
+@@||banners.s1.citilink.ru^$image,domain=citilink.ru
+! https://github.com/AdguardTeam/AdguardFilters/issues/42535
+@@||static*.akacdn.ru/assets/min/frontend/all.$script,stylesheet,domain=9anime.one
+! https://github.com/AdguardTeam/AdguardFilters/issues/41879
+! https://github.com/AdguardTeam/AdguardFilters/issues/42197
+@@||radio.securenetsystems.net/cwa/js/prebid.js
+! gamespot.com - fixing not loading images
+@@||securepubads.g.doubleclick.net/gampad/ads?gdfp_req=*gamespot%2Cgallery&$other,domain=gamespot.com
+! html5.gamedistribution.com - fixing not working games
+@@||hb.improvedigital.com/pbw/prebid/prebid-v*-pbjsgd.min.js$domain=html5.gamedistribution.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/42000
+disk.yandex.*,yadi.sk#@#.content_ads
+! https://github.com/AdguardTeam/AdguardDNS/issues/109
+!#safari_cb_affinity(general,privacy)
+@@||ad.admitad.com/*/*&ulp=
+@@||ad.admitad.com/*/?ulp=
+!#safari_cb_affinity
+! https://github.com/AdguardTeam/AdguardFilters/issues/41939
+@@||thegamesshop.com.au/controls/ajaxpages/*.aspx?ad=
+! https://github.com/AdguardTeam/AdguardFilters/issues/42111
+@@||integrate2cloudapps.com/wp-content/uploads/*/*-480x120$image
+! https://github.com/AdguardTeam/AdguardFilters/issues/37657
+! https://github.com/AdguardTeam/AdguardFilters/issues/41341
+@@||chicksonright.com^$csp,~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/40940
+hakanbaysal.com#@#div[id^="crt-"][style]
+! https://github.com/AdguardTeam/AdguardFilters/issues/40876
+|https://$xmlhttprequest,domain=swatchseries.to,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/40928
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=gamecocksonline.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/40825
+! https://github.com/AdguardTeam/AdguardFilters/issues/40778
+@@||imgtaxi.com/img-*.html
+! https://github.com/AdguardTeam/AdguardFilters/issues/40756
+! https://github.com/AdguardTeam/AdguardFilters/issues/40363
+@@||gls-group.eu/*/csomagkovetes$elemhide,jsinject
+! https://github.com/AdguardTeam/AdguardFilters/issues/40704
+@@||google-analytics.com/analytics.js$domain=burgerking.hu
+! https://github.com/AdguardTeam/AdguardFilters/issues/40421
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=t13.cl
+! https://github.com/AdguardTeam/AdguardFilters/issues/40303
+||ampproject.net^*/f.js$badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/40306
+@@||wuxiaworld.com/images/pw/pw_header
+! https://github.com/AdguardTeam/AdguardFilters/issues/40250
+@@||associateddentists.com/wp-content/themes/AD/
+! https://github.com/AdguardTeam/AdguardFilters/issues/41711
+!+ NOT_PLATFORM(ext_android_cb)
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=forums.hardwarezone.com.sg
+! https://github.com/AdguardTeam/AdguardFilters/issues/40245
+@@||securepubads.g.doubleclick.net/gampad/ads?gdfp_req=1$domain=forums.hardwarezone.com.sg
+@@||hardwarezone.com.sg/js/prebid.appnexus.js$domain=forums.hardwarezone.com.sg
+! https://github.com/AdguardTeam/AdguardFilters/issues/40003
+resmim.net#@#.showads
+! https://github.com/AdguardTeam/AdguardFilters/issues/39709
+@@||pubads.g.doubleclick.net/ssai/event/$xmlhttprequest,domain=10play.com.au
+@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$domain=10play.com.au
+! https://github.com/AdguardTeam/AdguardFilters/issues/39945
+@@||itnews.com.au/scripts/js_*.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/39865
+photos.freeones.com#@#a[href^="http://click.payserve.com/"]
+! Fixing issues, caused by `||shortpixel.ai^$popup`
+||shortpixel.ai^$popup,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/39776
+@@||ads.viralize.tv/player/$domain=ilrestodelcarlino.it
+@@||ads.viralize.tv/display/$domain=ilrestodelcarlino.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/39727
+@@||translate.googleapis.com^$xmlhttprequest,domain=xda-developers.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/39424
+javfinder.sh#@##preroll
+! https://github.com/AdguardTeam/AdguardFilters/issues/39047
+@@||verticalscope-com.videoplayerhub.com/galleryplayer.js$domain=avsforum.com
+! https://github.com/easylist/easylist/issues/3931
+! https://old.reddit.com/r/Adguard/comments/ctrzij/unblock_script_for_specific_website/
+datpiff.com#@#div > iframe
+@@||datpiff.com^$csp=script-src 'self' * blob: data:
+! https://github.com/AdguardTeam/AdguardFilters/issues/38955
+@@||thechive.files.wordpress.com/*?quality=*&strip=info
+! https://github.com/AdguardTeam/AdguardFilters/issues/38298
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=weheartit.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/38389
+@@||hotpornfile.org/wp-admin/admin-ajax.php$domain=hotpornfile.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/29939 - fixing image gallery
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=gamespot.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/38235
+@@||cdnjs.cloudflare.com/ajax/libs/videojs-contrib-ads/*/videojs.ads.min.js$domain=streamx.live
+! https://github.com/AdguardTeam/AdguardFilters/issues/52869
+! https://github.com/AdguardTeam/AdguardFilters/issues/38186
+@@||oasjs.kataweb.it/adsetup*.js$domain=video.lastampa.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/38208
+@@||imasdk.googleapis.com/pal/sdkloader/pal.js$domain=sciencechannel.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/38156
+@@||wuxiaworld.com^$csp=script-src 'self' * 'unsafe-inline'
+! https://github.com/AdguardTeam/AdguardFilters/issues/38016
+@@||bigleaguepolitics.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im
+! https://github.com/AdguardTeam/AdguardFilters/issues/38089
+@@||infowars.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im
+@@||api.infowarsmedia.com/videojs-event-tracking/dist/videojs-event-tracking.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/38027
+@@||imasdk.googleapis.com/pal/sdkloader/pal.js$domain=motortrend.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/37936
+@@||revive.adsession.com/www/delivery/ck.php$domain=spankwire.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/37918
+@@||static.adtrue24.com/images/*$domain=fap18.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/37896 - video player fix
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=gocolumbialions.com
+@@||connect.facebook.*/en_US/AudienceNetworkPrebid.js$domain=cbssports.com
+! vidcloud.icu - fixing embedded video players
+@@||gcloud.live/v/$subdocument,domain=vidcloud.icu
+@@||api.vidnode.net/stream.php?$subdocument,domain=vidcloud.icu
+! https://github.com/AdguardTeam/AdguardFilters/issues/34962
+@@||forexprostools.com/?columns=$domain=investmentwatchblog.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/37635
+@@/RealMedia/ads^$domain=aeroplan.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/37636
+@@||travel.mediaalpha.com/js/serve.js$domain=goseek.com
+! https://forum.adguard.com/index.php?threads/34095/
+@@||securepubads.g.doubleclick.net/gampad/ads?gdfp_req=1$domain=thedailybeast.com
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=thedailybeast.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/33773
+@@||nutritiondata.self.com/ads/js/cn.dart.bun.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/37458
+@@||imasdk.googleapis.com/pal/sdkloader/pal.js$domain=foodnetwork.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/34919
+@@||bdstatic.com^$domain=dq.tieba.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/37339
+@@||reklama.studio^$domain=reklama.studio
+! https://github.com/AdguardTeam/AdguardFilters/issues/37371
+@@||acidcow.com^$csp=script-src 'self' * blob: data:
+! https://github.com/AdguardTeam/AdguardFilters/issues/37208
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=theticket.com
+@@||live.streamtheworld.com/*.mp3
+@@||live.streamtheworld.com/*.aac
+! https://github.com/AdguardTeam/AdguardFilters/issues/37230
+@@||acdn.adnxs.com/video/mediation/apn_overlay_integration.js$domain=thechive.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/37124
+referatwork.ru#@##adbox
+! https://github.com/AdguardTeam/AdguardFilters/issues/35885
+! https://github.com/AdguardTeam/AdguardFilters/issues/36900
+@@||ahcdn.com^$media
+! https://github.com/AdguardTeam/AdguardFilters/issues/36735
+@@||animeland.us/pa.js
+@@||animeland.us/bg.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/37260
+@@||sharethrough.com/*placement$domain=looper.com
+@@||native.sharethrough.com/assets/sfp.js$domain=looper.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/34698
+secure.hulu.com#@#.ad-root
+! rawstory.com - fixing hidden content
+rawstory.com#@#div[id^="div-gpt-ad"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/36640
+@@||mangasail.co/sites/default/files/*//*_adsense_
+! https://github.com/AdguardTeam/AdguardFilters/issues/36491
+@@||js-sec.indexww.com/ht/htw-baltimore-sun.js$domain=baltimoresun.com
+@@||c.amazon-adsystem.com/aax2/apstag.js$domain=baltimoresun.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/36264
+optifine.net#@#.tableAds
+! https://github.com/AdguardTeam/AdguardFilters/issues/36094
+@@||cdn.honor.ru/pms/pages/adsImages/$domain=honor.ru
+! netbk.co.jp - broken by AdGuard injections
+@@||netbk.co.jp^$jsinject
+! square-enix.com register redirect not working
+@@||weblet.square-enix.com/banner.php^
+! https://github.com/AdguardTeam/AdguardFilters/issues/35353
+@@||code.jquery.com/*.min.js$domain=audioz.download
+@@||cdnjs.cloudflare.com/ajax/libs/*.min.js$domain=audioz.download
+! https://github.com/AdguardTeam/AdguardFilters/issues/35179
+uk.ign.com#@#.ad-wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/35095
+@@||cdnjs.cloudflare.com/ajax/libs/jquery/*/jquery.min.js$domain=youav.com
+! msn.com - fixing Edge version of the site(page not load)
+! Sample URL: https://www.msn.com/spartan/dhp?locale=ru-RU&market=RU&enableregulatorypsm=0&enablecpsm=0&ishostisolationenforced=0&targetexperience=default
+@@||msn.com/spartan/dhp$jsinject
+! gamesplaza.com - fixing broken game feature
+@@||media.oadts.com/www/delivery/afv.php$domain=games.gamesplaza.com
+@@||media.oadts.com/www/delivery/le.php*&dist.prerollDone$domain=media.oadts.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/34861
+@@||livestream.com/accounts/*/events/*/player?$domain=strikeout.nu
+@@||cdn.jsdelivr.net/npm/jquery*/dist/jquery.min.js$domain=strikeout.nu
+@@||cdn.jsdelivr.net/combine/npm/bootstrap*/dist/js/bootstrap.min.js$domain=strikeout.nu
+! https://github.com/AdguardTeam/AdguardFilters/issues/34840
+@@||imasdk.googleapis.com/pal/sdkloader/pal.js$domain=investigationdiscovery.com
+! userscloud.com - blocked download server
+@@||usercdn.com^$domain=userscloud.com
+! Fixing `Run code snippet` on stackoverflow.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/34424
+@@||androidauthority.net/wp-content/uploads/*-300x600.$image,domain=androidauthority.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/34354
+@@||wp.com/jaiminisbox.com/reader/content/$image,domain=kissmanga.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/34279
+@@||payeer.com/style/images/adv_green.png$domain=payeer.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/34255
+@@||intoday.in/embeded/*_live?
+@@||indiatoday.in/embed-live-tv?
+! https://github.com/AdguardTeam/AdguardFilters/issues/34133
+|https://$image,script,stylesheet,third-party,xmlhttprequest,domain=moviescouch.co|torrentfunk.com,badfilter
+! https://github.com/AdguardTeam/AdguardFilters/issues/34098
+@@||1337x.st/css/webfonts/oswald-*.$font
+@@||1337x.st^$csp=script-src 'self' 'unsafe-inline'
+! https://github.com/AdguardTeam/AdguardFilters/issues/33932
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=hanime.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/33904
+@@||wikia.nocookie.net/*/css/*.scss$domain=fandom.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/33840
+freeupscmaterials.org#@#.quads-location
+! https://github.com/AdguardTeam/AdguardFilters/issues/33845
+dummies.com#@#.ad-post
+dummies.com#@#.AD-POST
+! https://github.com/AdguardTeam/AdguardFilters/issues/33674
+buzzdrives.com#@#.left_ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/33525
+@@||blocket.se/annonser^
+! https://github.com/AdguardTeam/AdguardFilters/issues/32781
+@@||imgadult.com/css/$domain=imgadult.com
+@@||imgadult.com/upload/$domain=imgadult.com
+@@||imgadult.com/themes/$domain=imgadult.com
+@@||imgadult.com/images/$domain=imgadult.com
+@@||imgadult.com/newimages/$domain=imgadult.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/45055
+@@||i*.imagetwist.com^$image,domain=imagetwist.com
+! wololo.net - broken layout
+@@||cdn.wololo.net/utilcave_com/templates/combine.php
+! https://github.com/AdguardTeam/AdguardFilters/issues/32577
+@@||trafficdeposit.com/video^$domain=sxyprn.com|sxyprn.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/33245
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=tubitv.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/33171
+@@||allthatsinteresting.com/wordpress/wp-content/plugins/bwp-minify^
+! https://forum.adguard.com/index.php?threads/leech-ninja.31715
+! https://forum.adguard.com/index.php?threads/ouo-io.31700
+@@||leech.ninja/stream^$popup
+@@||leech.ninja/redir^$popup
+@@||hungryleech.com/stream^$popup
+@@||hungryleech.com/redir^$popup
+! tomshardware.com - broken video
+@@||content.jwplatform.com^$domain=tomshardware.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/32963
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=musixmatch.com
+! https://github.com/AdguardTeam/CoreLibs/issues/751
+@@||session.proxy.startpage.com/csp_check$document
+! https://github.com/AdguardTeam/AdguardFilters/issues/32912
+@@||amazonaws.com/pictures.tradee.com/ads^$domain=tradee.com
+tradee.com#@#.ad-img
+tradee.com#@#.one-ad
+tradee.com#@#.ad-grid
+! https://github.com/AdguardTeam/AdguardFilters/issues/32575
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=clipbucket.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/32715
+@@||localbitcoins.com/ads_edit
+! facebook.com adsmanager broken
+@@||facebook.com/adsmanager^
+! https://github.com/AdguardTeam/AdguardFilters/issues/32606
+@@||myvidster.com/processor.php
+! https://github.com/AdguardTeam/AdguardFilters/issues/32560
+@@||glbimg.com/*/300x250/smart/*/original/*.jpg$domain=vogue.globo.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/32449
+pembekekik.com#@#.vertical-ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/31210
+! https://github.com/AdguardTeam/AdguardFilters/issues/31257
+! daum.net - broken
+! https://github.com/AdguardTeam/AdguardFilters/issues/31524
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=akinator.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/32238
+@@||mangapark.net^$image
+! https://github.com/AdguardTeam/AdguardFilters/issues/32137
+kwik.cx#@#.adSense
+! https://github.com/AdguardTeam/AdguardFilters/issues/32082
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=autocentre.ua
+! https://github.com/AdguardTeam/AdguardFilters/issues/31022
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=newschannel9.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/31125
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=mlb.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/30252
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=ctv.ca
+! https://github.com/AdguardTeam/AdguardFilters/issues/30232
+@@||app.sebitti.fi/maestrojukebox2/lib/Controllers/AdController.js$domain=app.sebitti.fi
+! https://github.com/AdguardTeam/AdguardFilters/issues/30004
+@@||ad.mail.ru/adp/?q=*&target_count=$domain=youla.ru
+! https://github.com/AdguardTeam/AdguardFilters/issues/29942
+@@||v.fwmrm.net/ad/g/1*&csid=cr_web_homepage_backup$domain=static.crunchyroll.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/31852
+@@||4cdn.org/js/core.min.*.js$domain=4chan.org
+@@||4cdn.org/js/catalog.min.*.js$domain=4chan.org
+@@||4cdn.org/js/extension.min.*.js$domain=4chan.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/31674
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=pacman.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/30135
+@@||routerlogin.com^$document
+@@||routerlogin.net^$document
+! https://github.com/AdguardTeam/AdguardFilters/issues/31237
+@@||anyporn.com/get_file^
+! https://github.com/AdguardTeam/AdguardFilters/issues/29759
+@@||api.splice.com/www/advertisement/community-explore$domain=splice.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/30979
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=irctc.co.in
+! https://github.com/AdguardTeam/AdguardFilters/issues/30968
+actu17.fr#@#.td-ad-background-link
+! https://github.com/AdguardTeam/AdguardFilters/issues/30706
+gazetaonline.com.br#@#.ad-top
+! https://github.com/AdguardTeam/AdguardFilters/issues/30640
+@@||eztv.io/js/search_shows*.js
+@@||eztv.io^$csp=script-src 'self' 'unsafe-inline'
+! https://github.com/AdguardTeam/AdguardFilters/issues/30030
+@@||wpnrtnmrewunrtok.xyz/main/$image,domain=camwhores.tv
+@@||wpnrtnmrewunrtok.xyz/*preview/*/preview.jpg$image,domain=camwhores.tv
+@@||wpnrtnmrewunrtok.xyz/remote_control.php^$domain=camwhores.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/30336
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=goducks.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/30225
+@@||webmotors.com.br/tabela-fipe/ad/adSetup.js
+@@||webmotors.com.br/tabela-fipe/ad/adUnits.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/27157
+nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion#@##bottom-wrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/25576
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=clipmyhorse.tv
+@@||googletagservices.com/tag/js/gpt.js?ad_tag=$domain=clipmyhorse.tv
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=clipmyhorse.tv
+@@||googletagmanager.com/gtm.js$domain=clipmyhorse.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/24713
+@@||acdn.adnxs.com/as/1h/pages/sport1.js$domain=sport1.de
+! https://github.com/AdguardTeam/AdguardFilters/issues/29866
+technopat.net#@#.td-ad-background-link
+! https://github.com/AdguardTeam/AdguardFilters/issues/29773
+adsrt.me#@#[id*="ScriptRoot"]
+adsrt.me#@#div[id*="ScriptRootC"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/29565
+marktplaats.nl#@#.adsense-block
+marktplaats.nl#@##adsense-bottom
+! https://github.com/AdguardTeam/AdguardFilters/issues/28113
+zamana.info#@##banner-top
+! https://github.com/AdguardTeam/AdguardFilters/issues/29334
+@@||monova.*/js/main.js
+@@||monova.*/img/
+@@||monova.*/fonts/
+! https://github.com/AdguardTeam/AdguardFilters/issues/29473
+! https://github.com/AdguardTeam/AdguardFilters/issues/27709
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=webmd.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/29303
+gmanetwork.com#@#.leaderboard
+! https://github.com/AdguardTeam/AdguardFilters/issues/29135
+@@||maxcdn.bootstrapcdn.com/font-awesome/*/fonts/fontawesome-webfont.woff$domain=livescience.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/29093
+@@||solarmoviez.ru^$csp=script-src 'self' * 'unsafe-inline'
+! https://github.com/AdguardTeam/AdguardFilters/issues/23221
+@@||flyordie.com/games/online/iframeafg*.html
+! https://github.com/AdguardTeam/AdguardFilters/issues/28718
+! https://github.com/AdguardTeam/AdguardFilters/issues/28483
+@@||mssl.fwmrm.net/p/nbcu_test_jsam/AdManager.js$domain=m.eonline.com
+@@||v.fwmrm.net/ad/p/1?$domain=m.eonline.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/28398
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=motociclismo.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/26342
+! https://github.com/AdguardTeam/AdguardFilters/issues/26831
+! https://forum.adguard.com/index.php?threads/30134/
+humano.com#@#img[width="728"][height="90"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/27076
+@@||v.fwmrm.net/ad/g/1?$domain=channel4.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/27992
+@@||openx.net/mw/1.0/jstag$domain=egmnow.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/25906
+@@||promo.awempire.com/live_feeds/script_basic_livefeed.php?$domain=sexcamdb.com
+@@||livejasmin.com/en/promotion/get?noRedirect=*&streamType=$domain=pt.protoawe.com
+@@||algolia.net/*/indexes/*/queries^$domain=xda-developers.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/27595
+carsales.com.au#@#.ad-info
+! https://github.com/AdguardTeam/AdguardFilters/issues/26936
+@@||jezandwayne.com/wp-content/uploads/*.webm$document
+! https://github.com/AdguardTeam/AdguardFilters/issues/27098
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=hamaratabla.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/27085
+@@||nashe.ru/wp-content/uploads/*-300x600.
+! https://github.com/AdguardTeam/AdguardFilters/issues/27191
+app.appvalley.vip#@#.ad-bar
+app.appvalley.vip#@#.ad-text
+app.appvalley.vip#@##ad-overlay
+! https://forum.adguard.com/index.php?threads/30162/
+@@||adbeat.com^$domain=adbeat.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/26970
+@@||thewatchcartoononline.tv/inc/videojs-qualityselector/videojs-qualityselector.min.js
+! comedycentral.tv - broken video
+@@||googletagmanager.com/gtm.js^$domain=comedycentral.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/25446
+@@||ads.google.com^$domain=ads.google.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/26655
+riderplanet-usa.com#@##ad_1
+! https://github.com/AdguardTeam/AdguardFilters/issues/24657
+@@||iv*.imgview.net/i/$image
+@@||iv*.imgview.net/img/$image
+! https://github.com/AdguardTeam/AdguardFilters/issues/26536
+! https://github.com/AdguardTeam/AdguardFilters/issues/25221
+@@||youmaker.com/js/prebid.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/26335
+@@||computerworld.com/www/js/ads/jquery.lazyload-ad.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/24516
+@@||c.amazon-adsystem.com/aax2/apstag.js$domain=spox.com
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=spox.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/24560
+roblox.com#@#.abp
+! https://github.com/AdguardTeam/AdguardFilters/issues/26166
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=sahibinden.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/26108
+@@||javpost.net/ads.php
+! https://github.com/AdguardTeam/AdguardFilters/issues/25660
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=docbao.vn
+! https://github.com/AdguardTeam/AdguardFilters/issues/25175
+speed4up.com#@#.adstop
+speed4up.com#@#.adsTop
+! https://github.com/AdguardTeam/AdguardFilters/issues/44342
+! https://github.com/AdguardTeam/AdguardFilters/issues/25103
+! https://github.com/AdguardTeam/AdguardFilters/issues/24573
+@@||hdvid.tv/js/jquery.min.js
+@@||hdvid.tv/js/jquery.cookie.js
+@@||hdvid.tv/player*/jwplayer.js
+@@||hdvid.tv/player*/jwplayer.html5.js
+@@||hdvid.tv/player*/lightsout.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/24288
+@@||ultimate-guitar.com/components/ads/interstitial/
+! https://github.com/AdguardTeam/AdguardFilters/issues/24523
+||amazon-adsystem.com/aax2/apstag.js$script,redirect=amazon-apstag,domain=fandom.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/24245
+@@||ad-cdn.bilgin.pro/app/ad-*.min.js$domain=medyafaresi.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/23254
+minkch.com#@#.header-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/24350
+@@||v.fwmrm.net/ad/g/1?$domain=abc.go.com
+@@||mssl.fwmrm.net/p/abc_live/AdManager.js$domain=abc.go.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/24323
+oregonlive.com#@#.adTower
+oregonlive.com#@##adTower
+! https://github.com/AdguardTeam/AdguardFilters/issues/24317
+spotify.com#@#.m-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/24269
+@@||artstation.com/*/assets/images/images/*-adv.jpg
+! Fixing video on tv.ittf.com
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=ittf.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/24207
+@@||cdn.pogo.com/*/exhibit/imasdk/ads.js
+@@||cdn.pogo.com/*/exhibit/imasdk/application.js
+@@||cdn.pogo.com/*/exhibit/imasdk/video_player.js
+@@||cdn.pogo.com/*/exhibit/imasdk/imasdk-pogo-1.0.js
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=pogo.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/24182
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=appledaily.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/24117
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=medyaradar.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/24201
+twitch.tv#@#.pl-overlay
+! https://github.com/AdguardTeam/AdguardFilters/issues/24082
+@@||js.spotx.tv/directsdk/*.js$domain=bloomberg.com
+@@||cdn.spotxcdn.com/integration/directsdk/*.js$domain=bloomberg.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/24081
+@@||mangatail.me/sites/default/files/*adsense
+! https://github.com/AdguardTeam/AdguardFilters/issues/23709
+@@||pornhub.*/recommended/ajax_rate?$~third-party,xmlhttprequest
+! https://forum.adguard.com/index.php?threads/putlockers-fm.29693/
+@@||entervideo.net/watch^
+! https://github.com/AdguardTeam/AdguardFilters/issues/23798
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=smashers.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/23863
+@@||pagead2.googlesyndication.com/pagead/js/r*/show_ads_impl.js$domain=kadinlarkulubu.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/22826
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=ciudad.com.ar
+! https://github.com/AdguardTeam/AdguardFilters/issues/22522
+@@||youtube.com/embed/$domain=masterani.me
+! https://github.com/AdguardTeam/AdguardFilters/issues/23768
+@@||ads.viralize.tv/display/$domain=quotidiano.net
+@@||ads.viralize.tv/player/$domain=quotidiano.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/23674
+@@||distrowatch.com/images/cpxtu/dwbanner.png
+! https://github.com/AdguardTeam/AdguardFilters/issues/23570
+@@||jpost.com^$csp=script-src 'self' 'unsafe-inline' http: https: blob:
+! https://github.com/AdguardTeam/AdguardFilters/issues/23684
+@@||wallpapers.ispazio.net/advert^
+! https://github.com/AdguardTeam/AdguardFilters/issues/23672
+@@||swatchseries.to/freecale.html?$popup,domain=swatchseries.to
+! https://github.com/AdguardTeam/AdguardFilters/issues/23533
+@@||facebook.com/photo.php^$popup,domain=animeflv.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/23531
+redmondpie.com#@#.advertisment
+! https://github.com/AdguardTeam/AdguardFilters/issues/23408
+@@||happyride.se/img/admarket/
+! https://github.com/AdguardTeam/AdguardFilters/issues/23083
+@@||drfone.wondershare.com/ad/ios12-update/$~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/23110
+! https://github.com/AdguardTeam/AdguardFilters/issues/22850
+@@||them4ufree.com/*/player.php?$popup
+! https://github.com/AdguardTeam/AdguardFilters/issues/22798
+@@||forum.notebookreview.com/threads^
+! https://github.com/AdguardTeam/AdguardFilters/issues/22778
+@@||t.propbn.com/redirect/?spot_id=$domain=proporn.com
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=xxxdan.com
+@@||vjs.zencdn.net/*/video-js.css
+@@||netdna.bootstrapcdn.com/font-awesome^
+! https://github.com/AdguardTeam/AdguardFilters/issues/22770
+@@||gstatic.com/ads/external/images/logo_google_ads_*px.png$domain=support.google.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/22541
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=pikes.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/22514
+@@||trafficdeposit.com/bvideo^$domain=yourporn.sexy
+! https://github.com/AdguardTeam/AdguardFilters/issues/22317
+@@||deals.cheapovegas.com^$domain=cheapovegas.com
+cheapovegas.com#@#a[href*="/www/delivery/"]
+! translate.google.com does not translate if url block value is included in text
+@@||translate.google.*/translate_a/single^
+! https://forum.adguard.com/index.php?threads/https-www-stream2watch-org-will-not-play-if-adguard-is-enabled.29418/#post-171687
+@@||sportsbay.org/stream^$third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/22225
+mozilla.org#@#iframe[width="100%"][height="120"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/22027
+@@||cdn.jsdelivr.net/*/clappr^
+@@||cdn.jsdelivr.net/gh/video-dev^
+! https://forum.adguard.com/index.php?threads/this-site-does-not-show-tv-program-of-radio-broadcasting-site.29377/
+@@||iframe.statics.space/magma/rc/libs/contribAds/*/videojs.ads.min.js$domain=vmf.edge-apps.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/21950
+1001tracklists.com#@#[id][width]
+! https://github.com/AdguardTeam/AdguardFilters/issues/21820
+@@||gelbooru.com/css^
+! https://github.com/AdguardTeam/AdguardFilters/issues/21424
+! Prevent blocking by third-party filters
+@@||download.adguard.com^
+@@||injections.adguard.com^$document
+! https://github.com/AdguardTeam/AdguardFilters/issues/21235
+@@||putlockertv.to/cdn-cgi/l/chk_jschl
+! https://github.com/AdguardTeam/AdguardFilters/issues/19307
+@@||ams.cdn.arkadiumhosted.com/advertisement/video/stable/video-ads.js$domain=games.usatoday.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/21123
+@@||cdn.jsdelivr.net/combine/npm/jquery
+! https://github.com/AdguardTeam/AdguardFilters/issues/20945
+@@||tampabay.com/resources/scripts/dfp/adbridg.js
+! chip.de - when clicking on discount popup rule closes it.
+@@||ad.doubleclick.net/ddm/trackclk^$domain=partners.webmasterplan.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/20263
+@@||ad.a-ads.com/13368^$domain=bitcoinfaucet.tk
+! https://github.com/AdguardTeam/AdguardFilters/issues/20789
+hi.ru#@#div[id^="crt-"][style]
+! https://github.com/AdguardTeam/AdguardFilters/issues/20741
+@@||images*.imagebam.com/ad^
+! https://github.com/AdguardTeam/AdguardFilters/issues/20594
+@@||bizx.info$domain=sourceforge.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/20491
+bencetatil.com#@#.custom-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/20358
+@@||anyporn.com/js/videopreview.js^
+@@||anyporn.com/js/jquery.easy-autocomplete-my.js
+@@||anyporn.com/js/v*_all.js
+@@||anyporn.com/key.jsx
+! https://github.com/AdguardTeam/AdguardFilters/issues/18883
+diet-weight-lose.com#@#.ad-position
+! https://github.com/AdguardTeam/AdguardFilters/issues/18197
+slogen.ru#@##ad_text:not(textarea)
+! https://github.com/AdguardTeam/AdguardFilters/issues/18608
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=kissanime.ac
+! https://github.com/AdguardTeam/AdguardFilters/issues/18189
+@@||edmontonsun.com/*/flyertown_module.js$domain=edmontonsun.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/18416
+@@||torrage.info/torrent.php$popup,third-party
+! youronlinechoices.com - ad status test
+@@||ib.adnxs.com$domain=prmgr.a3cloud.net
+@@||bluekai.com/online-choices^$domain=youronlinechoices.com
+@@||track.adform.net/*serving/opt/iab
+@@||pool.admedo.com/yoc^$domain=youronlinechoices.com
+@@||go.affec.tv/cookie^$domain=youronlinechoices.com
+@@||aax-eu.amazon-adsystem.com/s/yoc^$domain=youronlinechoices.com
+@@||media.fastclick.net/iab^$domain=youronlinechoices.com
+@@||ps.eyeota.net/eopt$domain=youronlinechoices.com
+@@||ps.eyeota.net/opt-in^$domain=youronlinechoices.com
+@@||infectiousmedia.com/iab^$domain=youronlinechoices.com
+@@||ib.adnxs.com/opt$domain=wearemiq.com|infectiousmedia.com
+@@||ib.adnxs.com/getuid$domain=wearemiq.com
+@@||ads.creative-serving.com/yoc^$domain=youronlinechoices.com
+@@||ads.programattik.com/yoc$domain=youronlinechoices.com
+@@||ds.serving-sys.com/OBA/EUROPE^$domain=youronlinechoices.com
+@@||privacy.tapad.com/edaa-coop^$domain=youronlinechoices.com
+@@||tagger.opecloud.com/yoc^$domain=youronlinechoices.com
+@@||insight.adsrvr.org/track/edaa^$domain=youronlinechoices.com
+@@||*optout$domain=smartadserver.com
+@@||oba.uimserv.net/opt$domain=youronlinechoices.com
+@@||you.visualdna.com/user/iab^$domain=youronlinechoices.com
+@@||ziffdavis.com/edaa^$domain=youronlinechoices.com
+@@||aimfar.solution.weborama.fr/fcgi-bin/oba.fcgi?action=opt$domain=youronlinechoices.com
+@@||zdbb.net/edaa^$domain=youronlinechoices.com
+@@||dc.ads.linkedin.com/yoc^$domain=youronlinechoices.com
+@@||adroll.com/edaa^$domain=youronlinechoices.com
+@@||ad4mat.*/cookie^$domain=ad4mat.net|youronlinechoices.com
+@@||*status$domain=youronlinechoices.com
+@@||*optout$domain=youronlinechoices.com
+@@||optout.mookie1.com/optout
+@@||optout*.*^$domain=privacy.aol.com
+@@||ad.amgdgt.com/ads/js/optout.js
+@@||opt.semasio.net/optsvc^$domain=youronlinechoices.com
+@@||et.twyn.com/yocoptstate$domain=youronlinechoices.com
+@@||euoptout.mookie1.com^$domain=optout.mookie1.com
+@@||servedby.flashtalking.com/*iabeu$domain=cdn.flashtalking.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/18365
+@@||emathhelp.net^$csp
+! https://github.com/AdguardTeam/AdguardFilters/issues/16679
+! https://github.com/AdguardTeam/AdguardFilters/issues/17181
+virgintrainseastcoast.com#@#.banner-top
+! https://github.com/AdguardTeam/AdguardFilters/issues/16741
+! https://github.com/AdguardTeam/AdguardFilters/issues/16827
+@@||ads.aiir.net/rf/feed?callback=jQuery
+! https://github.com/AdguardTeam/AdguardFilters/issues/16767
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=tenceretv.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/16544
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=dallasnews.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/16472
+@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=androidrepublic.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/16136
+! https://github.com/AdguardTeam/AdguardFilters/issues/16137
+! https://github.com/AdguardTeam/AdguardFilters/issues/45326
+! https://github.com/AdguardTeam/AdguardFilters/issues/16141
+! @@||yimg.com/uu/api/res^$domain=yahoo.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/15934
+@@||gateway.reddit.com/desktopapi/v*/sidebar_ad$xmlhttprequest
+! https://github.com/AdguardTeam/AdguardFilters/issues/15688
+@@||ad.mail.ru/adq/?callback=jQuery$domain=target.my.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/15416
+@@||code.adsales.snidigital.com/conf/ads-config.js^$domain=foodnetwork.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/15337
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_*.js$domain=beinsports.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/15254
+@@||webbyawards.com/wp-content/uploads/sites/*/json^
+! https://github.com/AdguardTeam/AdguardFilters/issues/14878
+@@||safeway.com/*/?bannerId
+! https://github.com/AdguardTeam/AdguardFilters/issues/13034
+@@||einthusan.tv/etc/prebid/prebid.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/14704
+@@||router.asus.com^$document
+! https://github.com/AdguardTeam/AdguardFilters/issues/14364
+@@||chaturbate.com/*embed^$domain=sweetpornlinks.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/12078
+@@||cnnturk.com/action/media^
+! https://github.com/AdguardTeam/AdguardFilters/issues/14354
+@@||reddithelp.com/*/categories/advertising^
+! Unblocking jQuery
+@@||ajax.googleapis.com/ajax/libs/jquery/
+! https://github.com/AdguardTeam/AdguardFilters/issues/13170
+! https://github.com/AdguardTeam/AdguardFilters/issues/12388
+msn.com#@#a[href^="https://clk.tradedoubler.com/"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/12943
+@@||usercdn.com/tmp/status.html
+@@||usercdn.com/cgi-bin/upload.cgi
+! https://github.com/AdguardTeam/AdguardFilters/issues/13015
+@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=apkmirror.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/12976
+rema.no#@#.top-banners
+! https://github.com/AdguardTeam/AdguardFilters/issues/12960
+@@||account-cdn.myunidays.com^$elemhide,jsinject
+! https://github.com/AdguardTeam/AdguardFilters/issues/12566
+@@||filejoker.net^$image,~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/11753
+@@||sportslens.com/files1/newsnow_f_ab.gif
+! https://github.com/AdguardTeam/AdguardFilters/issues/10947 - higher CPU usage due to constant requests
+@@||voyeurhit.com/related_videos.php
+! https://github.com/AdguardTeam/AdguardFilters/issues/10563
+@@||s0.wp.com/wp-content/js^$domain=gaypornwave.com
+@@||ajax.googleapis.com/ajax/libs/jquery$domain=gaypornwave.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/9416
+@@||download.inventivetalent.org/external/adfly/make.php
+! Messes with the payment page
+@@||publicwww.com/ad/paypro_success.html
+! https://github.com/AdguardTeam/AdguardFilters/issues/6470
+! https://forums.lanik.us/viewtopic.php?f=64&t=35443&p=123220#p123220
+pornhub.com,pornhub.org,pornhub.net#@#div > [style] iframe[width][height]
+pornhub.com,pornhub.org,pornhub.net#@#[style] > div > iframe[width]:first-child
+! https://github.com/AdguardTeam/AdguardFilters/issues/6044
+! https://forums.lanik.us/viewtopic.php?f=64&t=37759
+@@||loginradius.com^$domain=voot.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/3878
+! https://forums.lanik.us/viewtopic.php?f=64&t=37559&p=121360#p121360
+@@||windowscentral.com/sites/wpcentral.com/files/advagg_js/$script
+! https://forum.adguard.com/index.php?threads/23271/
+! https://forums.lanik.us/viewtopic.php?f=64&t=37309
+@@/site=*/size=*/viewid=$domain=morningstar.in
+! https://github.com/AdguardTeam/AdguardFilters/issues/63821
+@@||files*.lynda.com/secure/courses/*.mp4$media,domain=linkedin.com|lynda.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/63777
+! https://github.com/AdguardTeam/AdguardFilters/issues/2248
+@@||protopage.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/31083
+! https://github.com/AdguardTeam/AdguardFilters/issues/22524
+@@||cdn.syndication.twimg.com/tweets.json?callback=$domain=wrestlinginc.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/22111
+@@||androidcentral.com^$csp=script-src 'self' * 'unsafe-inline'
+! https://github.com/AdguardTeam/AdguardFilters/issues/21401
+@@||googletagservices.com/tag/js/gpt.js$domain=weather.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/20845
+@@||sascdn.com/diff/js/smart.js$domain=deezer.com
+@@||smartadserver.com/ac^$domain=deezer.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/17500
+motherless.com#@#iframe[style]
+! https://github.com/AdguardTeam/AdguardFilters/issues/21864
+ekstrabladet.dk#@##adtechWallpaper
+! https://github.com/AdguardTeam/AdguardFilters/issues/21977
+@@||powvideo.net/$~third-party,popup
+@@||powvideo.net/new/css/fonts/font/custom-icons.$font
+@@||powvideo.net/player*/jw-$~third-party,xmlhttprequest
+! https://github.com/AdguardTeam/AdguardFilters/issues/21807
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=hackedarcadegames.com
+! animeland.me - fixing download button
+@@||animeland.me/pa.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/21218
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=hungama.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/20971
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_$domain=epaper.timesgroup.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/20908
+! fixing "zoom" button in gallery
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_$domain=gumtree.com
+||securepubads.g.doubleclick.net/gpt/pubads_impl_rendering_$domain=gumtree.com,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/20615
+@@||api.pnd.gs/v*/sources/$domain=thenews.im
+! umterps.com - fixing video player
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=umterps.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/20530
+readwhere.com#@#.adunit
+! https://github.com/AdguardTeam/AdguardFilters/issues/20456
+@@||img.techwallacdn.com/300x250/photos.demandstudios.com/getty/article/*/*.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/20254
+! https://github.com/AdguardTeam/AdguardFilters/issues/20470
+@@||jkanime.net/jk.php?
+@@||jkanime.net//buscar/q/?q=
+@@||staticxx.facebook.com/connect/xd_arbiter/*.js?version=$domain=jkanime.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/19663
+@@||tbs.com/modules/custom/ten_libraries/reusedFrom*/adHelper.js$~third-party
+@@||tntdrama.com/modules/custom/ten_libraries/reusedFrom*/adHelper.js$~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/20188
+@@||4chan.org/adv/$image,domain=4chan.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/19619
+@@||infowars.com/wp-content/themes/$image
+! https://github.com/AdguardTeam/AdguardFilters/issues/19540
+@@||kisscartoon.ac/cdn-cgi/l/chk_jschl?jschl_vc=$popup
+@@||kisscartoon.ac/ajax/$popup
+@@||play.kisscartoon.ac/player.php?
+@@||kisscartoon.ac/themes/vast/videojs.ads.min.js
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=kisscartoon.ac
+! https://github.com/AdguardTeam/AdguardFilters/issues/19103
+@@||v.fwmrm.net/ad/g/1$domain=player.theplatform.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/18651
+business.financialpost.com#@#.adsizewrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/18217
+silicon.de#@#.dfp_ad
+silicon.de#@#div[id^="div-gpt-ad"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/18199
+@@||readmng.com^$csp=script-src 'self' * 'unsafe-inline'
+! https://github.com/AdguardTeam/AdguardFilters/issues/16676
+nationalpost.com#@#.adsizewrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/17406
+@@||v.fwmrm.net/ad/g/1?$domain=funimation.com
+@@||mssl.fwmrm.net/p/release/latest-JS/adm/prd/AdManager.js$domain=funimation.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/16915
+motors.mega.mu#@#.ad-row
+motors.mega.mu#@#.ad-icon
+motors.mega.mu#@#.ad-card
+! https://github.com/AdguardTeam/AdguardFilters/issues/16893
+@@||animeflv.ru/assets/vast/videojs.ads.min.js
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=animeflv.ru
+@@||embed.animeflv.ru/player.php?
+! https://github.com/AdguardTeam/AdguardFilters/issues/16894
+@@||cloudfront.net/wp-content/uploads/products/*-300x600.$image,domain=mecox.wpengine.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/16198
+@@||sonycrackle.com/vendor/AdManager.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/16376
+@@||bdstatic.com/static/common/widget/ui/admanager/
+! https://github.com/AdguardTeam/AdguardFilters/issues/120846
+! https://github.com/AdguardTeam/AdguardFilters/issues/16336
+||fastcontentdelivery.com^$badfilter
+! animeflv.net - broken Facebook comments
+@@||staticxx.facebook.com/connect/xd_arbiter/*.js?version=$domain=animeflv.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/15551
+@@||pagead2.googlesyndication.com/pagead/js/r*/show_ads_impl.js$domain=utmn.gnomio.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/15319
+@@||cityam.com/assets/js/dfp/dfp.js$~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/14610
+! https://github.com/AdguardTeam/AdguardFilters/issues/15074
+! shinden.pl - broken Facebook comments
+@@||staticxx.facebook.com/connect/xd_arbiter/*.js?version=$domain=shinden.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/14912
+@@||oasjs.kataweb.it/adsetup.js$domain=video.repubblica.it
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=repubblica.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/14339
+@@||btdunyasi.net/wp-content/plugins/adrotate-pro/library/jquery.cookie.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/14735
+ma-bank.net#@#.ad_top
+! https://github.com/AdguardTeam/AdguardFilters/issues/14240
+! https://github.com/AdguardTeam/AdguardFilters/issues/14234
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=shares.enetres.net
+@@||player.enetres.net/js/videojs-plugins/videojs-ads-contrib/videojs.ads.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/14061
+zmorph3d.com#@#.b-header-banner
+! https://github.com/AdguardTeam/AdguardFilters/issues/14070
+! https://github.com/AdguardTeam/AdguardFilters/issues/13294
+@@||adpic.pchome.com.tw/adpics/
+! https://github.com/AdguardTeam/AdguardFilters/issues/13795
+! https://github.com/AdguardTeam/AdguardFilters/issues/14315
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=embed-zattoo.com
+! Do not inject to sendgrid template engine
+@@||app.sendgrid.com^$elemhide,jsinject
+! https://github.com/AdguardTeam/AdguardFilters/issues/14099
+@@||bapi.adsafeprotected.com/bapi?anId=*&auth_token=$domain=entrepreneur.com
+@@||bapi.adsafeprotected.com/dbapi?ias_callback=__IntegralAS_$domain=entrepreneur.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/13732
+@@||translator.strakertranslations.com^$generichide
+! https://github.com/AdguardTeam/AdguardFilters/issues/13535
+! https://github.com/AdguardTeam/AdguardFilters/issues/14029
+@@||imore.com/sites/imore.com/files/*/public/field/image/*/google-ad$image,domain=imore.com
+@@||imore.com/sites/imore.com/files/*/public/field/image/*/adchoices-$image,domain=imore.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/13930
+@@||hoyts.com.au/media/*_300x250
+! https://github.com/AdguardTeam/AdguardFilters/issues/13623
+@@||googletagservices.com/tag/js/gpt_mobile.js$domain=www.vulture.com
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_$domain=www.vulture.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/13496
+@@||twitchadvertising.tv/wp-content/uploads/2014/06/header_logo_advertising.png
+! digitaltrends.com - fixing slide show
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_$domain=digitaltrends.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/13454
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_$domain=mlive.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/128777
+@@||pubads.g.doubleclick.net/ssai/event/$xmlhttprequest,domain=sbs.com.au
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=sbs.com.au
+! https://github.com/AdguardTeam/AdguardFilters/issues/13476
+@@||zone.msn.com/js/gameplayer/admanager.js$domain=zone.msn.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/13344
+@@/OutbrainWidgetConnector.js$domain=foxnews.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/12997
+@@||pagead2.googlesyndication.com/pagead/js/r*/show_ads_impl.js$domain=updato.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/12821
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_$domain=rappler.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/12658
+@@||maimemo.oss-cn-hangzhou.aliyuncs.com/apk/*.apk$domain=maimemo.com
+! Unblock video player
+||vidstream.pro/E/$badfilter
+@@||cdnjs.cloudflare.com/ajax/libs/$domain=fmovies.to
+@@||mcloud.to/embed/$domain=fmovies.to
+! https://github.com/AdguardTeam/AdguardFilters/issues/11536
+@@||5692.com.ua/assets/*/ads-complain.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/12072
+tusfiles.net#@#.btn
+! https://github.com/AdguardTeam/AdguardFilters/issues/11883#issuecomment-367017541
+@@||bing.com/news/search?*InfiniteScroll=$document
+! https://github.com/AdguardTeam/AdguardFilters/issues/11196#issuecomment-364187868
+twitter.com#@#iframe[width="100%"][height="120"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/11050
+msn.com#@#.morefromproviderrr
+! https://github.com/AdguardTeam/AdguardFilters/issues/10364
+! https://github.com/AdguardTeam/AdguardFilters/issues/10437#issuecomment-361239779
+gahag.net#@#.adbox2
+! https://github.com/AdguardTeam/AdguardFilters/issues/10136
+@@||aka-cdn.adtechus.com/dt/common/DAC.js$domain=casabrutus.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/10235
+gelbooru.com#@#[style*="height:"][width]
+gelbooru.com#@#[style*="width:"][height]
+! https://github.com/AdguardTeam/AdguardFilters/issues/9823
+! https://github.com/AdguardTeam/AdguardFilters/issues/9779
+@@||google.*/images/icons/product/adsense-
+! https://github.com/AdguardTeam/AdguardBrowserExtension/issues/926
+! https://github.com/AdguardTeam/AdguardFilters/issues/9529
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=netd.com
+! https://forum.adguard.com/index.php?threads/27794/
+@@||stat-rock.com/player.js$domain=4shared.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/9288
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=games.latimes.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/9151
+@@||hoyts.com.au^$generichide
+@@||securepubads.g.doubleclick.net^$domain=hoyts.com.au
+@@||tpc.googlesyndication.com^$domain=hoyts.com.au
+! https://github.com/AdguardTeam/AdguardFilters/issues/9029
+@@||authedmine.com/lib/captcha.min.js$domain=filecrypt.cc
+! https://github.com/AdguardTeam/AdguardBrowserExtension/issues/182
+! fixing acceptable ads on Google search
+!#safari_cb_affinity(all)
+!#safari_cb_affinity
+!
+! https://forum.adguard.com/index.php?threads/27231/
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=lenta.ru
+! https://github.com/AdguardTeam/AdguardFilters/issues/8635
+@@||static.lbc.co.uk/*/libs/videojs/vast/video.ads.js$domain=lbc.co.uk
+@@||cdn.adswizz.com/adswizz/js/SynchroClient*.js$domain=www.lbc.co.uk
+! https://github.com/AdguardTeam/HttpsExclusions/issues/50
+@@||online.cosmosbank.in^$document
+! see customer ID:1693588
+@@||kiwihousesitters.co.nz/members$urlblock
+! https://github.com/AdguardTeam/AdguardFilters/issues/8527
+@@||sharing.wtf/themes/flow/frontend_assets/js/advertisement.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/8529
+@@||grinx.designboom.com/www/delivery/ajs.php?zoneid=$script
+! target.my.com - fixing admin panel
+@@||target.my.com^$~third-party,document
+! https://github.com/AdguardTeam/AdguardFilters/issues/8080
+! https://github.com/AdguardTeam/AdguardFilters/issues/8951
+@@||gratis.com/Banners/
+! https://forum.adguard.com/index.php?threads/resolved-cimri-com.27223/
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_$domain=cimri.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/7903
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=dingit.tv
+@@||dingit.tv/dingit2/static/player/videojs.ads.js
+@@||dingit.tv/dingit2/static/player/prebid.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/7904
+yiv.com#@##adsContainer
+! https://github.com/AdguardTeam/AdguardFilters/issues/8026
+grownuprap.com#@#iframe[width="100%"][height="120"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/8014
+europaplus.ru#@#img[width="240px"][height="400px"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/7809
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_$domain=plug.dj
+! https://github.com/AdguardTeam/AdguardFilters/issues/7943
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=autorambler.ru
+! https://forum.adguard.com/index.php?threads/27159/
+bloomberg.com#@#.page-ad
+@@||securepubads.g.doubleclick.net/pagead/ppub_config?$domain=bloomberg.com
+@@||securepubads.g.doubleclick.net/gampad/ads?$domain=bloomberg.com
+@@||securepubads.g.doubleclick.net/tag/js/gpt.js$domain=bloomberg.com
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_$domain=bloomberg.com
+! https://forum.adguard.com/index.php?threads/http-context-reverso-net.27054/
+@@||dictionary.reverso.net/dictlookupiframe.aspx^$elemhide,jsinject,domain=context.reverso.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/7810
+@@||admin.mailchimp.com^
+! https://github.com/AdguardTeam/AdguardFilters/issues/7691
+! https://github.com/AdguardTeam/AdguardFilters/issues/7750
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=watch.nba.com
+! https://forum.adguard.com/index.php?threads/26882/
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_$domain=history.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/7566
+@@||ally.sh/static/js/jquery.min.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/7603
+androidauthority.com#@#.tpd-box
+@@||s.206ads.com/core.js$domain=androidauthority.com
+@@||s.206ads.com/prebid.js$domain=androidauthority.com
+@@||s.206ads.com/helper.js$domain=androidauthority.com
+@@||s.206ads.com/js/data/androidauthority.com.js$domain=androidauthority.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/7534
+usedalberni.com#@#.ad-img
+usedalberni.com#@#.ad-container
+! onlinemschool.com - infinite loading
+@@||pagead2.googlesyndication.com/pub-config/ca-pub-$script,domain=onlinemschool.com
+@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=onlinemschool.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/7344
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_$domain=tvmovie.de
+! https://github.com/AdguardTeam/AdguardFilters/issues/7890
+@@||xhcdn.com/*/fonts$font
+! https://github.com/AdguardTeam/AdguardFilters/issues/7295
+! https://github.com/AdguardTeam/AdguardFilters/issues/7233
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=iz.ru
+! https://forum.adguard.com/index.php?threads/15844/
+@@||ads.ayads.co/ajs.php?zid=$domain=411mania.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/7198
+! caused by `||thepiratebay.org/*.php?`
+@@||thepiratebay.*/ajax_
+! https://forum.adguard.com/index.php?threads/26245/
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=ntvspor.net
+! https://forum.adguard.com/index.php?threads/14368/
+@@||gelbooru.com/script/try.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/7029
+@@||k.uecdn.es/html5/html5lib/*/modules/DoubleClick/resources/mw.DoubleClick.js$domain=videos.marca.com
+! https://forum.adguard.com/index.php?threads/myplaycity-com.25958/
+@@||m.myplaycity.com/online/*/admanager.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/7131
+godlikeproductions.com#@#img[width="468"][height="60"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/7100
+! https://forum.adguard.com/index.php?threads/25882/
+@@||shoptimise.fr/Content/Images/bann_
+! Domain is used for connectivity check
+@@||connectivitycheck.gstatic.com^$important
+! unnecessary injection into a checkout page
+! unnecessary js/css injection to a hidden xhr
+! https://github.com/AdguardTeam/AdguardFilters/issues/6744
+@@||m.azonline.de/var/storage/images/*_image_300_250.jpg$~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/6914
+! https://forum.adguard.com/index.php?threads/14368/
+@@||gelbooru.com/script/jquery*.js
+@@||gelbooru.com/script/lazyload.js
+@@||gelbooru.com/script/miscJs.js
+@@||maxcdn.bootstrapcdn.com/bootstrap/$domain=gelbooru.com
+! https://forum.adguard.com/index.php?threads/7933/
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=matchtv.ru|sportbox.ru
+! https://github.com/AdguardTeam/AdguardFilters/issues/6928
+! https://github.com/AdguardTeam/AdguardFilters/issues/6883
+! Yandex Metrika - some icons are blocked
+@@||yastatic.net/metrika/*/bower_components/$domain=metrika.yandex.ru|metrika.yandex.by|metrika.yandex.kz|metrika.yandex.com.tr
+! https://github.com/AdguardTeam/AdguardFilters/issues/6900
+@@||downloads.freevintageposters.com/advertising-posters.jpg
+! https://github.com/AdguardTeam/AdguardFilters/issues/6900
+! https://github.com/AdguardTeam/AdguardFilters/issues/6770
+@@||moat.com/creatives/advertiser/$domain=moat.com
+@@||moat.com/api/entity_report/advertiser/$domain=moat.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/6819
+! cwseed.com - player is broken
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=cwseed.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/6821
+! https://github.com/AdguardTeam/AdguardFilters/issues/6799
+! https://github.com/AdguardTeam/AdguardFilters/issues/6756
+@@||pornhub.*/signup
+! https://github.com/AdguardTeam/AdguardFilters/issues/6591
+@@||static.cz.prg.cmestatic.com/static/shared/app/videojs/plugins/ads/videojs.ads.js$domain=nova.cz
+@@||static.cz.prg.cmestatic.com/static/shared/app/videojs/plugins/ads/ads.integration.*.js$domain=nova.cz
+! https://github.com/AdguardTeam/AdguardFilters/issues/6438
+@@||cdnjs.cloudflare.com/ajax/libs/videojs-contrib-ads/*/videojs.ads.js$domain=radiojavan.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/6495
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=greatdaygames.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/6508
+@@||static.h-bid.com/prebid/*/prebid.js$domain=makeuseof.com
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_$domain=makeuseof.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/6374
+@@||o.aolcdn.com/ads/adsWrapperHeader.min.js$domain=moviefone.com
+@@||googletagmanager.com/gtm.js$domain=moviefone.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/6500
+! https://github.com/AdguardTeam/AdguardFilters/issues/7077
+!+ NOT_OPTIMIZED
+@@||tags.crwdcntrl.net/*/cc_af_ajax.js$domain=infinitiq50.org
+! weather.rambler.ru - chart is blocked
+@@||weather.rambler.ru/static/*/dist/adfox/adfox-loader.min.js^$domain=weather.rambler.ru
+! https://github.com/AdguardTeam/AdguardFilters/issues/6336
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=nydailynews.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/6345
+@@||hdzog.com/assets/jwplayer-*/jw-icons.woff
+! https://github.com/AdguardTeam/AdguardFilters/issues/6428
+!+ NOT_PLATFORM(windows, mac, android)
+@@||testufo.com/*.html$jsinject,elemhide
+! https://github.com/AdguardTeam/AdguardFilters/issues/6174
+||z.moatads.com/freewheel*/MoatFreeWheelJSPEM.js$script,redirect=noopjs,domain=ncaa.com,important
+@@||z.moatads.com/freewheel*/MoatFreeWheelJSPEM.js$domain=ncaa.com
+@@||fwmrm.net/ad/g/1?$domain=ncaa.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/6165
+||z.moatads.com/freewheel*/MoatFreeWheelJSPEM.js$script,redirect=noopjs,domain=pga.com,important
+@@||z.moatads.com/freewheel*/MoatFreeWheelJSPEM.js$domain=pga.com
+@@||fwmrm.net/ad/g/1?$domain=pga.com
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/6113
+@@||yastatic.net/pcode/adfox/loader.js$domain=hitfm.ru
+!
+! outlook.live.com - when this file is modified by AG, windows defender detects it as a HTML/Phish
+@@||outlook.live.com/owa/projection.aspx$document
+! https://github.com/AdguardTeam/AdguardFilters/issues/6100
+techport.ru#@#.banners_block
+!
+! https://forum.adguard.com/index.php?threads/23950/
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/5998
+kitguru.net#@#div > a[class] > img[src]
+! https://github.com/AdguardTeam/AdguardFilters/issues/5901
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=proper.io
+@@||proper.io/embed/$domain=explosm.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/5915
+@@||adengine.rt.ru^$domain=rt.ru
+! https://github.com/AdguardTeam/AdguardFilters/issues/5858
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=gamejolt.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/5867
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_$domain=techadvisor.co.uk
+! https://forum.adguard.com/index.php?threads/journalistenwatch-com.23716/
+@@||journalistenwatch.com/wp-content/plugins/advanced-ads/public/assets/js/advanced.js
+! https://forum.adguard.com/index.php?threads/23608/
+@@||ddnk.advertur.ru/*/code.js$domain=grouple.co
+@@||ddnk.advertur.ru/*/loader.js$domain=grouple.co
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/5841
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/5739
+@@||eye.swfchan.com/captcha/*.gif$domain=eye.swfchan.com
+@@||eye.swfchan.com/flash.asp?id=*.swf$domain=eye.swfchan.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/5737
+@@||cbsistatic.com/scripts/NativeAdManager.js^$domain=cbsnews.com
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/5830
+@@||s*.rea.reastatic.net/rs/rui_advertorial.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/5637
+@@||chop-druzhina.ru/images/adv*.png
+! https://github.com/AdguardTeam/AdguardFilters/issues/5567
+@@||adpop.me^$domain=adpop.me
+! https://forum.adguard.com/index.php?threads/resolved-saavn-com-missed-ads-windows.22981/#post-143066
+@@||pubads.g.doubleclick.net/gampad/adx^$domain=saavn.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/3708
+!
+! http://forum.ru-board.com/topic.cgi?forum=2&topic=5372&start=400#2
+@@||images.intellicast.com/Scripts/ad-v3.js
+! https://forum.adguard.com/index.php?threads/23050/
+@@||ad.lkqd.net/serve/formats.js$domain=breitbart.com
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/5494
+! adamas.ru- filter is broken by Adguard injections
+!+ NOT_PLATFORM(windows, mac, android)
+@@||adamas.ru^$jsinject,elemhide
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/53202
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=digitalspy.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/5486
+@@||imore.com/sites/imore.com/files/advagg_js/$script
+! https://github.com/AdguardTeam/AdguardFilters/issues/5376
+@@||gett.com/*/wp-content/uploads/sites/*/adv*.png
+! androidcentral.com - fixing loading the news when scrolling or pressing `SHOW ME MORE` button
+@@||androidcentral.com/sites/androidcentral.com/files/advagg_js/js__*.js
+! https://forum.adguard.com/index.php?threads/22224/
+! https://forum.adguard.com/index.php?threads/http-gelbooru-com.14368/
+gelbooru.com#@##paginator
+! https://forum.adguard.com/index.php?threads/22108/
+@@||googletagservices.com/tag/js/gpt.js$domain=askmen.com
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_$domain=askmen.com
+! https://forum.adguard.com/index.php?threads/21931/
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=rtl.arkadiumhosted.com
+! https://forum.adguard.com/index.php?threads/21833/
+@@||cdn.betrad.com/pub/icon*.png$domain=ehow.co.uk
+! https://forum.adguard.com/index.php?threads/22017/
+scanurl.net#@#.adcomment
+! https://github.com/AdguardTeam/AdguardFilters/issues/4947
+@@||speedtest.net/api/js/user-settings|$xmlhttprequest
+! xhamster.com - blocked video
+@@||cdn13.com/*.mp4?$domain=xhamster.com
+! https://github.com/AdguardTeam/AdguardForMac/issues/193
+@@||dropbox.com/*/oauth$document
+! https://forum.adguard.com/index.php?threads/20993/
+kalaydo.de,cyberghostvpn.com#@##adbox
+! https://forum.adguard.com/index.php?threads/20799/
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=gsgazete.com
+! https://forum.adguard.com/index.php?threads/20736/
+@@||youjizz.com/js/default.js
+! https://forum.adguard.com/index.php?threads/20723/
+neowin.net#@##ipsLayout_contentWrapper > .ipsResponsive_hidePhone
+! https://forum.adguard.com/index.php?threads/20804/
+@@||acdn.adnxs.com/ast/ast.js$domain=msn.com
+! https://forum.adguard.com/index.php?threads/16580/
+@@||api.solvemedia.com/papi/
+! https://forum.adguard.com/index.php?threads/20682/
+@@||photos.timesofindia.com/toi_js_ads.cms
+! https://forum.adguard.com/index.php?threads/20196/
+@@||hypem.com/inc/header_menu$document
+! https://github.com/AdguardTeam/AdguardFilters/issues/4646
+macbidouille.com#@##advertContainer
+! https://forum.adguard.com/index.php?threads/20259/
+trthaber.com#@#div[id^="div-gpt-ad"]
+! Fixing Sheremetyevo WiFi auth
+@@||adv.svo.aero/wifi_svo/*$domain=svo.aero
+! https://forum.adguard.com/index.php?threads/20085/
+@@|http://$xmlhttprequest,domain=depositfiles.com|depositfiles.org|dfiles.eu|dfiles.ru
+@@|https://$xmlhttprequest,domain=depositfiles.com|depositfiles.org|dfiles.eu|dfiles.ru
+! dashboard.jwplayer.com - broken by Adguard injections
+@@||dashboard.jwplayer.com^$document
+! adsjudo adblock detection - https://forum.adguard.com/index.php?threads/vmovee-click.19958/#post-128586
+@@||precheck-in.adsjudo.com/*/advertisement.js^
+! https://forum.adguard.com/index.php?threads/19934/
+blag-vesti.ru#@#.adslot_1
+! https://github.com/AdguardTeam/AdguardFilters/issues/4526
+@@||c.betrad.com/geo/h1.js$domain=video.corriere.it
+@@||c.betrad.com/pub/c/*.js$domain=video.corriere.it
+! Skype app - Assistant in the auth window
+@@||clientlogin.cdn.skype.com^$document
+! Youtube search suggestions not working (Edge with browser extension only)
+@@||pubads.g.doubleclick.net/gampad/ads?ad_rule=0&d_imp=1&gdfp_req=1&iu=%2F6762%2Fmkt.ythome_1x1$domain=youtube.com
+@@||pubads.g.doubleclick.net/gampad/ads?ad_rule=0&d_imp=1&gdfp_req=1&impl=ifr$domain=youtube.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/4460
+theanimalrescuesite.com#@#.adLink
+! https://github.com/AdguardTeam/AdguardFilters/issues/4396
+orthodox.or.th#@#.sidebaradbox
+! https://forum.adguard.com/index.php?threads/19570/
+@@||anyporn.com/player/kt_player.js
+! https://forum.adguard.com/index.php?threads/16793/
+@@||nitroflare.com/view/$xmlhttprequest
+! https://github.com/AdguardTeam/AdguardFilters/issues/4314
+@@||ll-media.tmz.com/*-300x250.
+! https://github.com/AdguardTeam/AdguardFilters/issues/4310
+@@||instreamvideo.ru/storage/inplayer/js/in-player.js
+@@||instreamvideo.ru/crossdomain.xml|
+@@||instreamvideo.ru/storage/InstreamVideoPlugin
+@@||instreamvideo.ru/storage/inplayer/$third-party,image,script,stylesheet
+! https://forum.adguard.com/index.php?threads/19161/
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_108.js^$domain=pocketnow.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/4152
+@@||bs.serving-sys.com/crossdomain.xml$domain=rte.ie
+! https://forum.adguard.com/index.php?threads/18752/
+@@||anyporn.com/player/kt_player_*.jsx
+! https://github.com/AdguardTeam/AdguardFilters/issues/3964
+@@||account.leagueoflegends.com/pm.html$jsinject,elemhide
+! https://forum.adguard.com/index.php?threads/s18456/
+domodedovo.ru#@##adBanner1
+domodedovo.ru#@##adLink1
+! https://forum.adguard.com/index.php?threads/18482/
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=sondakika.com
+! https://forum.adguard.com/index.php?threads/18363/
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_$domain=southwalesargus.co.uk
+! https://github.com/AdguardTeam/AdguardFilters/issues/11609
+@@||mssl.fwmrm.net/crossdomain.xml$domain=msn.com
+@@||mssl.fwmrm.net/p/msn_live/AdManager.swf$domain=msn.com
+! sendgrid.com - fixing account
+@@||sendgrid.com/marketing_campaigns$document
+@@||app.sendgrid.com$document
+! https://github.com/AdguardTeam/AdguardFilters/issues/3762
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=einthusan.ca|einthusan.tv|einthusan.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/3805
+@@||m.haberler.com/static/advertisement/ads_ima.js$domain=m.haberler.com
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_$domain=m.haberler.com
+! ibtimes.co.in - site is hanging
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_$domain=ibtimes.co.in
+! https://forum.adguard.com/index.php?threads/17898/
+@@||bucket.fitwhey.com/Banners^$domain=fitwhey.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/3729
+@@||player.ooyala.com/static/*/ad-plugin/google_ima.min.js$domain=vulture.com
+! https://forum.adguard.com/index.php?threads/17083/
+@@||androidcentral.com/content/$domain=androidcentral.com,xmlhttprequest
+! https://github.com/AdguardTeam/AdguardFilters/issues/3673
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=videonuz.ensonhaber.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/3646
+@@||adtech.de/dt/common/DAC.js$domain=worldsnooker.com
+! https://forum.adguard.com/index.php?threads/16819/
+@@||publisher.adservice.com^$document
+! Unblock a control panel for FB advertisers
+@@||scontent.xx.fbcdn.net/hads-ak-prn2/*.png$domain=facebook.com|facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion
+! https://forum.adguard.com/index.php?threads/13738/
+@@||themes.googleusercontent.com/static/fonts/$domain=tweaktown.com
+! https://forum.adguard.com/index.php?threads/16226/
+@@_468x60_$domain=top100arena.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/3460
+@@||motherless.com/favorites/
+! https://github.com/AdguardTeam/AdguardForWindows/issues/1292
+@@||192.168.$~third-party
+! https://forum.adguard.com/index.php?threads/15980/
+@@||loksatta.com/wp-content/themes/vip/loksatta/plugins/*ads*.js
+! https://forum.adguard.com/index.php?threads/15783/
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=haber7.com
+! https://forum.adguard.com/index.php?threads/15754/
+@@||maps.googleapis.com^$domain=last.fm,script
+@@||static-web.last.fm/static/js-build/lib/ua-parser/ua-parser-*.min.js
+! https://forum.adguard.com/index.php?threads/11829/
+@@||linkbucks.com/scripts/intermissionLink*.js
+! https://forum.adguard.com/index.php?threads/15743/
+xtremetop100.com#@#img[width="468"][height="60"]
+! https://forum.adguard.com/index.php?threads/18401/
+@@||global.fncstatic.com/*/OutbrainWidgetConnector.js$domain=video.foxnews.com|video.foxbusiness.com|foxnews.com
+@@||partner.googleadservices.com/gpt/pubads_$domain=video.foxnews.com|video.foxbusiness.com
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=video.foxnews.com|video.foxbusiness.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/3146
+@@||gstatic.com/images/branding/product/*/adsense_$image,domain=support.google.com
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/3267
+@@||simple.ripley.cl$generichide
+@@||partner.googleadservices.com/gpt/pubads_impl_$domain=simple.ripley.cl
+@@||securepubads.g.doubleclick.net/gampad/ads$domain=simple.ripley.cl
+@@||tpc.googlesyndication.com/simgad/*$domain=simple.ripley.cl
+!
+!--- Fixing speedtest.net issues ---
+@@|http*:*/ws|$domain=beta.speedtest.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/4612
+@@||speedtest.net/*-login.php$domain=speedtest.net
+!
+! https://forum.adguard.com/index.php?threads/19933/
+@@/ws$websocket,domain=speedtest.net
+! https://forum.adguard.com/index.php?threads/16540/
+@@||speedtest.net/api/api.php
+!
+@@/speedtest/upload.php$domain=speedtest.net
+! http://forum.adguard.com/showthread.php?6024
+@@||beta.speedtest.net/dist/
+@@||beta.speedtest.net/api/
+! https://forum.adguard.com/index.php?threads/14776/
+@@|https://www.speedtest.net/user-*.php$script,xmlhttprequest
+! https://forum.adguard.com/index.php?threads/15424/
+@@||c.speedtest.net/flash/speedtest-*.swf
+@@||c.speedtest.net/flash/standard-*.swf
+@@||c.speedtest.net/flash/wave-*.swf
+!-----------------------------------------
+!
+! https://forum.adguard.com/index.php?threads/26590/
+@@||c.disquscdn.com/next/embed/*$domain=thewindowsclub.com
+@@||google.com/uds/api/search/$domain=thewindowsclub.com
+@@||creative.wwwpromoter.com/*.js?d=300x250$script,domain=hdmoviezone.net
+@@||creative.wwwpromoter.com/*.js?d=728x90$script,domain=hdmoviezone.net
+! https://forum.adguard.com/index.php?threads/19006/
+@@||camif.fr/skin/m/
+! https://forum.adguard.com/index.php?threads/16836/
+stopgame.ru#@#iframe[width="240"][height="400"]
+! https://github.com/AdguardTeam/AdguardFilters/issues/3295
+@@||ebookbb.com/wp-content/plugins/wp-minify/min/?f=
+! https://forum.adguard.com/index.php?threads/15314/
+topserver.ru#@##ads1
+! https://forum.adguard.com/index.php?threads/15294/
+@@||uptobox.com/jquery-*.min.js$script
+! https://github.com/AdguardTeam/AdguardFilters/issues/3265
+@@||pdk.video.snidigital.com/*/AdManager.swf$domain=hgtv.com
+@@||adm.fwmrm.net/p/scripps_pdk_flash_live/AdManager.swf$domain=hgtv.com
+@@||adm.fwmrm.net/p/scripps_pdk_flash_live/Video2AdRenderer.swf$domain=hgtv.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/3255
+@@||mssl.fwmrm.net/p/nbcu_*/AdManager.js$domain=nbcsports.com
+@@||securepubads.g.doubleclick.net/gpt/pubads_impl_$domain=nbcsports.com
+@@||mps.nbcuni.com/fetch/ext/load-nbcsports-web.js$domain=nbcsports.com
+@@||mps.nbcuni.com/request/page/jsonp?CALLBACK=mpsCallback&cat=home$domain=nbcsports.com
+@@||mps.nbcuni.com/request/component/automagic?name=abga.js$domain=nbcsports.com
+@@||mps.nbcuni.com/images/MPS-ERROR-REPORTING.png$domain=nbcsports.com
+@@||pdk.theplatform.com/*/AdManager.swf$domain=vplayer.nbcsports.com
+@@||mssl.fwmrm.net/crossdomain.xml$domain=vplayer.nbcsports.com
+@@||bea4.v.fwmrm.net/ad/u$domain=nbcsports.com
+@@||mssl.fwmrm.net/p/nbcu_sports_tp_live/AdManager.swf$domain=vplayer.nbcsports.com
+! https://forum.adguard.com/index.php?threads/15064/
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=diziler.com
+! https://forum.adguard.com/index.php?threads/14815/
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=haberler.com
+! https://forum.adguard.com/index.php?threads/14736/
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=aksam.com.tr
+! https://forum.adguard.com/index.php?threads/14802/
+@@||sign.mojebanka.cz$elemhide,jsinject
+! https://github.com/AdguardTeam/AdguardFilters/issues/3133
+@@||sh.st$generichide
+! https://forum.adguard.com/index.php?threads/14480/
+@@||pornhub.*/*?ajax=*&$xmlhttprequest
+@@||pornhub.*/*?*&ajax=$xmlhttprequest
+! https://forum.adguard.com/index.php?threads/14431/
+viralthread.com#@#.affiliate
+! https://forum.adguard.com/index.php?threads/14381/
+@@||v.fwmrm.net/ad/p/1?$domain=pdk.video.snidigital.com
+@@||video.snidigital.com/*/AdManager.swf$domain=video.snidigital.com
+@@||adm.fwmrm.net/*/AdManager.swf$domain=video.snidigital.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/3098
+@@||xvideos.com/video-get-comments/
+! https://github.com/AdguardTeam/AdguardFilters/issues/3099
+pogo.com#@##leaderboard-ad
+! usanetwork.com
+@@||fwmrm.net/crossdomain.xml$domain=player.theplatform.com
+@@/admanager.$domain=player.theplatform.com
+@@||fls.doubleclick.net^$domain=usanetwork.com
+! https://forum.adguard.com/index.php?threads/13850/
+@@||pdk.theplatform.com/*/FreeWheelAdManagerLoader.swf$domain=pdk.theplatform.com
+@@||fwmrm.net/p/nbcu_live/AdManager.swf$domain=pdk.theplatform.com
+! https://forum.adguard.com/index.php?threads/13849/
+@@||ag.innovid.com/dv/sync$domain=mylifetime.com
+@@||pixel.sitescout.com^$domain=mylifetime.com
+@@||bea4.v.fwmrm.net^$domain=mylifetime.com
+@@adm.fwmrm.net/p/aetn_live/AdManager.swf$domain=mylifetime.com|aetnd.com
+@@||c.amazon-adsystem.com/aax2/amzn_ads.js$domain=mylifetime.com
+@@||serving-sys.com^$domain=mylifetime.com
+@@||aax.amazon-adsystem.com^$domain=mylifetime.com
+@@||cdn.watch.aetnd.com/*/swf/FreeWheelAdManagerLoader.swf$domain=mylifetime.com
+@@||ad.doubleclick.net/ddm/ad/$domain=mylifetime.com
+! https://forum.adguard.com/index.php?threads/13998/
+petshop.ru#@#.advert-block
+! https://github.com/AdguardTeam/AdguardFilters/issues/3003
+@@||assets.macys.com/dyn_img/site_ads/
+! https://forum.adguard.com/index.php?conversations/12877/
+@@||href.li$document
+! https://forum.adguard.com/index.php?threads/13714/
+@@||btgigs.info/index.php$generichide
+! https://forum.adguard.com/index.php?threads/13595/
+! The site is broken by generic element hiding rules on Mac
+@@||saabcentral.com^$generichide
+! https://forum.adguard.com/index.php?threads/13580/
+@@||swedbank.ee^$document
+! https://github.com/AdguardTeam/AdguardFilters/issues/2936
+tv-news-online.com#@#.header-ad
+! https://github.com/AdguardTeam/AdguardFilters/issues/2926
+@@||cdn.intergi.com/hera/*.js$domain=thenextweb.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/2906
+! Fixing issues with players
+@@||imasdk.googleapis.com/js/core/bridge*.html$domain=~spotify.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/2908
+@@||user.weiyun.com/newcgi/outlink.fcg$document
+! https://github.com/AdguardTeam/AdguardFilters/issues/2853
+@@||static.youporn.phncdn.com/cb/assets/css/$domain=youporn.com
+! https://forum.adguard.com/index.php?threads/13009/
+@@||dlh.net/ajax/keyassign.php?$elemhide
+! https://forum.adguard.com/index.php?threads/12809/
+@@||nbcolympics.com/profiles/olympics/*$domain=nbcolympics.com
+@@||pdk.theplatform.com^$domain=vplayer.nbcolympics.com
+! https://forum.adguard.com/index.php?threads/12678/
+@@clicks.$domain=cimbclicks.com.my,~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/2796
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=globoplay.globo.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/2457
+ecostream.tv#@#.adwrapper
+! https://github.com/AdguardTeam/AdguardFilters/issues/2631
+! Reported: https://forums.lanik.us/viewtopic.php?f=64&t=31659&p=98823#p98823
+@@||heartyhosting.com^$domain=muscleandfitness.com
+@@||gigya.com/comments.getComments$domain=muscleandfitness.com
+@@||cdn.gigya.com/js/gigya.services.plugins.base.min.js$domain=muscleandfitness.com
+@@||cdn.gigya.com/JS/socialize.js$domain=muscleandfitness.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/2621
+@@||ingdirect.com.au^$document
+! https://forum.adguard.com/index.php?threads/11960/
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=nowtv.com.tr
+! https://github.com/AdguardTeam/AdguardFilters/issues/37431
+! https://github.com/AdguardTeam/AdguardFilters/issues/41986
+!+ NOT_OPTIMIZED
+@@||lightningmaps.org/min/index.php?f=js/
+! https://forum.adguard.com/index.php?threads/11854/
+@@||amazon-adsystem.com/aax2/amzn_ads.js^$domain=kino.de
+@@||amazon-adsystem.com/e/dtb/bid^$domain=kino.de
+! Yandex projects - broken trailer player
+@@||yastatic.net/awaps-ad-sdk-js$domain=kinopoisk.ru|video.yandex.ru,script
+! https://github.com/AdguardTeam/AdguardFilters/issues/2519
+@@||ncbi.nlm.nih.gov^$jsinject
+! https://github.com/AdguardTeam/AdguardFilters/issues/2314
+! sellercentral.amazon.com - broken by Adguard injections
+@@||sellercentral.amazon.com/hz/inventory/$elemhide,jsinject
+@@||sellercentral.amazon.com/gp/remote-nav-html.html$elemhide,jsinject
+! https://forum.adguard.com/index.php?threads/11632/
+azerty.nl#@#img[width="728"][height="90"]
+@@||fs.azerty.nl/images/content/*728x90
+@@||azerty.nl/_azerty/data/marketing/banners/
+! https://forum.adguard.com/index.php?threads/11522/
+@@||fotored.net/ads/*.html
+! Don't inject to service iframes
+@@||widgets.outbrain.com/nanoWidget/externals/obFrame/obFrame.htm$jsinject,elemhide
+@@||facebook.com/connect/xd_arbiter.php$jsinject,elemhide
+! https://forum.adguard.com/index.php?threads/11387/
+@@||timeinc.net/people/static/mobile/j/tgx-ads.js$domain=people.com
+! https://forum.adguard.com/index.php?threads/11191/
+@@||servicescape.com/*.asp?content=$document
+! https://forum.adguard.com/index.php?threads/9166/
+! opensubtitles.org - fixing search
+@@||cdnjs.cloudflare.com/ajax/libs/jquery$domain=opensubtitles.org
+@@||static.opensubtitles.org/libs/js/common.js
+@@||static.opensubtitles.org/libs/js/urlshortener.js
+! https://forum.adguard.com/index.php?threads/11138/
+icube.ru#@#.top-banners
+! https://forum.adguard.com/index.php?threads/11141/
+! Embed video is not work in Firefox-based browsers
+@@||twitter.com/i/videos/tweet/*?embed_$document
+! https://forum.adguard.com/index.php?threads/10813/
+mixesdb.com#@#iframe[width="100%"][height="120"]
+! https://forum.adguard.com/index.php?threads/10293/
+@@||pubads.g.doubleclick.net/gampad/ads$domain=cbs.com,~image,~script
+! https://forum.adguard.com/index.php?threads/10939/
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=yepi.com|veedi.com
+! https://forum.adguard.com/index.php?threads/10942/
+@@||s-nbcnews.com/*/FreeWheelAdManagerLoader.swf$domain=today.com
+@@||fwmrm.net/p/nbcnews_live/AdManager.swf^$domain=today.com
+! @@||partner.googleadservices.com/gpt/pubads_impl_$domain=dailycaller.com
+@@||partner.googleadservices.com/gpt/pubads_impl_$domain=dailycaller.com
+! https://forum.adguard.com/index.php?threads/10823/
+@@||freeview.com.au/media/*/freeview-plus-web-ad-template_
+! cpv.ru - broken gismeteo widget (180x150)
+@@||gismeteo.ru/api/informer/*/180x150
+! tagmanager.google.com - broken admin panel
+@@||tagmanager.google.com^$document
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/2166
+@@||img.chefkoch-cdn.de/gujAd.min.js
+! https://forum.adguard.com/index.php?threads/10286/
+@@||adm.fwmrm.net/crossdomain.xml
+@@||adm.fwmrm.net/p/cracklecom_flash_live/AdManager.swf^$domain=crackle.com
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/2149
+@@||btg.mtvnservices.com/aria/coda.html?site=nickelodeontv.ru$domain=nickelodeon.ru
+! https://forum.adguard.com/index.php?threads/10201/
+@@||advertiser.cyberghostvpn.com/www/$domain=cyberghostvpn.com
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/2084
+@@||eloqua.com^$domain=forms.progress.com
+! https://github.com/AdguardTeam/AdguardForMac/issues/72
+@@||linkedin.com/inbox/compose/dialog$document
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/2031
+@@||cmbchina.com/ccard/gqcard/js/pop.js
+! my.bmi.ir - broken by Adguard injections
+@@||my.bmi.ir^$elemhide,jsinject
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1989
+engadget.com#@#aside[role="banner"]
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/2001
+klart.se#@#.advertisement
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1987
+@@||bills.clubs.nfl.com/assets/img/ads/
+! http://forum.adguard.com/showthread.php?10054
+@@.vaughnsoft.net/abvs.php?a=
+! http://forum.adguard.com/showthread.php?10458
+@@||chatropolis.com:1588/*/amazing?sid=$document
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1956
+@@||usaa.com^$document
+! https://github.com/AdguardTeam/AdguardForAndroid/issues/443
+@@||appex-rf.msn.com/*.js?adtype=
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1912
+! iBooks Store app - broken by Adguard injections
+@@||mzstatic.com/htmlResources/$elemhide,jsinject,domain=itunes.apple.com
+! http://forum.adguard.com/showthread.php?10052
+@@||ad.nl/ad/
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1908
+@@||cdn.interactivemedia.net/live/t-o-auto/live/globalAdTag.min.js$domain=tanken.t-online.de
+! http://forum.adguard.com/showthread.php?9842
+! vk.com - sometimes buttons are broken by Adguard injections
+@@||vk.com/*.php?__query=$document
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1897
+@@||ulximg.com/image/*/banner/$domain=hotnewhiphop.com
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1888
+@@||tickets.oebb.at^$generichide
+! http://forum.adguard.com/showthread.php?9914
+@@||seosprint.net/style/img/ad-
+@@||seosprint.net/style/img/adv/$domain=seosprint.net
+! http://forum.adguard.com/showthread.php?9954
+@@||l2topzone.com/ads.png
+@@||l2topzone.com/advertisement.js.php
+! http://forum.adguard.com/showthread.php?9939
+! xvideos.com - broken by Adguard injections
+@@||xvideos.com/*/?_=$document
+! http://forum.adguard.com/showthread.php?9813
+@@||cdn.videoplaza.tv/contrib/no-vg/svm/homadConfigVideoplaza-vgtv.json^$domain=vgtv.no
+! sxsw.com - body was hidden
+sxsw.com#@#.sponsors
+! http://forum.adguard.com/showthread.php?9749
+@@/uploads/ads/*$domain=newauto46.ru
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1727
+@@||player.pstatic.gr/adman-video.js$domain=webtv.ert.gr
+! http://forum.adguard.com/showthread.php?9535
+pochta.ru#@#.header-advert
+! http://forum.adguard.com/showthread.php?9461
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js^$domain=f5haber.com
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1697
+@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=kingofshrink.com
+! mycokerewards.com - code validation is broken
+@@||partner.googleadservices.com/gpt/pubads_impl_$domain=mycokerewards.com
+! target.com - search is broken by generic url blocking rule
+@@||metrics.target.com/b/ss/targetcom$domain=target.com
+! account.microsoft.com - broken interface
+@@||cdn.optimizely.com/js/$domain=account.microsoft.com
+! http://forum.adguard.com/showthread.php?9182
+@@||assets*.akamai.coub.com/assets/
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1600
+theguardian.com#@#.ad_unit
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1569
+@@||coubsecureassets-a.akamaihd.net/assets/
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1581
+@@||translate.yandex.net^$domain=speedtest.net
+! Prevent blocking by third-party filters
+@@||cdn.adguard.com/public/$domain=adguard.com|adguard.ru
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1537
+@@||wdr.ivwbox.de/cgi-bin/ivw/CP/$domain=wdr.de
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1499
+@@||plus.google.com/hangouts/_/CONVERSATION/$document
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1471
+! URL also was broken by Adguard injections
+@@||cowcotland.com/scripjs.php$document
+@@||cowcotland.com/scripjs.php
+! neobux.com - broken browser extension
+@@||ad.neobux.com/adalert/
+! techrepublic.com - broken slider
+@@||googletagservices.com/tag/js/gpt.js$domain=techrepublic.com
+! http://forum.adguard.com/showthread.php?8862
+@@||cdn.watch.aetnd.com^$domain=fyi.tv|cdn.watch.aetnd.com
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1343
+@@||config.playwire.com/*/zeus.json$domain=explosm.net
+! http://forum.adguard.com/showthread.php?8813
+@@||freebitco.in^$generichide
+! mega.nz - broken download
+@@||static.mega.nz/*/html/*.html$document
+! http://forum.adguard.com/showthread.php?8681
+! minnetonkamoccasin.com - images are broken by Adguard injections
+@@||minnetonkamoccasin.com/colorswatch/json/$document
+! http://forum.adguard.com/showthread.php?8619
+anonymousemail.me#@#.adsense
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1161
+! egb.com - navigation is broken by Adguard injections
+@@||egb.com/ajax.php^$document
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1150
+@@||fls.doubleclick.net/activityi$domain=geforce.com
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1224
+! origin.com - broken by Adguard injections
+@@||akamaihd.net/origin-com-store-webassets/$script,document
+! https://malwaretips.com/threads/adguard-v6-rc1-released.54444/page-4#post-466420
+@@||huntington.com^$document
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1097
+@@||dw.cbsi.com/anonc.js$domain=giantbomb.com
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1209
+vladtv.com#@##cmn_ad_tag_head
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1166
+idownloadblog.com#@#.custom-ad
+idownloadblog.com#@#.header-ad
+! Slimjet browser - broken translate function
+@@||slimjet.com/translate.php^$document
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1106
+asiaone.com#@#.main-ads
+! intellicast.com - broken forecast
+@@||images.intellicast.com/App_Scripts/ad.min.js
+! http://forum.adguard.com/showthread.php?8183
+@@||partner.googleadservices.com/gpt/pubads_impl_$script,domain=muscleandfitness.com
+! http://forum.adguard.com/showthread.php?8077
+! Fixing signing into Windows 10 Store
+@@||auth.gfx.ms^$document
+@@||login.live.com/ppsecure/$document
+! bing.com - search broken by Adguard injections
+@@||bing.com/Passport.aspx$document
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/810
+@@||partner.googleadservices.com/gpt/pubads_$domain=nat-geo.ru
+! http://forum.adguard.com/showthread.php?7971
+@@||analytics.disneyinternational.com/ads/$other
+! newyorker.com - content was hidden
+newyorker.com#@#.ad-container
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/974
+@@||liverail.com/swf/*/vpaid-player.swf$domain=gametrailers.com
+@@||liverail.com/swf/*/admanager.swf$domain=gametrailers.com
+! http://forum.adguard.com/showthread.php?7697
+@@||googletagmanager.com/gtm.js$domain=kfc.co.th
+! http://forum.adguard.com/showthread.php?7674
+@@||g2a.com/toolbar/$document
+! https://github.com/AdguardTeam/AdguardForWindows/issues/469
+@@||telize.com/geoip$document
+! http://forum.adguard.com/showthread.php?7487
+@@||cnn.com^*/ad_policy.xml$domain=cnn.com
+! shasso.com - broken by Adguard injections
+@@||shasso.com/MyStoreOrders/$document
+! offgamers.com - broken checkout
+@@||offgamers.com/checkout/buyNow/$document,xmlhttprequest
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/865
+@@||vle.aston.ac.uk/branding/themes/
+! http://forum.adguard.com/showthread.php?7303
+@@||dtdc.com/tracking/
+! sh.st - broken counter
+@@||static.shorte.st/bundles/smeweb/$domain=sh.st
+@@||static.shorte.st/js/packed/smeadvert-locked.js$domain=sh.st
+! http://forum.adguard.com/showthread.php?7066
+@@||adlink.wf^
+! http://forum.adguard.com/showthread.php?7009
+@@||sascdn.com/video/players/jwplayer/
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/800
+@@||sgcpanel.com^$document
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/789
+@@||ghacks.net/wp-content/plugins/bwp-minify/min/$domain=ghacks.net
+! http://forum.adguard.com/showthread.php?6964
+@@||teabox.com^$jsinject,elemhide
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/779
+@@||rad.msn.com/crossdomain.xml
+@@||rad.msn.com/ADSAdClient31.dll$domain=msn.com
+! http://forum.adguard.com/showthread.php?6786
+riflegear.com#@#.featuredAds
+! http://forum.adguard.com/showthread.php?6616
+multiup.org#@#.ADBAR
+! http://forum.adguard.com/showthread.php?6589
+! online.tivo.com - broken by Adguard injections
+@@||online.tivo.com^$elemhide,jsinject
+! http://forum.adguard.com/showthread.php?6428
+@@||cdn.flurry.com/js/flurry.js$domain=slantnews.com
+! eafyfsuh.net - broken timer
+@@||eafyfsuh.net^$domain=eafyfsuh.net
+! sh.st - broken timer
+@@||static.shorte.st/js/packed/interstitial-page.js$domain=sh.st
+! http://forum.adguard.com/showthread.php?6430
+@@||cdn.vidible.tv/stage/js/$domain=dev.vidible.tv
+! http://forum.adguard.com/showthread.php?6376
+@@||bing.com/translator/dynamic/*/js/$elemhide,jsinject
+! http://forum.adguard.com/showthread.php?6257
+@@||invodo.com^$domain=crutchfield.com
+! pornhub etc - broken player
+@@||pornhub.phncdn.com^$image,domain=pornhub.com|pornhub.org|pornhub.net|redtube.com|redtube.net|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com
+! web.mention.com - broken cabinet
+@@||web.mention.com^$document
+! http://forum.adguard.com/showthread.php?6219
+@@||guru3d.com/core_javaload/$document
+! pixelfederation.com - loading failed
+@@||portal.pixelfederation.com/*/login.php^$document
+! Disable Assistant in Hangouts
+@@||talkgadget.google.com^$jsinject
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/656
+@@||payeer.com/bitrix/components/payeer/system.auth.form/$document,xmlhttprequest
+! Opera 12 - fixing developer tools
+@@||dragonfly.opera.com/app/$document
+! https://technet.microsoft.com/
+@@||techdays.ru/banners?pid=
+@@||techdays.ru/Banners/Redirect?bannerId=
+! userscloud.com - unhide file name
+userscloud.com#@#a[href^="http://websitedhoome.com/"]
+! JsFiddle
+@@||jsfiddle.net^$generichide
+! chromeweblab.com - broken by injected JS
+@@||chromeweblab.com^$jsinject,elemhide
+xperiablog.net,burningangel.com#@#.header-ad
+! http://forum.adguard.com/showthread.php?5703
+marca.com#@#div[id^="div-gpt-ad-"]
+! informer.com - unblock their own banner
+@@||img.informer.com/images/mac_banner_$domain=informer.com
+! http://forum.adguard.com/showthread.php?5530
+@@||googlesyndication.com/pageadimg/$domain=adwords.google.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/37837
+@@||admob.google.com/static/$domain=admob.google.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/25446
+@@||adwords.google.com^$domain=accounts.google.com
+@@||ads.google.com^$domain=accounts.google.com
+! Google images search sometimes broken
+@@||google.*/imgres?
+! http://www.simplemachines.org/ - broken icon for one of links
+@@||media.simplemachinesweb.com/site/images/icons/ads.png$domain=simplemachines.org
+! bbc.co.uk - broken non-advertising branding
+@@||bbc.co.uk/modules/branding/css/$domain=bbc.co.uk
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/501
+@@||hosts-file.net/ad_servers.txt
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/488
+@@||google-analytics.com/analytics.js$domain=orbitum.com
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/472
+@@||omtrdc.net/b/ss/acsca-prod/$domain=amazon.ca|amazon.co.uk|amazon.com
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/439
+@@||zdmedia.ziffdavis.com/video/$domain=pcmag.com
+! http://forum.adguard.com/showthread.php?1575
+ebay.co.uk,ebay.com,ebay.de#@#.adv
+! http://forum.adguard.com/showthread.php?1584
+@@||b.scorecardresearch.com/crossdomain.xml$domain=espn.go.com
+! exclude american express (fix retrieving of pdf billing statements)
+@@||online.americanexpress.com/myca/statementimage/$document
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/161
+! http://forum.adguard.com/showthread.php?4685
+@@||kayako.com/images/home/banner*.jpg
+! Fixing video player
+@@||pornhub.*/devices/wankband^$document
+! Fixing an issue with /download/ads filter
+@@||bleepingcomputer.com/download/ads-spy/
+! http://forum.adguard.com/showthread.php?4482 (fixing videos on cnn.com)
+@@||ht.cdn.turner.com/*.smil$document
+! http://forum.adguard.com/showthread.php?4391 [EasyPrivacy]
+@@||hermes-europe.co.uk/webtracking/
+! http://forum.adguard.com/showthread.php?4403
+@@||m.dbzstatic.com/assets/js/loader.js
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/360
+oregonlive.com#@##adv_header
+! Fixing player on private.com/scenes/T
+@@||p.jwpcdn.com/*/skins/$third-party
+! http://forum.adguard.com/showthread.php?4206
+@@||adm.fwmrm.net^$domain=nhl.com
+! http://forum.adguard.com/showthread.php?4235-faberlic-com
+@@||faberlic.com/images/banners/
+! http://forum.adguard.com/showthread.php?4139-www-omegle-com
+@@||omegle.com^$jsinject
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/328
+@@||roleplayer.me/adframe_
+! Otherwise we'll inject our code into skype
+@@||apps.skype.com$jsinject
+! http://forum.adguard.com/showthread.php?3603
+@@||onvasortir.com/advertisement.html
+onvasortir.com#@##my-smartadserver
+! http://www.gogoanime.com/ - removed search
+gogoanime.com#@#.topad
+! http://forum.adguard.com/showthread.php?1748
+@@||ss.phncdn.com^$script,domain=redtube.com|redtube.net
+! http://forum.adguard.com/showthread.php?3601
+ionomusic.com#@#object[width="300"][height="300"]
+! http://forum.adguard.com/showthread.php?3656-SearchFTPs-org
+@@||googlesyndication.com^$domain=searchftps.org
+! http://forum.adguard.com/showthread.php?3571-weather-com-videos-not-playing
+@@||amazon-adsystem.com^$domain=weather.com
+@@||tags.crwdcntrl.net^$domain=weather.com
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/232#issuecomment-65241751
+@@/adblock.js^$domain=cbs.com
+! http://forum.adguard.com/showthread.php?3549
+@@_ad_300.$domain=bleacherreport.com
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/242
+@@||keep.google.com^$jsinject
+@@||omtrdc.net^$domain=amazon.co.uk|amazon.com
+! JRO-840-86973
+@@||bankofamerica.com^*?adx=
+! http://forum.adguard.com/showthread.php?3007-Problem-with-linkbucks&p=36199#post36199
+@@/videos/*$domain=pornhub.com|pornhub.org|pornhub.net
+@@||linkbucks.com^$third-party,domain=goneviral.com
+@@||web.any.do^$document
+!
+@@||alllaw.112.2o7.net^
+@@||puma.112.2o7.net^
+@@||vitacost.122.2o7.net^
+! Fixing ABPIndo (site hangs)
+@@||ad.admitad.com/goto/$domain=atavi.com
+detik.com#@#.banner_reg
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/71
+americannews.com#@#.wpInsertInPostAd
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/67
+@@||gorillanation.com/js/triggertag.js$domain=playstationlifestyle.net
+! similarweb.com - Monthly Visits chart damaged when analyze some sites (for example Buysellads.com)
+@@||similarweb.com/website/data/
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/72
+3dsiso.com#@##ad_global_above_footer
+! http://forum.adguard.com/showthread.php?2740
+@@||advertising.yahoo.com^$~third-party
+@@||hulu.com/embed$document
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/20098
+!+ NOT_PLATFORM(windows, mac, android)
+msn.com#@#[id^="-"]
+! https://forum.adguard.com/index.php?threads/pop-up-on-2-websites-nsfw.29143/
+@@||sexgalaxy.net/wp-content/plugins^
+@@||sexgalaxy.net/wp-content/themes^
+@@||sexgalaxy.net/wp-includes/js^
+! https://github.com/AdguardTeam/AdguardFilters/issues/18506
+m.alpha.facebook.com,touch.alpha.facebook.com,mtouch.alpha.facebook.com,x.alpha.facebook.com,iphone.alpha.facebook.com,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,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#@##m_newsfeed_stream article[data-ft*="\"ei\":\""]
+! https://github.com/AdguardTeam/AdguardFilters/issues/33754
+! https://github.com/AdguardTeam/AdguardFilters/issues/26998
+! https://github.com/AdguardTeam/AdguardFilters/issues/15940
+! https://github.com/AdguardTeam/AdguardFilters/issues/18185
+! https://github.com/AdguardTeam/AdguardFilters/issues/18369
+/^https?:\/\/([0-9a-z\-]+\.)?(9anime|animeland|animenova|animeplus|animetoon|animewow|gamestorrent|goodanime|gogoanime|igg-games|kimcartoon|mangapanda|mangareader|memecenter|readcomiconline|toonget|toonova|watchcartoononline)\.[a-z]{2,4}\/(?!([Ss]cripts|[Uu]ploads|[Ii]mages|assets|combined|content|cover|img|static|thumbs|wp-content|wp-includes))(.*)/$image,other,script,~third-party,xmlhttprequest,badfilter
+/^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}\/(?!([Ss]cripts|[Uu]ploads|[Ii]mages|assets|combined|content|cover|img|static|thumbs|wp-content|wp-includes))(.*)/$image,other,script,~third-party,xmlhttprequest,badfilter
+/^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}\/(?!([Ss]cripts|[Uu]ploads|[Ii]mages|combined|content|cover|img|static|thumbs|wp-content|wp-includes))(.*)/$image,other,script,~third-party,xmlhttprequest,badfilter
+@@||9anime.nl/ajax/
+@@||9anime.nl/user/
+@@||9anime.nl/assets^
+@@||9anime.nl/captcha/
+@@||9anime.vip/user/
+@@||9anime.vip/ajax/
+@@||animeflv.net/redirector.php^
+@@||mangadex.*/images^
+@@||gogoanime.*//page-recent-release*.html
+@@||file.vidcdn.pro/images/*.vtt
+! https://github.com/AdguardTeam/AdguardFilters/issues/17380
+@@||anyporn.com/js/functions.js
+! https://github.com/AdguardTeam/AdguardFilters/issues/17504
+||thepiratebay.org^$script,subdocument,domain=thepiratebay.org,badfilter
+@@||thepiratebay.org^$subdocument
+! https://github.com/AdguardTeam/AdguardFilters/issues/13949
+msn.com#@#.nativead
+! https://github.com/AdguardTeam/AdguardFilters/issues/16549
+@@||content.jwplatform.com^$domain=destructoid.com
+@@||assets-jpcust.jwpsrv.com^$domain=destructoid.com
+@@||videos-f.jwpsrv.com^$domain=destructoid.com
+!
+@@||hqq.tv/*player/*.php$popup
+@@||mp4upload.com/embed-*.html$popup
+@@||pornhublive.com/bio.php?$popup,domain=pornhub.com|pornhub.org|pornhub.net
+@@||streamiptvonline.com/streams^$popup
+@@||cdnjs.cloudflare.com/ajax/libs/videojs-contrib-hls^
+@@||vjs.zencdn.net^$domain=stream2watch.org
+amazon.com#@#h5[data-alt-pixel-url^="/gp/sponsored-products/"]
+amazon.com#@#h5[data-alt-pixel-url^="/gp/sponsored-products/"] + div + .a-row
+amazon.com#@#.a-link-normal[href*="&adId="]
+@@||mcloud.to/embed^$popup
+@@||cdn.cizgifilmlerizle.com/cizgi/*.mp4^$popup
+@@||hltv.org/vendor/font-awesome
+|https://$script,third-party,xmlhttprequest,domain=xvideos.com,badfilter
+|https://$script,third-party,xmlhttprequest,domain=video-download.co,badfilter
+@@||api-secure.solvemedia.com^
+@@||akamaihd.net/i^$third-party
+@@||cdn.jsdelivr.net/clappr
+@@||yandex.st/swfobject^
+|http*://$script,third-party,domain=stream2watch.org,badfilter
+@@||animeflv.com/efire.php^
+@@||animeflv.com/embed.php^
+|http://$script,subdocument,third-party,xmlhttprequest,domain=jkanime.net,badfilter
+@@/beacon.js$domain=ww1.canada.com
+@@/content/tour/banner/*$domain=digitalplayground.com
+@@||partner.googleadservices.com^$domain=popsugar.com
+@@||pubads.g.doubleclick.net^$domain=popsugar.com
+!
+@@||adshostnet.com/ads?$domain=sh.st
+@@||exoclick.com$domain=imgdino.com
+@@||twitter.com$domain=bleacherreport.com
+@@||videoplaza.tv/crossdomain.xml
+@@||videoplaza.tv/proxy/*_vp_player-
+@@||videoplaza.tv/resources/
+immobilienscout24.de#@#.has-ad
+! http://forum.adguard.com/showthread.php?2172
+@@||platform.twitter.com/$domain=discovery.com
+@@||videocore.tv/playlist.smil$document
+! Fixing continuous loading in video player
+@@/pubads*theguardian.com
+@@||sharethis.com^$third-party,domain=gamesradar.com
+! http://forum.adguard.com/showthread.php?2243
+sport-fm.gr#@#.banners
+! Fix layout of online.citibank.com
+@@||citibank.com/*/branding/
+! Fix player
+@@||rackcdn.com^$domain=fapdu.com
+! Fixing Google Chrome new tab
+@@||google.*/_/chrome/newtab$document
+!
+! http://forum.adguard.com/showthread.php?2076
+@@||amazonaws.com/banners/$image,domain=livefromdarylshouse.com|pandasecurity.com|~support.pandasecurity.com
+msn.com#@#.banner
+! Fixing layout
+@@/css/branding_*.css$domain=netgear.com
+! http://forum.adguard.com/showthread.php?2006
+@@||ad.doubleclick.net/clk;$urlblock
+! Fix "buy" button
+@@||marketplace.xbox.com^$document
+! http://forum.adguard.com/showthread.php?1954
+@@||versand.ebay.de/druck/$document
+! ZMP-134-68786
+nyteknik.se#@##ad-content
+! http://forum.adguard.com/showthread.php?1934
+@@||linkbucks.com^$domain=ultrafiles.net
+! http://forum.adguard.com/showthread.php?1906
+@@||share.flipboard.com/bookmarklet/$document
+! http://forum.adguard.com/showthread.php?1890
+@@||scorecardresearch.com^$domain=ticketmaster.com.au
+! http://forum.adguard.com/showthread.php?1872
+@@||adobetag.com^$domain=priceline.com.au
+! http://forum.adguard.com/showthread.php?1862
+@@||scorecardresearch.com^$domain=abc.go.com
+! http://forum.adguard.com/showthread.php?1846
+@@.doubleclick.net^$domain=mcstatic.com
+! http://forum.adguard.com/showthread.php?1791
+@@||elabs12.com/functions/message_view.html$document
+! start: http://forum.adguard.com/showthread.php?1766, http://forum.adguard.com/showthread.php?2006
+@@.com/click-$domain=bradsdeals.com|coupons.com|dealigg.com|dealnews.com|goodsearch.com|groupon.com|hotukdeals.com|moneysavingexpert.com|offers.com|retailmenot.com|slickdeals.net
+@@.net/click-$domain=bradsdeals.com|coupons.com|dealigg.com|dealnews.com|goodsearch.com|groupon.com|hotukdeals.com|moneysavingexpert.com|offers.com|retailmenot.com|slickdeals.net
+@@||awin1.com^$domain=bradsdeals.com|coupons.com|dealigg.com|dealnews.com|goodsearch.com|groupon.com|hotukdeals.com|moneysavingexpert.com|offers.com|retailmenot.com|slickdeals.net
+@@||dotomi.com^$domain=bradsdeals.com|coupons.com|dealigg.com|dealnews.com|goodsearch.com|groupon.com|hotukdeals.com|moneysavingexpert.com|offers.com|retailmenot.com|slickdeals.net
+@@||dpbolvw.net^$domain=bradsdeals.com|coupons.com|dealigg.com|dealnews.com|goodsearch.com|groupon.com|hotukdeals.com|moneysavingexpert.com|offers.com|retailmenot.com|slickdeals.net
+@@||emjcd.com^$domain=bradsdeals.com|coupons.com|dealigg.com|dealnews.com|goodsearch.com|groupon.com|hotukdeals.com|moneysavingexpert.com|offers.com|retailmenot.com|slickdeals.net
+@@||gamefly.com^$domain=bradsdeals.com|coupons.com|dealigg.com|dealnews.com|goodsearch.com|groupon.com|hotukdeals.com|moneysavingexpert.com|offers.com|retailmenot.com|slickdeals.net
+@@||jdoqocy.com/click$domain=bradsdeals.com|coupons.com|dealigg.com|dealnews.com|goodsearch.com|groupon.com|hotukdeals.com|moneysavingexpert.com|offers.com|retailmenot.com|slickdeals.net
+@@||kqzyfj.com^$domain=bradsdeals.com|coupons.com|dealigg.com|dealnews.com|goodsearch.com|groupon.com|hotukdeals.com|moneysavingexpert.com|offers.com|retailmenot.com|slickdeals.net
+@@||linkconnector.com^$domain=bradsdeals.com|coupons.com|dealigg.com|dealnews.com|goodsearch.com|groupon.com|hotukdeals.com|moneysavingexpert.com|offers.com|retailmenot.com|slickdeals.net
+@@||linksynergy.com^$domain=bradsdeals.com|coupons.com|dealigg.com|dealnews.com|goodsearch.com|groupon.com|hotukdeals.com|moneysavingexpert.com|offers.com|retailmenot.com|slickdeals.net
+@@||mediaplex.com^$domain=bradsdeals.com|coupons.com|dealigg.com|dealnews.com|goodsearch.com|groupon.com|hotukdeals.com|moneysavingexpert.com|offers.com|retailmenot.com|slickdeals.net
+@@||omtrdc.net^$domain=bradsdeals.com|coupons.com|dealigg.com|dealnews.com|goodsearch.com|groupon.com|hotukdeals.com|moneysavingexpert.com|offers.com|retailmenot.com|slickdeals.net
+@@||pepperjamnetwork.com^$domain=bradsdeals.com|coupons.com|dealigg.com|dealnews.com|goodsearch.com|groupon.com|hotukdeals.com|moneysavingexpert.com|offers.com|retailmenot.com|slickdeals.net
+@@||pjtra.com^$domain=bradsdeals.com|coupons.com|dealigg.com|dealnews.com|goodsearch.com|groupon.com|hotukdeals.com|moneysavingexpert.com|offers.com|retailmenot.com|slickdeals.net
+@@||tkqlhce.com^$domain=bradsdeals.com|coupons.com|dealigg.com|dealnews.com|goodsearch.com|groupon.com|hotukdeals.com|moneysavingexpert.com|offers.com|retailmenot.com|slickdeals.net
+@@||webgains.com^$domain=bradsdeals.com|coupons.com|dealigg.com|dealnews.com|goodsearch.com|groupon.com|hotukdeals.com|moneysavingexpert.com|offers.com|retailmenot.com|slickdeals.net
+! end
+! Fixing requirejs on ryanair
+@@||ryanair.com/static/
+! Fixing links on google shopping
+@@||google.*/aclk$~third-party
+google.co.uk,google.com#@#a[href^="http://www.google.com/aclk?"]
+! Fixing video on spox.com
+@@||liverail.com^$domain=spox.com|static.eplayer.performgroup.com
+! http://forum.adguard.com/showthread.php?570
+zippyshare.com#@##share_button
+! Fixing login
+@@||inbox.lv/advert/?actionID=imp_login
+! Fixing search results on trovi.com
+trovi.com#@#.ads_wrapper
+! Fixing language selector on bestbuy
+@@||images.bestbuy.com^$domain=bestbuy.com
+! Do not need injecting js to youtube embedded player
+! @@||youtube.com/embed/$jsinject
+! Fix your own youtube video "promote" button
+@@||youtube.com/my_video_ad$document
+! Fixing video player on naftemporiki.gr
+@@||static.adman.gr^$domain=naftemporiki.gr
+! http://forum.adguard.com/showthread.php?1467
+sportsdirect.com#@#.ads
+sportsdirect.com#@#.ads:not(body)
+! http://forum.adguard.com/showthread.php?1359
+@@||securitykiss.com$document
+! http://forum.adguard.com/showthread.php?1340
+@@||gigabyte.us/fileupload/
+! http://forum.adguard.com/showthread.php?1333
+@@||viglink.com^$domain=dealsrunner.com
+! Do not block forum links
+@@||wilderssecurity.com/forums/
+! Fixiing video on timesofindia.com
+@@||indiatimes.com/configspace/
+! Possible fix OWA issue (injecting styles into email)
+@@/owa/service.svc$document
+@@www.any.gs$urlblock
+! Fixing spotlemon.com
+@@||adserving.unibet.com^$domain=sportlemon.me
+! Fixing google adsense and adwords accounts (`~third-party` can't be used in this case)
+@@http://adsense.google.$document,domain=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.cn|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.bz|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.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.nf|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.sa|google.com.sb|google.com.sg|google.com.sl|google.com.sv|google.com.tj|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vc|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.hn|google.hr|google.ht|google.hu|google.ie|google.im|google.iq|google.is|google.it|google.je|google.jo|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.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.tk|google.tl|google.tm|google.tn|google.to|google.tt|google.vg|google.vu|google.ws
+@@http://adwords.google.$document,domain=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.cn|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.bz|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.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.nf|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.sa|google.com.sb|google.com.sg|google.com.sl|google.com.sv|google.com.tj|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vc|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.hn|google.hr|google.ht|google.hu|google.ie|google.im|google.iq|google.is|google.it|google.je|google.jo|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.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.tk|google.tl|google.tm|google.tn|google.to|google.tt|google.vg|google.vu|google.ws
+@@http://google.*/adsense$document,domain=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.cn|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.bz|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.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.nf|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.sa|google.com.sb|google.com.sg|google.com.sl|google.com.sv|google.com.tj|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vc|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.hn|google.hr|google.ht|google.hu|google.ie|google.im|google.iq|google.is|google.it|google.je|google.jo|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.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.tk|google.tl|google.tm|google.tn|google.to|google.tt|google.vg|google.vu|google.ws
+@@http://google.*/adwords$document,domain=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.cn|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.bz|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.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.nf|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.sa|google.com.sb|google.com.sg|google.com.sl|google.com.sv|google.com.tj|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vc|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.hn|google.hr|google.ht|google.hu|google.ie|google.im|google.iq|google.is|google.it|google.je|google.jo|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.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.tk|google.tl|google.tm|google.tn|google.to|google.tt|google.vg|google.vu|google.ws
+@@http://www.google.*/adsense$document,domain=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.cn|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.bz|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.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.nf|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.sa|google.com.sb|google.com.sg|google.com.sl|google.com.sv|google.com.tj|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vc|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.hn|google.hr|google.ht|google.hu|google.ie|google.im|google.iq|google.is|google.it|google.je|google.jo|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.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.tk|google.tl|google.tm|google.tn|google.to|google.tt|google.vg|google.vu|google.ws
+@@http://www.google.*/adwords$document,domain=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.cn|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.bz|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.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.nf|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.sa|google.com.sb|google.com.sg|google.com.sl|google.com.sv|google.com.tj|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vc|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.hn|google.hr|google.ht|google.hu|google.ie|google.im|google.iq|google.is|google.it|google.je|google.jo|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.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.tk|google.tl|google.tm|google.tn|google.to|google.tt|google.vg|google.vu|google.ws
+@@https://adsense.google.$document,domain=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.cn|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.bz|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.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.nf|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.sa|google.com.sb|google.com.sg|google.com.sl|google.com.sv|google.com.tj|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vc|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.hn|google.hr|google.ht|google.hu|google.ie|google.im|google.iq|google.is|google.it|google.je|google.jo|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.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.tk|google.tl|google.tm|google.tn|google.to|google.tt|google.vg|google.vu|google.ws
+@@https://adwords.google.$document,domain=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.cn|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.bz|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.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.nf|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.sa|google.com.sb|google.com.sg|google.com.sl|google.com.sv|google.com.tj|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vc|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.hn|google.hr|google.ht|google.hu|google.ie|google.im|google.iq|google.is|google.it|google.je|google.jo|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.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.tk|google.tl|google.tm|google.tn|google.to|google.tt|google.vg|google.vu|google.ws
+@@https://www.google.*/adsense$document,domain=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.cn|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.bz|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.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.nf|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.sa|google.com.sb|google.com.sg|google.com.sl|google.com.sv|google.com.tj|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vc|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.hn|google.hr|google.ht|google.hu|google.ie|google.im|google.iq|google.is|google.it|google.je|google.jo|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.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.tk|google.tl|google.tm|google.tn|google.to|google.tt|google.vg|google.vu|google.ws
+@@https://www.google.*/adwords$document,domain=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.cn|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.bz|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.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.nf|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.sa|google.com.sb|google.com.sg|google.com.sl|google.com.sv|google.com.tj|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vc|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.hn|google.hr|google.ht|google.hu|google.ie|google.im|google.iq|google.is|google.it|google.je|google.jo|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.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.tk|google.tl|google.tm|google.tn|google.to|google.tt|google.vg|google.vu|google.ws
+! Fixing video on cnn.com
+@@||cdn.turner.com/*.swf
+@@||cdn.turner.com/*/ad_policy.xml
+@@||money.cnn.com/*/ad_policy.xml
+! Fixing video on hlntv.com
+@@||hlntv.com/*/ad_policy.xml
+! Fixing myfoxchicago.com/category/237044/live-stream
+@@||new.livestream.com^$jsinject
+! banner on the main page
+@@||ramnode.com/images/
+! Start: fixing video on http://www.nbcphiladelphia.com/video/ and other nbc* sites
+@@||chartbeat.com/crossdomain.xml
+@@||chartbeat.com/swf/ChartbeatPDK.swf
+@@||tremormedia.com/crossdomain.xml
+! End: fixing video
+! Start: fixing video on cbslocal.com, myfoxchicago, etc
+@@||2mdn.net/instream/
+! End: fixing video
+! allow google ads preferences page
+@@doubleclick.net/ads/preferences/
+@@||google.com/settings/ads/onweb$urlblock
+@@||wips.com/*/Banners/
+! fixing audio player
+@@jamendo.com$jsinject
+!
+@@||choice.microsoft.com/*/opt-out$urlblock
+@@||content.googleapis.com$document
+! Fixing false-positives for /advert/* rule
+@@||kaspersky.com/advert/
+@@||kaspersky.ru/advert/
+! Fixing easylist flirt4free rules
+@@|ws://*$websocket,domain=flirt4free.com
+@@||image.mp3.zdn.vn/banner/
+@@||imagebam.com/gallery-organizer$document
+! White-listing oauth providers
+@@||id.vk.com/auth$jsinject
+@@||oauth.vk.com$document
+@@||accounts.google.com^$jsinject,generichide
+@@||facebook.com/dialog/oauth$document
+@@||static.softlayer.com^
+@@||tiles.mapbox.com^$document
+implbits.com#@#.banner_container
+! Fixing problems with IE10
+@@||plus.googleapis.com/*/comments$document
+! atlassian on-demand
+@@.atlassian.net$document
+!
+@@||anti-virus4u.com/v/
+@@||imasdk.googleapis.com^$domain=cnet.com
+@@||kastatic.com^$domain=kickass.to
+@@||mediaplex.com$domain=cnet.com
+@@&ad_type=$domain=ultimate-guitar.com
+@@.aliimg.com$domain=aliexpress.com
+@@.instantservice.com$document
+@@||amazon.com/gp/redirect.html
+@@||coolermaster.com/images/adv_
+@@||gigya.com$domain=dailystar.co.uk
+@@||google.com/analytics/web/$document
+@@||googledrive.com$document
+@@||pgpartner.com^
+@@||quantcast$domain=soundcloud.com
+@@||redirect.disqus.com^
+@@||sync.maxthon.com$document
+@@||webstatic.nero.com^
+@@||www.gdata.pl^$elemhide
+! channel banner on youtube
+@@||yimg.com/*/*.css
+@@||yimg.com/*/css/
+@@||ytimg.com^*_banner$domain=youtube.com
+!
+@@||feedly.com/i/^$jsinject
+@@||s-plugins.wordpress.org
+@@||s1.wp.com^
+! start: because anti-adblocker script
+@@||adm.fwmrm.net^$domain=revision3.com
+! end: because anti-adblocker script
+! start: because of adbackground rule
+@@||analogplanet.com^$elemhide
+@@||audiostream.com^$elemhide
+@@||innerfidelity.com^$elemhide
+@@||shutterbug.com^$elemhide
+@@||stereophile.com^$elemhide
+! end: because of adbackground rule
+@@|steamgamesales.com^$urlblock
+@@||content.newegg.com$document
+@@||filecheck.ru^$elemhide
+@@||krebsonsecurity.com
+! For videos to play in IE9 (http://www.youtube.com/user/monkeyseevideos?feature=CAgQwRs%3D)
+@@weather.gov/xml/$document
+@@|http://ie.microsoft.com/testdrive/Performance/FishBowl/Default.html|$document
+@@||acid2.acidtests.org^$document
+@@||acid3.acidtests.org^$document
+@@||ad.doubleclick.net/*/adi/com.ytbc/$domain=youtube.com
+@@||autos.souq.com/$elemhide
+@@||cargocollective.com/designs/$document
+@@||i-funbox.com/images/
+@@||mediacdn.disqus.com^$document
+@@||wmdportal.com/wp-content/uploads/2012/05/cars_banner.png
+! START: Enabling requests from Google's SERP, shopping, etc
+@@||ad-emea.doubleclick.net/clk
+@@||googleadservices.com^$domain=google.ae|google.at|google.be|google.by|google.ca|google.ch|google.cl|google.cn|google.co.id|google.co.in|google.co.jp|google.co.th|google.co.uk|google.co.ve|google.co.za|google.com|google.com.ar|google.com.au|google.com.bd|google.com.br|google.com.co|google.com.eg|google.com.hk|google.com.mx|google.com.my|google.com.ng|google.com.pe|google.com.ph|google.com.pk|google.com.sa|google.com.sg|google.com.tr|google.com.tw|google.com.ua|google.com.vn|google.de|google.dk|google.ee|google.es|google.fr|google.gr|google.hu|google.ie|google.it|google.nl|google.no|google.pl|google.pt|google.ro|google.rs|google.ru|google.se|google.sk|google.tn
+! END
+@@||download.com/ad-
+@@||ad.zanox.com/ppc/$subdocument,domain=wisedock.com
+@@||player.arsenal.com/adverts/video
+@@||static.mobile.eu^*/resources/images/ads/superteaser_$image,domain=automobile.fr|automobile.it|mobile.eu|mobile.ro
+@@||tous-sports.fr/js/advertisement-AdBlock.js
+@@||tous-sports.tv/js/advertisement-AdBlock.js
+!
+!-------------------------------------------------------------------------------!
+!------------------ Fixing Stealth Mode ----------------------------------------!
+!-------------------------------------------------------------------------------!
+!
+! This section contains the list of rules that fix Stealth Mode issues. Rules should be domain-specific.
+!
+! Good: @@||example.org^$stealth
+! Bad: example.org#@#.ad (should be in AdGuard Base - allowlist.txt)
+!
+! TODO: change the rules and comments when https://github.com/AdguardTeam/CoreLibs/issues/1224
+! will be supported by apps and extensions
+!
+!############### TEMPORARY ###############
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/168834 [Stealth Mode - User-agent]
+! BUG: https://github.com/AdguardTeam/CoreLibs/issues/1841
+! TODO: remove after release AdGuard apps with CoreLibs 1.14
+! fix AdGuard account authorisation [Stealth Mode - TTL of first-party cookies = 0]
+! current as of 20.09.2022
+!#########################################
+!
+!
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/188011#issuecomment-2379584962
+@@||html-load.com^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/189281
+@@||tnmr.org/hls$stealth=useragent
+@@||luluvdo.com^$stealth=useragent
+! https://github.com/AdguardTeam/AdguardFilters/issues/189168
+@@||img.soutula.com^$stealth=referrer,domain=fabiaoqing.com
+! merkur.de - broken comments
+@@||engagently.com/graphql$stealth=3p-auth,xmlhttprequest
+! https://github.com/AdguardTeam/AdguardFilters/issues/188785
+@@||*.php?id=$subdocument,stealth=referrer,domain=dubznetwork.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/188784
+@@hls/player$stealth=referrer,xmlhttprequest,domain=sportshub.to
+! dizipal*.com - frequently changed domains
+! https://x.com/dizipalSx
+! aglint-disable-next-line invalid-modifiers
+@@.php$subdocument,stealth=referrer,domain=/dizipal\d+.com/
+@@||muralmasterpieces.site/*.jpg$stealth=referrer
+@@||forfesvecter.site/*.jpg$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/188449
+@@||dosyaload.com/embed/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/188463
+@@||dactylogagnant.click^$stealth=referrer,domain=inatflix9.xyz
+! https://github.com/AdguardTeam/AdguardFilters/issues/188342
+@@/embed/*$stealth=referrer,subdocument,domain=dizifilmgo.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/188355
+@@||vsys.hes-goals.io/frame.php$stealth=referrer,subdocument
+@@||koura-cdn.live/watch$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/188363
+@@||vidload.lol/iframe/$stealth=referrer
+@@||cdn*.*.pw/*p_*.jpg$stealth=referrer,domain=vidload.lol
+! https://github.com/AdguardTeam/AdguardFilters/issues/188254
+@@||lordserials.cx^$stealth=3p-cookie
+! https://github.com/AdguardTeam/AdguardFilters/issues/188142
+@@||login.mobywatel.gov.pl^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/187941
+@@||jcrew.com^$stealth=useragent
+@@||cdn.clarip.com^$stealth=useragent,domain=jcrew.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/187633
+@@||tesco.com^$stealth=ip
+! https://github.com/AdguardTeam/AdguardFilters/issues/187834
+@@||topembed.pw^$stealth=referrer
+! http://comci.net:4082/st - specifing option does not work.
+@@||comci.net^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/187430
+@@||api.rmr.rocks^$stealth=3p-auth
+! https://github.com/AdguardTeam/AdguardFilters/issues/187096
+@@||newtoki*.org/data/file/$image,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/187098
+@@||findlawimg.com^$stealth=referrer,domain=findlaw.cn
+! https://github.com/AdguardTeam/AdguardFilters/issues/186747
+@@||cdn.anilife.live/assets/img/$stealth=referrer,image,domain=anilife.*
+! https://github.com/AdguardTeam/AdguardFilters/issues/187142
+@@||topsporter.net/frames/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/186747
+! Minecraft login via Microsoft account
+@@||store.mktpl.minecraft-services.net/api/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/186555
+@@||beinconnect.com.tr^$stealth=donottrack|webrtc
+! https://github.com/AdguardTeam/AdguardFilters/issues/186815
+@@||cdn*.anicdn.net/appsd*.mp4$stealth=referrer
+@@||anitube.vip/playerricas.php$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/186376
+@@||k.apiairasia.com^$domain=airasia.com,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/186747
+@@||adobe.io^$domain=adobe.com,stealth=3p-auth
+! https://github.com/AdguardTeam/AdguardFilters/issues/186537#issuecomment-2295360158
+@@||signaler-pa.googleapis.com/punctual/*/chooseServer$stealth=3p-auth
+@@||signaler-pa.googleapis.com/punctual/multi-watch/channel$stealth=3p-auth
+! https://github.com/AdguardTeam/AdguardFilters/issues/186408
+@@||connect.mobage.jp^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/186304
+@@||yerim.buzz/embed-*.html$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/186308
+@@||hotstream.club/embed/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/185909
+@@||payments.jagex.com^$stealth
+! https://github.com/uBlockOrigin/uAssets/issues/24896
+@@||workers.dev/yayinstar$xmlhttprequest,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/186072
+@@||audi.com.tr/*/modeller/$stealth=webrtc
+! https://github.com/AdguardTeam/AdguardFilters/issues/186144
+@@||kodik.info/*?translations=$domain=animestars.org,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/186138
+@@||mcsg.my.site.com^$stealth=referrer,domain=mcafee.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/185852
+@@://www.sinya.com.tw^$stealth=ip
+! https://github.com/AdguardTeam/AdguardFilters/issues/185842
+@@||gws.unicredit.ru/branch/map?$stealth=referrer,domain=unicreditbank.ru
+! https://github.com/AdguardTeam/AdguardFilters/issues/185847
+@@||cdn-manga.com^$image,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/183849
+! https://github.com/AdguardTeam/AdguardFilters/issues/185464
+@@||panel.sinema.cx/video/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/185463#issuecomment-2269307542
+@@||epikplayer.xyz/embed/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/185488
+@@||emturbovid.com/t/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/185382
+@@||login.wyborcza.pl^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/185221
+@@||gapis.win^$stealth=referrer,domain=app.jscdn.win
+@@||vcdn.xemcl.net/html/$stealth=referrer,domain=app.jscdn.win
+! https://github.com/AdguardTeam/AdguardFilters/issues/185202
+@@||account.mcid.mynavi.jp^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/185200
+@@||securetoken.googleapis.com^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/184764
+@@||jetv.xyz/dz/?id=$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/184773
+@@||video.matchtv.ru^$stealth=donottrack
+! https://github.com/AdguardTeam/AdguardFilters/issues/184798
+@@||services.radio-canada.ca/ott/$stealth=3p-auth
+@@||services.radio-canada.ca/media/$stealth=ip
+! https://github.com/AdguardTeam/AdguardFilters/issues/184945
+@@||instantink.hpconnected.com/api/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/184433
+@@||jeniusplay.com/video/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/183913#issuecomment-2240946901
+@@||tvid.in/api/mediainfo/*.json?$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/184102
+@@/wp-content/img/*$stealth=referrer,domain=komikcast.*
+! https://github.com/AdguardTeam/AdguardFilters/issues/183838
+@@||magni.itv.com/playlist/$stealth=ip
+! https://github.com/AdguardTeam/AdguardFilters/issues/183897
+@@||repo.realmoasis.com/storage/$stealth=referrer,domain=rizzfables.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/183592
+@@||nvidia.com/*/drivers/results/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/183533
+@@||xdiv.space/io/p/?token=$stealth=referrer
+@@||sbdeloriranch.cfd/io/*.mp4$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/183544
+@@||acortalink.me/s.php?$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/182995
+@@||stream.u-p.pw/hls/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/182280
+@@||smartstore.naver.com^$stealth=useragent
+! https://github.com/AdguardTeam/AdguardFilters/issues/182853
+@@||mixdrop.ps/e/$subdocument,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/182808
+@@||megacloud.tv/embed-$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/182680
+@@||rymg.net^$image,stealth=referrer,domain=mangasehri.net
+@@/wp-content/uploads/WP-manga/*$image,stealth=referrer,domain=mangasehri.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/182650
+@@||pluscdn.pl/embed/$stealth=referrer
+@@||live.statscore.com^$stealth=referrer,domain=polsatsport.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/182515
+@@||mraw*.cyou^$image,stealth=referrer,domain=manhwa-raw.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/182423
+@@||hq.sinajs.cn^$stealth=referrer,script,domain=finance.sina.com.cn
+! https://github.com/AdguardTeam/AdguardFilters/issues/182057
+@@||reddit.app.link^$stealth=useragent
+! https://github.com/AdguardTeam/AdguardFilters/issues/182365
+@@||dev.virtualearth.net/REST/*/Autosuggest?query=$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/182298
+@@*.mp4?$media,stealth=referrer,domain=vidtube.pro
+@@||vidtube.pro/embed$subdocument,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/181315
+@@embed/$stealth=webrtc,domain=vipbox.lc
+! https://github.com/AdguardTeam/AdguardFilters/issues/181992#issuecomment-2188273314
+@@||hdmomplayer.com/embed/$domain=dizimom.*,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/182121
+@@||myqcloud.com^$stealth=referrer,domain=chinadsl.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/181648
+@@||netportal.hdfcbank.com^$stealth=referrer
+! m10.asd.quest - unable to get to download page
+@@/?article=$stealth=referrer,domain=m10.asd.quest
+! https://github.com/AdguardTeam/AdguardFilters/issues/181893
+@@||img.mangahasu.se^$image,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/181749
+@@.mp4$media,stealth=referrer,domain=sekai.one
+! https://github.com/AdguardTeam/AdguardFilters/issues/181028
+@@||members.tildaapi.com/api/getstyles/$domain=antitrainer.online,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/181237
+@@||720static.com/resource/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/181143
+@@||accounts.zomato.com/zoauth/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/180754
+@@||api-get.mgsearcher.com/api/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/180392
+@@||graph.microsoft.com$stealth=3p-auth
+! https://github.com/AdguardTeam/AdguardFilters/issues/180253
+@@||fundingchoicesmessages.google.com^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/180165
+@@||gizchina.com^$stealth=useragent
+! https://github.com/AdguardTeam/AdguardFilters/issues/179208
+@@||appleid.apple.com^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/179945
+@@||swhoi.com/e/$subdocument,stealth=referrer
+@@||vidhidevip.com/embed/$subdocument,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/179872
+@@/iframe.php$stealth=referrer,domain=dizilla.*
+@@||pichive.online^$subdocument,xmlhttprequest,stealth=referrer
+@@$subdocument,xmlhttprequest,stealth=referrer,domain=pichive.online
+! https://github.com/AdguardTeam/AdguardFilters/issues/179808
+@@||id.spectrum.net^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/179591
+@@||kralplayoynat.com/embed/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/179737 [Stealth Mode - Block third-party Authorization header]
+@@||cdn.gateway.now-plus-prod.aws-cbc.cloud^$stealth=3p-auth,domain=plus.rtl.de
+! https://github.com/AdguardTeam/AdguardFilters/issues/179639
+@@||dl.zhutix.net^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/178452
+@@||api.mapbox.com^$xmlhttprequest,stealth,domain=weather.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/178309
+@@||htz-*upload.spac.me/pics_upload/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/177989
+@@||oss.dns.aliyun.com.dalvhe.com/image/$stealth=referrer,image,domain=4ksj.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/177651
+@@||chathispano.com/kiwi/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/177513 - counter broken
+@@/js/countd.js?rand=$script,stealth=referrer,domain=financemonk.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/177172
+@@||streammovie.club/video/$stealth=referrer
+! https://github.com/List-KR/List-KR/issues/910
+@@||apis.wavve.com/fz/streaming$domain=wavve.com,stealth=ip
+! https://github.com/AdguardTeam/AdguardFilters/issues/176732
+@@||cgpub.zbjimg.com^$image,stealth=referrer,domain=zbj.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/176715
+@@||rapidvid.net/vod/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/176639
+@@||sdk.split.io/api/$stealth=3p-auth,domain=rewardlink.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/176463
+@@||dnvodcdn.me/*/chunklist.m3u8$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/176380
+@@||api.mi-img.com^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/176552
+@@43.240.156.118:8443^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/175954
+@@||app.focusmate.com^$stealth=webrtc
+! https://github.com/AdguardTeam/AdguardFilters/issues/175574
+@@||vixcloud.co/embed/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/176190
+@@||trinitymedia.ai/player/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/176109
+@@||c.bunkr-cache.se^$media,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/176059
+@@||tvcdn365.ru/*.php$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/175931
+@@||pub-api.biggerpicture.ai^$stealth=3p-auth
+! https://github.com/AdguardTeam/AdguardFilters/issues/175689
+@@||reimg.org/images^$image,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/175596#issuecomment-2016696488
+@@||bilibili.com/*/newplayer.html$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/175376
+@@||mxcontent.net/*.mp4$media,stealth=referrer
+@@||animesonline.nz/noance/$subdocument,stealth=referrer
+@@||vod-*=video/mp4$media,stealth=referrer,domain=animesonline.nz
+! https://github.com/AdguardTeam/AdguardFilters/issues/175300
+@@||kumospace.com^$stealth=webrtc
+! https://github.com/AdguardTeam/AdguardFilters/issues/175302
+@@||player.glomex.com^$subdocument,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/176360
+@@||vidsrc.*/embed/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/174957
+@@||drm.6cloud.fr^$domain=6play.fr,stealth=3p-auth
+@@||layout.6cloud.fr/front/*/token-web$domain=6play.fr,stealth=3p-auth
+! https://github.com/AdguardTeam/AdguardFilters/issues/175211
+@@||fnggcdn.com/items/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/175116
+@@||cloudfront.net^$stealth=referrer,domain=openrec.tv
+! https://github.com/List-KR/List-KR/issues/896
+! https://github.com/List-KR/List-KR/issues/898
+!+ NOT_OPTIMIZED
+@@||cdn.anilife.*/assets/img/cover/$domain=anilife.*,stealth=referrer
+!+ NOT_OPTIMIZED
+@@||edge-*.gcdn.app/st/$stealth=referrer,domain=anilife.*
+! 24.privatbank.ua - Foreign Economic Activity => Currency Operations does not load
+@@||fea-contracts.24.privatbank.ua^$stealth=referrer,domain=24.privatbank.ua
+! https://github.com/AdguardTeam/AdguardFilters/issues/173891
+@@||api.foodthinkers.com/commercetools/graphql$stealth=3p-auth,domain=sageappliances.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/174176
+@@||play.openhub.tv^$stealth=referrer
+@@||anyhentai.com/*.mp4$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/174074
+@@||emturbovid.com/t/*?poster=$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/173995
+! https://github.com/AdguardTeam/AdguardFilters/issues/173999
+@@||sportnews.to/*?ref=$stealth=referrer,domain=sportshub.to
+@@||sportshub.to/frames$subdocument,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/170006
+@@||secure.chase.com/web/auth/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/173479
+@@||vfsglobal.*/*/Track/*^$stealth=donottrack|useragent|ip
+! https://github.com/AdguardTeam/AdguardFilters/issues/173723
+@@||rt.ru/api/$stealth=referrer
+@@||player.mediavitrina.ru^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/173672
+@@||youtube.com/iframe_api?$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/172927
+@@||support.logi.com/*/articles/$stealth=useragent
+! https://github.com/AdguardTeam/AdguardFilters/issues/173259 [Stealth Mode - Block third-party Authorization header]
+@@||coveo.com/rest/search/$stealth=3p-auth,domain=lg.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/173049
+@@||playru.net/*.php$stealth=referrer
+@@.online^$xmlhttprequest,stealth=referrer,domain=playru.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/173159
+@@||coral.coralproject.net^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/173117
+@@||wyniki.diag.pl^$stealth=ip
+! https://github.com/AdguardTeam/AdguardFilters/issues/172880
+@@||luluvdo.com^$stealth=useragent
+@@.m3u8$stealth,domain=luluvdo.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/172570
+@@||smotrim.ru^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/172808 [Stealth Mode - Referrer]
+@@||strims.in/live/*.php$stealth=referrer
+! https://github.com/AdguardTeam/HttpsExclusions/issues/560
+! "Read sample" does not work on amazon.com and read.amazon.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/172698 [Stealth Mode - Referrer]
+@@||apps.geodan.nl^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/172360
+!+ NOT_PLATFORM(windows, mac, android)
+@@||ya.ru/user-id?$subdocument,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/172468 [Stealth Mode - Referrer]
+@@||passport.csdn.net/login^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/172120 [Stealth Mode - Referrer]
+@@||embedstreams.me^$stealth=referrer,subdocument
+! https://github.com/AdguardTeam/AdguardFilters/issues/172110 [Stealth Mode - Referrer]
+@@||cloudfront.net^$stealth=referrer,domain=routexl.de
+! https://github.com/AdguardTeam/AdguardFilters/issues/171617
+@@||tuborstb.co^$stealth=3p-auth
+! https://github.com/AdguardTeam/AdguardFilters/issues/172249 - geoblocking
+@@||lessornot.ws^$stealth=ip
+! https://github.com/AdguardTeam/AdguardFilters/issues/172080
+@@||filemoon.sx/e/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/171656
+@@||ds2play.com^$stealth=ip
+! https://github.com/AdguardTeam/AdguardFilters/issues/172028
+! https://github.com/AdguardTeam/AdguardFilters/issues/172017 [Stealth Mode - Referrer]
+@@||schwab.com^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/171666
+@@||nv7s.com/key=*/referer=$media,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/171898 [Stealth Mode - Regardless of options]
+@@ws://localhost^$stealth,domain=play.afreecatv.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/171595 [Stealth Mode - Block third-party Authorization header]
+@@||api.spotify.com/v1/playlists/$xmlhttprequest,stealth=3p-auth
+@@||api.spotify.com/*?ids=$xmlhttprequest,stealth=3p-auth
+! https://github.com/AdguardTeam/AdguardFilters/issues/171731
+@@||theolivepress.es^$stealth=useragent
+! https://github.com/AdguardTeam/AdguardFilters/issues/171591 [Stealth Mode - Referrer]
+@@*$stealth=referrer,domain=cdnbuzz.buzz
+! https://github.com/AdguardTeam/AdguardBrowserExtension/issues/2648#issuecomment-1913597147
+@@||jra.webcdn.stream.ne.jp^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/171428 [Stealth Mode - IP hiding]
+@@||pornxp.com^$stealth=ip
+! https://github.com/AdguardTeam/AdguardFilters/issues/171107
+! a problem only with non empty referrer value
+! https://github.com/AdguardTeam/AdguardFilters/issues/171262 [Stealth Mode - Referrer]
+@@||tortuga.wtf^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/171071
+@@||bath*.*/watch/*.m3u8$stealth=referrer
+@@||bath*.*/watch/*/keys/*.key$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/170546 [Stealth Mode - Block third-party Authorization header]
+@@||external.productinformation.abb.com/PisWebApi/$stealth=3p-auth
+! https://github.com/AdguardTeam/AdguardFilters/issues/170044 [Stealth Mode - Referrer]
+@@/*/*-*/*.png$stealth=referrer,xmlhttprequest,domain=dbx.molystream.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/170137
+@@||reddit.app.link^$stealth=useragent
+! https://github.com/AdguardTeam/AdguardFilters/issues/170911
+@@||plground.live^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/170788 [Stealth Mode - Referrer]
+@@||rscaptcha.com^$domain=claimtrx.com,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/170781 [Stealth Mode - Referrer]
+@@||p.sky.com^$domain=wowtv.de,stealth=referrer
+@@||id.sky.de^$domain=wowtv.de,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/170772 [Stealth Mode - Block third-party Authorization header]
+@@||scw.cloud^$stealth=3p-auth
+! https://github.com/AdguardTeam/AdguardFilters/issues/169769
+! https://github.com/AdguardTeam/AdguardFilters/issues/169322 [Stealth Mode - Referrer]
+@@||cdn.apple-cloudkit.com^$domain=apple.com,stealth=referrer
+@@||store.storeimages.cdn-apple.com^$domain=apple.com,stealth=referrer
+@@||apple.com^$domain=apple.com,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/170445 [Stealth Mode - Referrer]
+@@||pandaznetwork.com^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/170214 [Stealth Mode - Referrer]
+@@||sv1.fluxcedene.net/api/gql$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/170261 [Stealth Mode - User-Agent]
+@@||quick-edit-cny.pages.dev^$domain=dash.cloudflare.com,stealth=useragent
+! https://github.com/AdguardTeam/AdguardFilters/issues/170260
+@@||api.performfeeds.com^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/169182 [Stealth Mode - Referrer]
+@@||shrinke.me^$stealth=referrer
+@@||themezon.net/link.php$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/170239 [Stealth Mode - Referrer]
+@@||playm4u.xyz/play/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/169557
+@@|forefront.ai^$stealth=3p-cookie
+! https://github.com/AdguardTeam/AdguardFilters/issues/169982 [Stealth Mode - Referrer]
+@@||caffenero-webassets-production.s3.eu-west-2.amazonaws.com/images/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/169664 [Stealth Mode - Referrer]
+@@||sn.dplayer*.site/iframe.php$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/169542 [Stealth Mode - Referrer]
+@@||kajilinks.com^$stealth=referrer
+@@||bishalghale.com.np^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/169404 [Stealth Mode - Referrer]
+@@||hls05.*.*/hls05$stealth=referrer,xmlhttprequest,domain=kisskh.co
+! https://github.com/AdguardTeam/AdguardFilters/issues/169441 [Stealth Mode - Referrer]
+@@||dugrt.com/post$stealth=referrer
+@@||tech*.techradar.ink/*/?se=*&listing=$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/168999 [Stealth Mode - IP hiding]
+@@||plex.tv/api/$stealth=ip
+! https://github.com/AdguardTeam/AdguardFilters/issues/168619 [Stealth Mode - Block third-party Authorization header]
+@@||user-portal.*.edenred.io^$stealth=3p-auth
+! https://github.com/AdguardTeam/AdguardFilters/issues/169148 [Stealth Mode - Referrer]
+@@||developer.qcloudimg.com/http-save/$image,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/168945 [Stealth Mode - IP hiding]
+@@||edge.api.brightcove.com/playback/v1/accounts/*/videos/$xmlhttprequest,domain=tver.jp,stealth=ip
+! https://github.com/AdguardTeam/AdguardFilters/issues/168846
+@@||platform.cloud.coveo.com^$stealth=3p-auth,domain=intel.*
+! https://github.com/AdguardTeam/AdguardFilters/issues/168667 [ Stealth Mode - Referrer]
+@@||dplayer64.site/multiplayer.php?v=$subdocument,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/168605 [ Stealth Mode - 3rd party cookie 0]
+@@||outlook.live.com^$cookie=OParams
+! https://github.com/AdguardTeam/AdguardFilters/issues/168101
+@@||guccihide.store/v/$subdocument,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/168076 [Stealth Mode - Referrer]
+@@||video.onnetwork.tv/frame*.php$stealth=referrer,domain=radiozet.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/168019 [Stealth Mode - Referrer]
+@@||play.openhub.tv/playurl$stealth=referrer,domain=highporn.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/167917 [Stealth Mode - Referrer]
+@@||akamaized.net/*.m4s$xmlhttprequest,stealth=referrer,domain=bilibili.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/167884 [Stealth Mode - Referrer]
+@@||myfilestorage.xyz^$stealth,media,domain=bflix.gs
+! https://github.com/AdguardTeam/AdguardFilters/issues/167343 [Stealth Mode - Referrer]
+@@||topsporter.net/headlines$stealth=referrer
+@@||sportshub.to/frames/cf/$stealth=referrer
+@@||alnorum.xyz/hls2/$stealth=referrer
+@@||ferina.xyz/hls2/$stealth=referrer
+@@||amoenus.xyz/hls/$stealth=referrer
+@@||anania.xyz/hls2/$stealth=referrer
+@@||aeneus.xyz/hls/$stealth=referrer
+@@||anisus.xyz/hls/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/167395
+@@||content.viralize.tv/player/$stealth,domain=automoto.it|moto.it
+@@||content.viralize.tv/display/$stealth,domain=automoto.it|moto.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/166675 [Stealth Mode - Referrer]
+@@||card-form.diehard.yandex.net^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/167227 [Stealth Mode - User-Agent]
+! https://github.com/AdguardTeam/AdguardFilters/issues/177915
+! vipbox - broken player [Stealth Mode - Referrer]
+@@/sd0embed/*$subdocument,stealth=referrer,domain=vipbox.lc
+! sportsurge/totalsportek.pro/dubznetwork.com - player not working [Stealth Mode - Referrer]
+! https://github.com/AdguardTeam/AdguardFilters/issues/180250
+@@||kenitv.me/*embed$stealth=referrer
+@@||walletkeyslocker.me/?scode=*&stream=$stealth=referrer
+@@||1qwebplay.xyz/*.php$stealth=referrer
+@@||qqwebplay.xyz/embedlivetv.php$stealth=referrer
+@@||viwlivehdplay.ru/mono.php?id=$stealth
+@@||wideiptv.top/*/embed.html?token=*&remote=no_check_ip$stealth
+@@||onlinehdhls.ru/*/playlist.m3u8$stealth
+@@/channel/*$subdocument,stealth=referrer,domain=redditsoccerstream.online
+@@.ru/mylivetv/stream-*.php$stealth=referrer
+@@/premium*/tracks-*.html$xmlhttprequest,stealth=referrer
+@@/tracks-v1a1/*$xmlhttprequest,stealth=referrer,domain=olalivehdplay.ru|topembed.pw|poscishd.online|pkpakiplay.xyz
+@@/index.m3u8$xmlhttprequest,stealth=referrer,domain=poscishd.online
+@@/premium*/tracks-*/*$xmlhttprequest,stealth=referrer,domain=lewblivehdplay.ru
+@@/premium*/*.php$subdocument,stealth=referrer,domain=worldstreams.lol|stronstream.shop|dailytechs.shop|sportzlive.shop
+@@.ru/premiumtv/*.php*$subdocument,xmlhttprequest,stealth=referrer
+@@/cache2/*=.m3u8$xmlhttprequest,stealth=referrer,domain=weblivehdplay.ru
+@@/gen.php?playerid$subdocument,stealth=referrer,domain=fastreams.live|fastreams.com|ftmstreams.com
+@@assets/dist//bts2$xmlhttprequest,stealth=referrer,domain=previbes.online
+@@/scripts/*m3u8$xmlhttprequest,stealth=referrer,domain=1stream.eu|1stream.soccer|streameast.app|thecrackstreams.live
+@@/scripts/*js|$xmlhttprequest,stealth=referrer,domain=methstreamer.com|crackstreamer.net|thestreameast.ai|1stream.eu|1stream.soccer|streameast.app|thecrackstreams.live|meth-streams.ai|buffstreams.app
+@@/playlist/*caxi.m3u8$xmlhttprequest,stealth=referrer,domain=methstreamer.com|crackstreamer.net|thestreameast.ai|1stream.soccer|streameast.app|1stream.eu|buffstreams.app|meth-streams.ai
+@@playlist/*/load-playlist$xmlhttprequest,stealth=referrer,domain=methstreamer.com|crackstreamer.net|thestreameast.ai|1stream.eu|1stream.soccer|streameast.app|thecrackstreams.live|meth-streams.ai|buffstreams.app
+@@/chunklist/*.m3u8$xmlhttprequest,stealth=referrer,domain=decmelfot.xyz|usgate.xyz|hdfungamezz.xyz|chrisellisonllc.xyz|arcasiangrocer.store
+@@/hls*/*.m3u8$stealth=referrer,domain=homesports.net|techclips.net|b4ucast.com|thegentleclass.com
+@@/hls*/*.js$xmlhttprequest,stealth=referrer,domain=homesports.net
+@@/hls/*.ts$stealth=referrer,domain=techclips.net|abolishstand.net|planetfastidious.net|thegentleclass.com
+@@/embed/*$stealth=referrer,subdocument,domain=tv1337.buzz|lol-foot.ru|flashsports.org|ldcstreaming.info|sportsonline.*|sportstream.website|elixx.xyz|primefoot.ru|lavents.la
+@@*.php?player=desktop$stealth=referrer,domain=tv1337.buzz|soccermlbstream.top|hitsports.pro|feedzstream.com|cricplay2.xyz|antenatv.shop|virazo.sx|redditsoccerstream.online
+@@/live/*.m3u8$xmlhttprequest,stealth=referrer,domain=flstv.online|itssportstime.info|gamehdlive.net|weakspell.to|weakspell.org|streamocean.online|gameshdlive.net|bestsolaris.com|itssportstime.info|weakspell.to
+@@/live/*.ts|$xmlhttprequest,stealth=referrer,domain=weakspell.org|streamocean.online
+@@/live/*/*jpeg|$xmlhttprequest,stealth=referrer,domain=weakspell.org|weakspell.to
+@@style/*/*jpeg$xmlhttprequest,stealth=referrer,domain=weakspell.to
+@@/static/stream*.png$stealth=referrer,xmlhttprequest,domain=streamocean.online|streambtw.com
+@@/static/stream_*.jpeg$xmlhttprequest,stealth=referrer,domain=itssportstime.info
+@@/stylesheet/*$xmlhttprequest,stealth=referrer,domain=gamingzen.xyz
+@@/playstream/*/embed*.php$xmlhttprequest,stealth=referrer,domain=playstream.site
+@@/playstream/*/event.php$xmlhttprequest,stealth=referrer,domain=playstream.site
+@@/index.m3u8$xmlhttprequest,stealth=referrer,domain=olalivehdplay.ru|lewblivehdplay.ru
+@@||closedjelly.net/embed/$subdocument,stealth=referrer
+@@||pawastreams.info/gamer/*.php$subdocument,stealth=referrer
+@@||dubznetwork.com/iframes^$stealth=referrer
+@@||perrzo.com/protocols$stealth=referrer
+@@||abolishstand.net/embed$stealth
+@@||ntuplay.xyz/premiumtv$stealth
+@@.com/embed2.php?player=$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/166394 [Stealth Mode - Hide search queries, Referrer]
+@@||virtualearth.net^$stealth,domain=bing.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/166115
+@@||vdncloud.org/iframe/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/165950 [Stealth Mode - Referrer]
+@@.php?play_vid=$subdocument,stealth=referrer,domain=xyflv.cc
+! https://github.com/AdguardTeam/AdguardFilters/issues/166007 [Stealth Mode - IP hiding]
+@@||tving.com^$stealth=ip
+! https://github.com/AdguardTeam/AdguardFilters/issues/165934 [Stealth Mode - Referrer]
+@@||warezstream.link/mp4$stealth=referrer
+! sportsurge - broken chat [Stealth Mode - Referrer]
+@@||youtube.com/live_chat$stealth=referrer
+! sportsurge - streams not playing [Stealth Mode - Referrer]
+@@||freegamestreams.in/live/*.m3u8$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/165465 [Stealth Mode - Referrer]
+@@||dicasvalores.com^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/165874 [Stealth Mode - IP hiding]
+@@||novelpia.com^$stealth=ip
+! https://github.com/AdguardTeam/AdguardFilters/issues/165592 [Stealth Mode - Referrer]
+@@||arcgis.com^$stealth=referrer,domain=plan.praha.eu
+! https://github.com/AdguardTeam/AdguardFilters/issues/165625 [Stealth Mode - Referrer]
+! https://www.inicis.com/pg-info
+@@||stdpay.inicis.com^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/165584 [Stealth Mode - Referrer]
+@@||login.kao-kirei.com^$domain=kao-kirei.com,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/165405 [Stealth Mode - WebRTC]
+@@||facebook.com/groupcall/$stealth=webrtc
+@@||facebook.com/videocall/$stealth=webrtc
+@@||messenger.com/groupcall/$stealth=webrtc
+! https://github.com/AdguardTeam/AdguardFilters/issues/165406 [Stealth Mode - Block third-party Authorization header]
+@@||graphql.contentful.com^$stealth=3p-auth
+! vipbox - videos not playing [Stealth Mode - Referrer]
+@@||walletkeyslocker.me/?stream$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/164845 [Stealth Mode - Referrer]
+@@||siteseal.certerassl.com/validate/dynamic$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/164761 [Stealth Mode - Referrer]
+@@||tutlehd.xyz^$subdocument,stealth
+@@||wwwstream.pro^$subdocument,stealth
+@@$subdocument,third-party,stealth=referrer,domain=sport.starsites.fun
+! https://github.com/AdguardTeam/AdguardFilters/issues/164701 [Stealth Mode - Referrer]
+@@||dapi.kakao.com/v*/maps/sdk.js$stealth=referrer,domain=hyundai.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/164316
+@@||partner.market.yandex.ru^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/164719 [Stealth Mode - Referrer]
+@@||api.mapbox.com^$stealth,domain=kamsnim.cz
+! https://github.com/AdguardTeam/AdguardFilters/issues/164626 [Stealth Mode - User-agent]
+@@||modyolo.com/?s$stealth=useragent
+! https://github.com/AdguardTeam/AdguardFilters/issues/164458 [Stealth Mode - IP hiding]
+@@||ledevoir.com^$stealth=ip
+! https://github.com/AdguardTeam/AdguardFilters/issues/164281 [Stealth Mode - Referrer]
+@@||convincing-prettiest-firefly.quiknode.pro^$xmlhttprequest,domain=token.wallstmemes.com,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/164163 [Stealth Mode - Referrer]
+@@||facebook.com/qr/$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/164094 [Stealth Mode - Referrer]
+@@||japanreader.com/uploads/$image,stealth,domain=visortmo.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/163755 [Stealth Mode - Referrer]
+@@||10short.pro^$stealth
+@@||mamahawa.com^$stealth
+@@||short2money.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/163701
+@@||haddozws.atlantaserver.me^$domain=haddoz.net,stealth=ip|donottrack
+! https://github.com/AdguardTeam/AdguardFilters/issues/163649 [Stealth Mode - Block third-party Authorization header]
+@@||awsapprunner.com/users/$stealth=3p-auth
+! https://github.com/AdguardTeam/AdguardFilters/issues/163343 [Stealth Mode - Referrer]
+@@||ed-*.edgking.me/*/chunklist.m3u8$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/163281 [Stealth Mode - Referrer]
+@@||cdntvmedia.com^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/163026 [Stealth Mode - IP hiding]
+@@||gumtree.com^$stealth=ip
+! https://github.com/AdguardTeam/AdguardFilters/issues/162750 [Stealth Mode - Block third-party Authorization header]
+@@||api.vhx.tv^$stealth=3p-auth
+@@||api.vhx.com^$stealth=3p-auth
+! https://github.com/AdguardTeam/AdguardFilters/issues/163763
+! Also fixes Windows Copilot app
+@@||edgeservices.bing.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/162641 [Stealth Mode - Block third-party Authorization header]
+@@||cw-api.takeaway.com^$stealth=3p-auth
+! https://github.com/AdguardTeam/AdguardFilters/issues/162529 [Stealth Mode - Referrer]
+@@||file.myqcloud.com^$stealth,image,domain=icezmz.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/162184
+@@||suggestions.dadata.ru^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/161630
+@@||kit.fontawesome.com$stealth=referrer,domain=androidacy.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/161942 [Stealth Mode - Referrer]
+@@||mapandroute.de/MapAPI-$stealth=referrer,domain=dastelefonbuch.de
+! https://github.com/AdguardTeam/AdguardFilters/issues/161886 [Stealth Mode - Referrer]
+@@||global.apis.naver.com/weverse/$stealth,domain=weverse.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/161885 [Stealth Mode - Referrer]
+@@||xhscdn.com^$image,stealth,domain=xiaohongshu.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/161710 [Stealth Mode - Referrer]
+@@||bahn.de/*/*/suche$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/160944
+@@||sberbank.ru^$stealth=ip
+! https://github.com/AdguardTeam/AdguardFilters/issues/161517 [Stealth Mode - Referrer]
+@@||live.tv247us.com/tv247/*.m3u8$stealth
+@@||tv247.one/tv247/*.png$stealth
+! sport streaming sites (vipbox,streamseast,sportsurge etc.) - embedded player not working [Stealth Mode - Referrer]
+@@||walletkeyslocker.me^$domain=nolive.me,stealth=referrer
+@@||bscfsdf.azzureedge.xyz/scripts/*.m3u8$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/160735
+@@||delta.com^$stealth=3p-auth|ip|useragent|referrer
+! Sharecast embed player [Stealth Mode - Referrer]
+@@||sharecast.ws/player/$stealth
+@@||sharecast.ws/embed.min.js$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/160881 [Stealth Mode - Referrer]
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js?$domain=production-api.androidacy.com,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/160554 [Stealth Mode - Referrer]
+@@||mux.com^$xmlhttprequest,stealth,domain=patreon.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/160340 [Stealth Mode - Referrer]
+@@||api.mapbox.com^$stealth,domain=gpx.studio
+! https://github.com/AdguardTeam/AdguardFilters/issues/160273 [Stealth Mode - Referrer]
+@@||geocode.search.hereapi.com/v1/geocode?xnlp=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/159983 [Stealth Mode - Referrer]
+@@||api-js.datadome.co/js/|$stealth,domain=auth.garena.com
+! Cyclic reloading in the AdGuard account [Stealth Mode - Block third-party Authorization header]
+@@||account.adguard.*/api_acc/$stealth=3p-auth
+! https://github.com/AdguardTeam/AdguardFilters/issues/159889
+@@||by-promokod.by^$stealth=useragent
+! https://github.com/AdguardTeam/AdguardFilters/issues/159298
+@@||walmart.com/swag/graphql$stealth=donottrack
+@@||walmart.com/orchestra/*/graphq$stealth=donottrack
+@@||walmart.com/orchestra/api$stealth=donottrack
+! https://github.com/AdguardTeam/AdguardFilters/issues/159252
+@@||mid.ru^$stealth=ip
+! https://github.com/AdguardTeam/AdguardFilters/issues/158906 [Stealth Mode - Referrer]
+!+ NOT_OPTIMIZED
+@@||nextbigfuture.s3.amazonaws.com/uploads$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/159000 [Stealth Mode - Referrer, IP hiding]
+@@||cdn*.pw/stream2/cdn-*/index.m3u8$stealth=ip|referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/158477 [Stealth Mode - Referrer]
+@@||akamaized.net/*.m4s$stealth,domain=bilibili.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/158664
+@@||api.moeni.net^$xmlhttprequest,stealth=referrer|ip
+@@||cdn*.movcdn.*^$xmlhttprequest,stealth=referrer|ip,domain=moeni.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/158007
+! https://github.com/AdguardTeam/AdguardFilters/issues/157860 [Stealth Mode - Referrer]
+@@||static.hentai.direct^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/157532 [Stealth Mode - User-agent]
+@@||sciencedirect.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/176460 [Stealth Mode - User-agent]
+@@||sciencedirectassets.com^$stealth=useragent,domain=sciencedirect.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/157167
+@@||vip.sp-flv.com^*/?url=age_$subdocument,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/157370 [Stealth Mode - Referrer]
+@@||nq-api.net^$stealth,domain=jellycat.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/156882 [Stealth Mode - Referrer]
+@@||login-api.e-pages.dk^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/156816 [Stealth Mode - Referrer]
+@@||api.bilibili.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/156728 [Stealth Mode - Referrer]
+@@||digisupportdesk.com/index.php$stealth,xmlhttprequest
+! https://github.com/AdguardTeam/AdguardFilters/issues/156010
+@@||aircanada.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/156240 [Stealth Mode - Referrer]
+@@||redheadsound.video/player^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/155783 [Stealth Mode - Referrer]
+@@||cdn.idevbase.com/static/$stealth,domain=ohttps.com
+@@||ohttps.com^$stealth
+! freemovie.to - video not loading for "streamsb" [Stealth Mode - Referrer]
+@@||sbfull.com/e/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/155133 [Stealth Mode - Referrer]
+@@||stackblitz.com^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/155526 [Stealth Mode - Referrer]
+@@||video.weibocdn.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/155452 [Stealth Mode - Referrer]
+@@||qccommunity.qcloudimg.com^$stealth,domain=cloud.tencent.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/155496 [Stealth Mode - Referrer]
+@@||go.tnshort.net^$stealth
+@@||finclub.in/safe*.php?link=$stealth
+@@||financeyogi.net/safe*.php?link=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/155363 [Stealth Mode - Referrer]
+@@||furher.in/e/$subdocument,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/155189 [Stealth Mode - Referrer]
+@@/wp-content/uploads/*$image,stealth,domain=mangastic.cc
+! https://github.com/AdguardTeam/AdguardFilters/issues/159514
+! https://github.com/AdguardTeam/AdguardFilters/issues/155095 [Stealth Mode - Referrer]
+@@/wp-content/uploads/*$image,stealth,domain=realmscans.*
+! https://github.com/AdguardTeam/AdguardFilters/issues/155073 [Stealth Mode - Referrer]
+@@||arlnigh.me/*.m3u8$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/154768 [Stealth Mode - IP hiding]
+@@||deviantart.com^$stealth=ip
+! https://github.com/AdguardTeam/AdguardFilters/issues/154686 [Stealth Mode - WebRTC]
+@@||home.google.com^$stealth=webrtc
+! https://github.com/AdguardTeam/AdguardFilters/issues/154749 [Stealth Mode - Referrer]
+@@||frontroute.org/*.txt$stealth=referrer
+@@||frontroute.org^$media,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/154623 [Stealth Mode - Referrer]
+@@||api.viddler.com/api/v*/viddler.videos.getPlaybackDetails.json$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/154234 [Stealth Mode - Referrer]
+@@||edghst.me/*.m3u8$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/153773 [Stealth Mode - Referrer]
+@@||cdn.reactandshare.com/plugin/rns.js$stealth,domain=maanmittauslaitos.fi
+@@||data.reactandshare.com/api/plugin/$stealth,domain=maanmittauslaitos.fi
+! https://github.com/AdguardTeam/AdguardFilters/issues/153841 [Stealth Mode - Block third-party Authorization header]
+@@||api.nandos.services^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/153378 [Stealth Mode - Referrer]
+@@||cdn.nlark.com^$image,stealth,domain=yuque.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/153746 [Stealth Mode - Referrer]
+@@||pip-player.zum.com/embed?$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/153457 [Stealth Mode - Block third-party Authorization header, IP hiding]
+@@||abema-tv.com^$stealth=3p-auth
+@@||abema.tv^$stealth=ip
+! https://github.com/AdguardTeam/AdguardFilters/issues/153312 [Stealth Mode - Referrer]
+@@||amazonaws.com/academo-assets/$image,stealth,domain=academo.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/153125 [Stealth Mode - Referrer]
+@@||iframe.dacast.com/vod/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/152740 [Stealth Mode - Referrer]
+@@/content/image.jpg?data=$stealth,domain=nettruyenplus.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/151641
+@@||store.steampowered.com/events/ajaxgetbesteventsforuser?$stealth=3p-cookie
+! https://github.com/AdguardTeam/AdguardFilters/issues/152421
+@@||adrinolinks.in^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/152257
+@@||txc.gtimg.com/static/$stealth,domain=support.qq.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/177065
+! https://github.com/AdguardTeam/AdguardFilters/issues/152102 [Stealth Mode - Referrer]
+@@||readpai.com^$stealth=referrer,image
+! https://github.com/AdguardTeam/AdguardFilters/issues/152264 [Stealth Mode - Block third-party Authorization header]
+@@||api.dropboxapi.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/152086 [Stealth Mode - Referrer]
+@@||imgfx02.xyz/chapters/$stealth,image
+! https://github.com/AdguardTeam/AdguardFilters/issues/152084 [Stealth Mode - Referrer]
+@@||gms.plus.pl/service/$stealth,domain=plushbezlimitu.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/150381 [Stealth Mode - Block third-party Authorization header]
+@@||management.azure.com^$stealth=3p-auth
+! https://github.com/AdguardTeam/AdguardFilters/issues/151993 [Stealth Mode - Referrer]
+@@-atari-embeds.googleusercontent.com/embeds/*/inner-frame-minified.html$stealth
+@@||gstatic.com^$stealth,domain=cup.rallyfans.info
+! https://github.com/AdguardTeam/AdguardFilters/issues/151386 [Stealth Mode - Referrer]
+@@||api-maps.yandex.ru/services/startup/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/151381 [Stealth Mode - Referrer]
+@@||file.myqcloud.com/*.mp4?token=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/151626
+@@||ny.gov^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/151483 [Stealth Mode - Referrer]
+@@||gnula.club/embed.php$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/151059 [Stealth Mode - Referrer]
+@@||ptah.m3pd.com/key=$media,domain=porntop.com,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/151221 [Stealth Mode - Referrer]
+@@||app.humanornot.ai^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/150722 [Stealth Mode - Referrer]
+@@||media-files.bunkr.ru^$media,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/150740 [Stealth Mode - Referrer]
+@@||video.xpembed.me/remote_control.php$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/150734 [Stealth Mode - Block third-party Authorization header]
+@@||commercelayer.io^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/150237 [Stealth Mode - Referrer]
+@@||theglobeandmail.com^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/150653 [Stealth Mode - Referrer]
+@@/video/*$media,stealth,domain=douyin.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/148048 [Stealth Mode - Flash]
+@@||uceprotect.net^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/150062 [Stealth Mode - Referrer]
+@@||appgw.ess.tencent.cn^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/149697 [Stealth Mode - Block third-party Authorization header]
+@@||api.c-tips.jp^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/149146 [Stealth Mode - IP hiding]
+@@||animego.org^$stealth=ip
+! https://github.com/AdguardTeam/AdguardFilters/issues/149656 [Stealth Mode - Referrer]
+@@||bitvtom1000.xyz/public/subnhanhnet/video?vid=$stealth,domain=subnhanh.*
+! https://github.com/AdguardTeam/AdguardFilters/issues/148628 [Stealth Mode - Referrer]
+@@||accelcdn.com^$image,stealth,domain=mangaokutr.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/148592 [Stealth Mode - Referrer]
+@@||s.bstarstatic.com/ogv/subtitle/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/148470 [Stealth Mode - User-agent]
+@@||laftel.net^$stealth=useragent
+@@||api.channel.io/front/$stealth=useragent,domain=laftel.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/148097 [Stealth Mode - IP hiding]
+@@||start-player.npo.nl/video/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/148048 [Stealth Mode - Referrer, Location]
+@@||board4all.biz^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/147486 [Stealth Mode - Referrer]
+@@||community-wscdn.xmwol.com^$stealth,image,stylesheet
+@@||wscdn.xmwol.com^$stealth,image,stylesheet
+! https://github.com/AdguardTeam/AdguardFilters/issues/147100 [Stealth Mode - Referrer]
+@@||mbcdn.xyz^$image,stealth,domain=mangabuddy.com
+@@||youmadcdn.xyz^$image,stealth,domain=mangabuddy.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/147309 [Stealth Mode - Referrer]
+@@/^https:\/\/127\.0\.0\.1:10039\/\?callback=jQuery[0-9]{20,}_[0-9]{13}&HW&[A-z0-9]{22}==&&0&0&/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/147003 [Stealth Mode - Block third-party Authorization header]
+@@||wetransfer.net/api/v*/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/181392
+@@||crunchyrollsvc.com^$stealth=3p-auth
+! https://github.com/AdguardTeam/AdguardFilters/issues/160138
+! https://github.com/AdguardTeam/AdguardFilters/issues/154245
+! https://github.com/AdguardTeam/AdguardFilters/issues/146541 [Stealth Mode - Referrer]
+@@.mp4$domain=crunchyroll.com,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/146227 [Stealth Mode - Block third-party Authorization header]
+@@||substrate.office.com/NotesFabric/api/*/me/notes$domain=outlook.live.com,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/145937 [Stealth Mode - Referrer]
+@@||upload*.jianshu.io^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/145855 [Stealth Mode - Referrer]
+@@||moyu.im/*.jpg$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/146127 [Stealth Mode - Referrer]
+@@||contentx.me^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/145802 [Stealth Mode - Referrer]
+@@||yonaplay.org/embed.php$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/145176 [Stealth Mode - Referrer]
+@@||js.digitalriverws.com/*/components/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/145450 [Stealth Mode - Referrer]
+@@||feedback-pa.clients*.google.com/*/google.internal.feedback.$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/145510 [Stealth Mode - IP hiding, Location]
+@@||challenges.cloudflare.com^$stealth
+@@||chat.openai.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/144590 [Stealth Mode - Block third-party Authorization header]
+!+ NOT_OPTIMIZED
+@@||abema-tv.com^$domain=abema.tv,stealth=3p-auth
+! https://github.com/AdguardTeam/AdguardFilters/issues/144655 [Stealth Mode - Block third-party Authorization header]
+@@||deep-vision.cloud/graphql$stealth=3p-auth,domain=doveze.cz
+! https://github.com/AdguardTeam/AdguardFilters/issues/144169 [Stealth Mode - Referrer]
+@@||nvidia.custhelp.com^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/144456 [Stealth Mode - Referrer]
+@@||kbjrecord.com/e/*.html$subdocument,stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/144159 [Stealth Mode - Referrer]
+@@||520click.com/ad.php$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/143766 [Stealth Mode - Referrer]
+@@||api.cabonline.se^$stealth
+@@||vector.hereapi.com/v*/vectortiles/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/142945 [Stealth Mode - Block third-party Authorization header]
+@@||amazonaws.com/graphql$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/141684 [Stealth Mode - Block third-party Authorization header]
+@@||api.mercari.jp^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/143140 [Stealth Mode - Referrer]
+@@||bf.sbdm.cc^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/142617 [Stealth Mode - Referrer]
+@@||geo.dailymotion.com/player/*.html$stealth=referrer,domain=filmstarts.de
+! https://github.com/AdguardTeam/AdguardFilters/issues/142950 [Stealth Mode - Referrer]
+@@||api.mapbox.com^$stealth,domain=tunein.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/142668 [Stealth Mode - User-agent]
+@@||traffic.omny.fm/*/clips/$stealth,domain=iheart.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/166732
+! https://github.com/AdguardTeam/AdguardFilters/issues/142689 [Stealth Mode - Referrer]
+@@||zxzja.com:*/player-$subdocument,stealth
+@@||zxzja.com:*/Cloud/Down/$subdocument,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/142416 [Stealth Mode - Do-Not-Track]
+@@||customeragent-v3.seb.se/Amelia$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/141626 [Stealth Mode - Referrer]
+@@||109.236.92.205^*.m3u8$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/141644 [Stealth Mode - Referrer]
+@@||googleapis.com/customsearch/v*/siterestrict?$domain=rakuten.com.tw,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/141370 [Stealth Mode - Referrer]
+@@||olhonaviagem.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/141431 [Stealth Mode - Referrer]
+@@||vidcache.net:*/*/*.mp4$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/141058 [Stealth Mode - IP hiding]
+@@||hdfilmcehennemi.life^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/140710 [Stealth Mode - Referrer]
+@@||vembx.one/*embed$subdocument,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/140576 [Stealth Mode - Referrer]
+@@||thirai*.com/*/$subdocument,stealth,domain=tamildhool.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/140426 [Stealth Mode - IP hiding]
+@@||mgpm.macaotourism.gov.mo^$stealth=ip
+! https://github.com/AdguardTeam/AdguardFilters/issues/140264 [Stealth Mode - Referrer]
+@@||cdnv*.byteblaze.me^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/140231 [Stealth Mode - Referrer]
+@@||alkalimetricsink-pa.clients6.google.com/$rpc/google.internal.alkali.applications.metricsink.v1.MetricService/RecordMetrics$domain=matrix.itasoftware.com,stealth
+@@||waa-pa.clients6.google.com/$rpc/google.internal.waa.v1.Waa/Create$domain=matrix.itasoftware.com,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/140204 [Stealth Mode - Referrer]
+@@||xevode.net/embed-$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/139450 [Stealth Mode - Referrer]
+@@||cdn.bcebos.com/passApi/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/175884 [Stealth Mode - Block third-party Authorization header]
+! https://github.com/AdguardTeam/AdguardFilters/issues/139968 [Stealth Mode - Referrer]
+@@||yellowmap.de/api_rst/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/139786 [Stealth Mode - WebRTC]
+@@||health.yandex.ru^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/139735 [Stealth Mode - Referrer]
+@@||managecomics.geekfetch.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/139425 [Stealth Mode - Referrer]
+@@||stream*.freedisc.pl/*.mp4$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/139387 [Stealth Mode - Referrer]
+@@||hsugoi.com/*.mp4$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/139043 [Stealth Mode - Referrer]
+@@||teledays.ru^*.php|$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/139380 [Stealth Mode - Referrer]
+@@||dapi.kakao.com/v*/maps/sdk.js$stealth,domain=disco.re
+! https://github.com/AdguardTeam/AdguardFilters/issues/139267 [Stealth Mode - User-agent]
+@@||piano.io/xbuilder/experience/$stealth,domain=lvz.de
+@@||piano.io/checkout/offer/$stealth,domain=lvz.de
+@@||buy-*.piano.io^$script,stylesheet,stealth,domain=piano.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/139211 [Stealth Mode - Referrer]
+@@||vmeas.cloud/hls/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/139165 [Stealth Mode - Referrer]
+@@||speedtestcustom.com^$subdocument,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/139069 [Stealth Mode - Referrer]
+@@||dapi.kakao.com/v*/maps/sdk.js$stealth,domain=aptgin.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/137455#issuecomment-1368318385 [Stealth Mode - User-agent]
+@@||cafe.naver.com/ArticleRead.nhn$stealth
+! https://forum.adguard.com/index.php?threads/website.50982/ [Stealth Mode - Referrer]
+@@||rsc.cdn77.org^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/138495 [Stealth Mode - IP hiding]
+@@||eapteka.ru/*/personal/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/138065 [Stealth Mode - Referrer]
+@@||api.hostemb.ws^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/137636
+@@||ov-chipkaart.nl^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/137570 [Stealth Mode - Hide search queries, Referrer]
+@@||yandex.ru/user-id$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/137134 [Stealth Mode - Referrer]
+@@||myyouporn.org/wp-content/uploads/$media,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/137132 [Stealth Mode - WebRTC]
+@@||netfapx.com/*/|$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/137366 [Stealth Mode - Referrer]
+@@||creativecloud-deliver.bytedance.com/api/webardeliver/verify$stealth,domain=capcut.cn
+! https://github.com/AdguardTeam/AdguardFilters/issues/137072 [Stealth Mode - Referrer]
+@@||play.stream2.me/embed/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/137228 [Stealth Mode - Referrer]
+@@||cfnode*.xyz/*.php?url=$stealth,domain=libvio.me|libvio.fun|libvio.cc
+! https://github.com/AdguardTeam/AdguardFilters/issues/136919 [Stealth Mode - IP hiding]
+@@||chemicalbook.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/136927 [Stealth Mode - Referrer]
+@@||grimoireoss-pa.clients6.google.com/batch?$stealth,domain=cs.android.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/136450 [Stealth Mode - IP hiding]
+@@||jiovod.wdrm.cdn.jio.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/136029 [Stealth Mode - Disable cache for third-party requets]
+@@||vscode-sync.trafficmanager.net^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/135766 [Stealth Mode - Referrer]
+@@||csc-captcha-dre.security.dbankcloud.cn^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/136032 [Stealth Mode - Referrer]
+@@||img*.reimg.org/images/$stealth,domain=remanga.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/135721
+@@||api.mapy.cz^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/135335 [Stealth Mode - Referrer]
+@@||cdn.yamibuy.net^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/135238 [Stealth Mode - Referrer]
+@@||txxx.com/embed/$stealth
+! https://github.com/List-KR/List-KR/pull/448 [Stealth Mode - Block third-party Authorization header]
+! dcinside.com [Stealth Mode - Referrer]
+! https://github.com/AdguardTeam/AdguardFilters/pull/138664
+! https://github.com/List-KR/List-KR/pull/319
+@@||dcinside.co.kr/viewmovie.php$stealth
+@@||dcinside.co.kr/viewimage.php?$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/98466 [Stealth Mode - Referrer]
+@@||ac*.namu.la^$domain=arca.live,media,image,stealth
+! humoruniv.com [Stealth Mode - Referrer]
+@@||t.huv.kr/thumb_crop_resize.php$stealth
+! https://github.com/List-KR/List-KR/pull/312 [Stealth Mode - Referrer]
+@@||thumbnail*.coupangcdn.com/thumbnails/$stealth,image
+@@||asset*.coupangcdn.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/134992 [Stealth Mode - Referrer]
+@@/play.php?$stealth,domain=netlivetv.xyz
+! https://github.com/AdguardTeam/AdguardFilters/issues/135059 [Stealth Mode - Referrer]
+@@||exee.app^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/135035 [Stealth Mode - Referrer]
+@@||ok.ru/videoembed$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/134465 [Stealth Mode - Referrer]
+@@||api.mapy.cz/*/maptiles/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/134317 [Stealth Mode - Referrer]
+@@||tenor.googleapis.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/133607 [Stealth Mode - Referrer]
+@@||myid.canon^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/133566 [Stealth Mode - Referrer]
+@@||cdpn.io^$subdocument,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/133813 [Stealth Mode - Referrer]
+@@/uploads/*.m3u8$stealth,domain=agemys.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/133406 [Stealth Mode - It's broken by many options]
+@@||logowanie.play.pl^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/133340 [Stealth Mode - Referrer]
+@@||maps.googleapis.com/maps/api/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/132933 [Stealth Mode - IP hiding]
+@@||zhodinonews.by$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/131801 [Stealth Mode - Hide search queries, Referrer]
+@@||kh.google.com/rt/earth/$stealth,xmlhttprequest
+! https://github.com/AdguardTeam/AdguardFilters/issues/132602 [Stealth Mode - Referrer]
+@@||earthquakecensus.com/embed/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/132241 [Stealth Mode - Referrer]
+@@||tv.uctnew.com/*embed$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/132236 [Stealth Mode - Referrer]
+@@||bdnewszh.com^*.php|$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/131718 [Stealth Mode - Block third-party Authorization header]
+@@||split.io/api/$stealth,domain=secure.rewardcodes.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/132145 [Stealth Mode - Block third-party Authorization header]
+@@||graph.microsoft.com^$stealth,xmlhttprequest,domain=odwebp.svc.ms
+! https://github.com/AdguardTeam/AdguardFilters/issues/131837 [Stealth Mode - Referrer]
+@@||unbiasedsenseevent.com/embed/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/131920 [Stealth Mode - Referrer]
+@@||youtube.com/live_chat?$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/131862 [Stealth Mode - Block third-party Authorization header]
+@@||api.github.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/131886 [Stealth Mode - Referrer]
+@@||anizmstream*.com/cdn/down/$stealth,domain=anizmplayer.com|anizm.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/131664 [Stealth Mode - Block third-party Authorization header]
+@@||sendvsfeedback2-secondary.azurewebsites.net^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/116093
+@@||tradingview.com^$script,stealth
+@@||realtime-chart.info^$script,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/131741 [Stealth Mode - Referrer]
+@@||api.mghubcdn.com/graphql$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/131562 [Stealth Mode - Referrer]
+@@||games.crazygames.com/*/index.html$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/131581 [Stealth Mode - Referrer]
+@@||consent.cookiefirst.com/banner.js$stealth
+@@||consent.cookiefirst.com/sites$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/131531 [Stealth Mode - Referrer]
+@@||dnvodcdn.me/*/mp4$stealth,domain=iyf.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/131521 [Stealth Mode - Referrer]
+@@||mghubcdn.com^$stealth,domain=mangafox.fun
+! https://github.com/AdguardTeam/AdguardFilters/issues/131460 [Stealth Mode - Referrer]
+@@||alicdn.com^$stealth,domain=developer.aliyun.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/131127 [Stealth Mode - Referrer]
+@@||vkcdn5.com^$stealth,image,media
+! https://github.com/AdguardTeam/AdguardFilters/issues/131114 [Stealth Mode - Referrer]
+@@||accounts.google.com/gsi/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/130793 [Stealth Mode - Referrer]
+@@/*/*-*/*.png$stealth,xmlhttprequest,domain=dizibox.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/126013 [Stealth Mode - Referrer]
+@@||video.externulls.com/key=$stealth
+! infranken.de/nordbayern.de - third-party element not shown [Stealth Mode - Referrer]
+@@||delivery.consentmanager.net/delivery/cmp.php$stealth
+@@||cdn.consentmanager.net/delivery/customdata/$stealth
+@@||cdn.consentmanager.net/delivery/js/cmp*.min.js$stealth
+@@||cdn.consentmanager.net/delivery/lang/langpurpose*.min.js$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/130590 [Stealth Mode - Referrer]
+@@||azureedge.net/scripts/*.m3u8$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/130566 [Stealth Mode - Referrer]
+@@||content.uplynk.com/preplay/*.json$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/130284 [Stealth Mode - Referrer]
+@@||olacast.live^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/129967 [Stealth Mode - Referrer]
+@@||vudeo.io/embed-$stealth
+@@||alucard.stream/playlist/$stealth
+@@/image/*$xmlhttprequest,stealth,domain=turkanime.co
+! https://github.com/AdguardTeam/AdguardFilters/issues/130418 [Stealth Mode - Referrer]
+! fixing popular problems with streaming services(like in this issue only)
+@@/mono.m3u8$stealth=referrer
+@@/index.m3u8$stealth=referrer
+@@.ru.com/*/tracks-$xmlhttprequest,stealth
+@@||vhls.ru.com/*.m3u8$xmlhttprequest,stealth
+@@/hls/*.m3u8$stealth
+@@/playlist.m3u8$stealth
+@@/chunks.m3u8$stealth
+@@/hls.key$stealth
+@@.ts^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/53280 [Stealth Mode - Referrer]
+@@||forms.ministryforms.net/viewForm.aspx$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/104168 [Stealth Mode - Referrer]
+@@||streampass.org^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/22422 [Stealth Mode - third-party cookies]
+@@||accounts.ea.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/129945 [Stealth Mode - Referrer]
+@@||txxxporn.tube/ext/get_file/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/130763
+! https://github.com/AdguardTeam/AdguardFilters/issues/129619 [Stealth Mode - Referrer]
+@@||shrink-service.it/api-extension/$stealth,domain=adshnk.com|adshrink.it
+@@||pagead2.googlesyndication.com/pagead/$stealth,domain=adshnk.com|adshrink.it
+@@||fundingchoicesmessages.google.com^$stealth,domain=adshnk.com|adshrink.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/129335 [Stealth Mode - Referrer]
+@@||reels2watch.com/hls/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/129566 [Stealth Mode - Referrer]
+@@||get-to.link^$stealth
+! winfuture.de - pictures in article gallery not showing after click [Stealth Mode - Referrer]
+@@||consentmanager.net/delivery/$domain=winfuture.de,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/129117 [Stealth Mode - Referrer]
+@@||mooc-image.nosdn.127.net^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/129091 [Stealth Mode - Referrer]
+@@||stfly.me^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/128774 [Stealth Mode - Referrer]
+@@||cnubis.com/*?download_token=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/128678 [Stealth Mode - Referrer]
+@@||cloud-*.onionflix.$stealth
+@@||cloud-*.onionplay.$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/128941 [Stealth Mode - Referrer]
+! Used many domains to avoid bans, so the rule is not specific
+@@/cdn*/premium*/tracks-$xmlhttprequest,script,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/128522 [Stealth Mode - Referrer]
+@@||captcha-api.yandex.ru^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/43224 [Stealth Mode - Referrer]
+@@.dmf.link/dl/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/127783 [Stealth Mode - Referrer]
+@@||camsecure.co/httpswebcam/*.html$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/128484 [Stealth Mode - Referrer]
+@@/*/*.jpg$stealth,image,domain=mangarawjp.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/128232 [Stealth Mode - Referrer]
+@@||vidcdn.co/iframe/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/127656#issuecomment-1227726814 [Stealth Mode - IP hiding]
+@@||stream.voidboost.$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/127859 [Stealth Mode - IP hiding]
+@@||images.boosty.to^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/127694 [Stealth Mode - Any option]
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=forum.release-apk.com,stealth,important
+@@||pagead2.googlesyndication.com/pagead/managed/js/adsense/*/show_ads*.js$domain=forum.release-apk.com,important,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/127640 [Stealth Mode - Referrer]
+@@||cloudapp.chinacloudapi.cn/lb.php?url=$stealth
+! stoerungsauskunft.de - no elements loading [Stealth Mode - Block third-party Authorization header]
+@@||api-public.stoerungsauskunft.de/api$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/127475 [Stealth Mode - IP hiding]
+@@||housecardsummerbutton.com^$stealth
+@@||delivery-node-*.voe-network.net/hls/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/126196 [Stealth Mode - Block third-party Authorization header]
+@@||api.bileto.com^$stealth,domain=arriva.cz
+! https://github.com/AdguardTeam/AdguardFilters/issues/127350 [Stealth Mode - Referrer]
+@@/chunklist.m3u8$stealth,domain=liveply.me
+! https://github.com/AdguardTeam/CoreLibs/issues/1661 [Stealth Mode - Referrer]
+@@||teleportal.ua/vplayer/?hash=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/126747 [Stealth Mode - Block third-party Authorization header]
+@@||apiwaka.azure-api.net/api/key/$stealth,domain=wakanim.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/126727 [Stealth Mode - Block third-party Authorization header]
+@@||focusmate-api.herokuapp.com/v*/profiles/$stealth,domain=focusmate.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/126946 [Stealth Mode - User-agent]
+@@||addons.opera.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/126434 [Stealth Mode - Block third-party Authorization header]
+@@||public-image-upload.s3.amazonaws.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/126433 [Stealth Mode - Block third-party Authorization header]
+@@||mein.toubiz.de/api/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/124917 [Stealth Mode - Referrer]
+@@||transact.playstation.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/124917 [Stealth Mode - Block third-party Authorization header]
+@@||api.playstation.com^$stealth
+@@||web.np.playstation.com/api^$stealth
+@@||np.community.playstation.net^$stealth
+! store.playstation.com - broken agegate [Stealth Mode - Referrer]
+@@||store.playstation.com/html/webIframeRedirect.html?requestId$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/125917 [Stealth Mode - Referrer]
+@@||dwnserver.com/download/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/125886 [Stealth Mode - Referrer]
+@@||img.achost.top^$stealth,domain=galge.fun
+! https://github.com/AdguardTeam/AdguardFilters/issues/125825 [Stealth Mode - Block third-party Authorization header]
+@@||apim.prd.natlot.be^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/125723 [Stealth Mode - IP hiding]
+@@||xes.pl/sign-in.html$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/125331 [Stealth Mode - Referrer]
+@@||img.mxomo.com^$image,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/125330 [Stealth Mode - Referrer]
+@@||cdnv2.newcomertoday.me/*.jpg$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/125230 [Stealth Mode - Referrer]
+@@||hls-live.bdstatic.com/*/stream_$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/131302 [Stealth Mode - Block third-party Authorization header]
+@@||gfnpc.api.entitlement-prod.nvidiagrid.net^$stealth
+@@||prod.sfm.geforcenow.nvidiagrid.net^$stealth
+@@||userstore.nvidia.com/v1/clientData$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/124836 [Stealth Mode - Block third-party Authorization header]
+@@||login.nvidia.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/123421 [Stealth Mode - Block third-party Authorization header]
+@@||api-*us1*.cludo.com/api/*/search$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/124836 [Stealth Mode - WebRTC]
+@@||play.geforcenow.com/mall/$stealth=webrtc
+! https://old.reddit.com/r/Adguard/comments/w7nzlq/site_still_broken_after_adding_to_allowlist [Stealth Mode - Referrer]
+@@||api.babbel.io^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/124305 [Stealth Mode - Referrer]
+@@||vikistream.com:*/hls/*.m3u8$stealth
+@@||srv.vhls.ru.com/cdn/*/*/*.m3u8$stealth
+@@/cdn/*/tracks-*/*/*.js$stealth,domain=strims.*
+! https://github.com/AdguardTeam/AdguardFilters/issues/123523 [Stealth Mode - Block third-party Authorization header]
+@@||public-api.reviews.2gis.com^$stealth
+@@||achieves.2gis.com/*/achieves?locale=$stealth,xmlhttprequest
+! https://github.com/AdguardTeam/AdguardFilters/issues/123710 [Stealth Mode - Block third-party Authorization header]
+@@||loki.delve.office.com/api/$stealth
+! studienwahl.de - adblock detection [Stealth Mode - Referrer]
+@@||ced.sascdn.com/tag/*/smart.js$domain=studienwahl.de,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/122907 [Stealth Mode - Referrer]
+@@||ihlv1.xyz/images$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/122752 [Stealth Mode - Referrer]
+@@||pay.yandex.ru/web/sdk/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/122690 [Stealth Mode - Referrer, IP hiding]
+@@||vidmoly.to/embed-$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/122547 [Stealth Mode - Block third-party Authorization header]
+@@||um.viuapi.io/drm/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/122152 [Stealth Mode - Referrer]
+@@||geo.dailymotion.com/player/*.html$stealth,domain=ohmymag.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/122012 [Stealth Mode - Referrer]
+@@||supremejav.com/supjav.php^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/121681 [Stealth Mode - Referrer]
+@@||mangakala.com/wp-content/uploads/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/121453 [Stealth Mode - IP hiding]
+@@||track.ukrposhta.ua^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/121023 [Stealth Mode - Referrer]
+@@||ihlv1.xyz/images$image,stealth,domain=weloma.art
+! https://github.com/AdguardTeam/AdguardFilters/issues/121396 [Stealth Mode - Block third-party Authorization header]
+@@||api.prod.bunnings.com.au^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/120298 [Stealth Mode - Block third-party Authorization header]
+@@||graphql.datocms.com^$stealth,domain=sensorkit.arduino.cc
+! https://github.com/AdguardTeam/AdguardFilters/issues/121055 [Stealth Mode - Block third-party Authorization header]
+@@||sto-caas-api.e-spirit.cloud/*/content/$domain=sto.de
+! https://github.com/AdguardTeam/AdguardFilters/issues/118495 [Stealth Mode - Referrer]
+@@||api.penpencil.xyz^$stealth,domain=physicswallah.live|pw.live
+! https://github.com/AdguardTeam/AdguardFilters/issues/120220
+@@||1trackapp.com^$stealth,xmlhttprequest,domain=1track.ru
+! https://github.com/AdguardTeam/AdguardFilters/issues/119422 [Stealth Mode - Referrer]
+@@||img*.*.xyz^$stealth,image,domain=manhwa18.cc
+! https://github.com/AdguardTeam/AdguardFilters/issues/119579 [Stealth Mode - Referrer]
+@@||klimv*.xyz/images$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/118915 [Stealth Mode - Referrer]
+@@||arnolds.com.br^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/118858 [Stealth Mode - Referrer]
+@@||ivi.ru/*/video/?id=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/118605 [Stealth Mode - Referrer]
+@@||a-delivery*.mxdcontent.net^$stealth,media
+! https://github.com/AdguardTeam/AdguardFilters/issues/118603 [Stealth Mode - Referrer]
+@@||apiblogger.xyz/blogger/video-play.mp4$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/118601 [Stealth Mode - Referrer]
+@@||playnewserie.xyz^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/118397 [Stealth Mode]
+@@||signin.aws.amazon.com/signin^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/118490 [Stealth Mode - Referrer]
+@@||tudogostoso.de^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/118294 [Stealth Mode - Referrer]
+@@||fundingchoicesmessages.google.com/f/*=$script,domain=youpouch.com,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/118161 [Stealth Mode - Referrer]
+@@||grimoireoss-pa.clients6.google.com^$stealth,domain=cs.opensource.google
+! https://github.com/AdguardTeam/AdguardFilters/issues/117641 [Stealth Mode - Referrer]
+@@.b-cdn.net/*.m3u8?$xmlhttprequest,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/117586 [Stealth Mode - Block Push API]
+@@||kad.arbitr.ru^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/117290 [Stealth Mode - WebRTC]
+@@||gamivo.com/product/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/117502
+! https://github.com/AdguardTeam/AdguardFilters/issues/117279 [Stealth Mode - Referrer]
+@@||edge.mycdn.live/live/*.m3u8$stealth
+@@||edge.mycdn.live^$stealth,domain=futebolplayhd.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/133622 [Stealth Mode - Referrer]
+@@||cdn.ampproject.org^$script,domain=rocketnews24.com|soranews24.com|youpouch.com,stealth
+@@||fundingchoicesmessages.google.com^$domain=rocketnews24.com|soranews24.com|youpouch.com,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/116952 [Stealth Mode - Referrer]
+@@||ip-*.net/*.mp4$stealth,domain=meusanimes.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/116957 [Stealth Mode - Referrer]
+@@||multicanais.org/get/auth$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/116946 [Stealth Mode - Referrer]
+@@||viajarhoje.com^$stealth
+@@||saborcaseiro.org/*.php?contentId=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/116942 [Stealth Mode - Referrer]
+@@||api.anivideo.fun/file/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/116811
+@@||s.stormedia.info/*.mp4$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/116709 [Stealth Mode - Referrer]
+@@||mzzcloud.life/embed-$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/116637 [Stealth Mode - Referrer]
+@@||mfcdn.net/store/$stealth,domain=fanfox.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/116426 [Stealth Mode - Referrer]
+@@||cdnyauction.buyee.jp^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/118213 [Stealth Mode - Referrer]
+@@||cdn.hsmedia.ru/dist/$stealth,domain=maximonline.ru|woman.ru|parents.ru|vokrugsveta.ru|psychologies.ru|ellegirl.ru|wday.ru|elle.ru|marieclaire.ru
+! https://github.com/AdguardTeam/AdguardFilters/issues/116265 [Stealth Mode - Referrer]
+@@||clubinvest.top^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/116266 [Stealth Mode - Referrer]
+@@||cdn*-player.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/116218 [Stealth Mode - Referrer]
+@@||mundotec.pro^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/116195 [Stealth Mode - Block third-party Authorization header]
+@@||api.apple-mapkit.com^$stealth
+@@||cdn.apple-mapkit.com/*?apiVersion=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/116187 [Stealth Mode - Referrer]
+@@||fofoquei.com/*/*.m3u8$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/116181
+@@||player.uauflix.online^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/116182 [Stealth Mode - Referrer]
+@@||temperosdavovo.com/*/*.m3u8$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/116085 [Stealth Mode - Referrer]
+@@||manchetehoje.xyz/*/*.php$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/116117 [Stealth Mode - Referrer]
+@@||s3.amazonaws.com^$stealth,domain=informationisbeautiful.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/115628 [Stealth Mode - Block third-party Authorization header]
+@@||portal.azure.com/*/resource/subscriptions/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/116075
+@@||dostavista.ru^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/115963 [Stealth Mode - Referrer]
+@@||cdn13.com^$stealth,media
+! https://github.com/AdguardTeam/AdguardFilters/issues/116030 [Stealth Mode - Referrer]
+@@||decorardicas.com.br^$stealth
+@@||loucasporcabelos.com.br^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/116036
+@@||povvldeo.lol^$stealth
+@@||steampiay.cc^$stealth
+@@||pouvideo.cc^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/116026 [Stealth Mode - Referrer]
+@@||lordplayer.club/*/*.m3u8$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/118217
+! https://github.com/AdguardTeam/AdguardFilters/issues/115812 [Stealth Mode - Referrer]
+@@||ntcdntempv*.com/data/images/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/115740 [Stealth Mode - Referrer]
+@@||html5.5games.cc^$stealth,third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/115652 [Stealth Mode - Referrer]
+@@||hls.redefine.pl^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/115391 [Stealth Mode - Referrer]
+@@||api-*.cludo.com/api/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/115356 [Stealth Mode - Referrer]
+@@||forum.javcdn.cc^$stealth,domain=javbus.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/115083 [Stealth Mode - Referrer]
+@@||img*.*img18fx.xyz^$stealth,image,domain=manga18fx.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/115152 [Stealth Mode - Referrer]
+@@||img*.kangaroobro.com/images/$stealth,image,domain=leyuman.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/114874 [Stealth Mode - Referrer]
+@@||usanewstoday.club/safe*.php?link=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/114510 [Stealth Mode - Referrer]
+@@||iknow-pic.cdn.bcebos.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/113711 [Stealth Mode - Referrer]
+@@||miui.com/unlock/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/114803 [Stealth Mode - Referrer]
+@@||10drives.com/downv*.php$stealth
+@@||10drives.com/api/$stealth,domain=premiumebooks.*
+! https://github.com/AdguardTeam/AdguardFilters/issues/114472 [Stealth Mode - Referrer]
+! https://github.com/AdguardTeam/AdguardFilters/issues/113774 [Stealth Mode - Referrer]
+@@||checkoutshopper-live.adyen.com/checkoutshopper/*/securedFields.html$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/114231 [Stealth Mode - Referrer]
+@@||dapi.kakao.com/*/maps/sdk.js$stealth,domain=kfckorea.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/114044 [Stealth Mode - Referrer]
+@@||api.mapbox.com/geocoding/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/113838 [Stealth Mode - IP hiding]
+@@||novelpia.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/113965 [Stealth Mode - Referrer]
+@@||vaughnsoft.net/play/$stealth,domain=vaughn.live
+! https://github.com/AdguardTeam/AdguardFilters/issues/113830 [Stealth Mode - Referrer]
+@@||imasdk.googleapis.com^$stealth,domain=news.tvb.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/128883
+! https://github.com/AdguardTeam/AdguardFilters/issues/113262 [Stealth Mode - Referrer]
+@@||idmsa.apple.com/appleauth/$stealth,domain=icloud.com|icloud.com.cn
+! https://github.com/AdguardTeam/AdguardFilters/issues/113509 [Stealth Mode - Referrer]
+@@/img/tab_$stealth,image,domain=mangakakalot.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/113264 [Stealth Mode - Referrer]
+@@/Status/ping$stealth,domain=status.bigant.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/113139 [Stealth Mode - Referrer]
+@@||upstreamcdn.co/hls/$stealth,domain=upstream.to
+! https://github.com/AdguardTeam/AdguardFilters/issues/112944 [Stealth Mode - Referrer]
+@@||stackpathcdn.com^$stealth,domain=tympanus.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/112833 [Stealth Mode - Referrer]
+@@/live/*.$stealth,domain=futbolfullenvivo.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/109512 [Stealth Mode - Referrer]
+@@||directly.com/chat?cfgId=$stealth
+@@||directline.botframework.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/109801 [Stealth Mode - IP hiding]
+@@||1plus1.video/tvguide/embed/*?autoplay=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/111187 [Stealth Mode - Referrer]
+@@||rumble.com/embed/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/108599 [Stealth Mode - Referrer]
+@@||xp-cdn.net/video/$stealth,media,domain=xpornium.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/110746 [Stealth Mode - Referrer]
+@@||pornimg.xyz^$stealth,domain=popjav.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/110629
+@@||dirtyship.net/dirtyship/$media,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/108448 [Stealth Mode - WebRTC]
+@@||w2g.tv/rooms/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/109773 [Stealth Mode - Referrer]
+@@||player*.cinestream.bid^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/108868 [Stealth Mode - Referrer]
+@@||api.mapbox.com/*/mapbox.satellite/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/107216 [Stealth Mode - Block third-party Authorization header]
+@@||api.openprovider.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/107596 [Stealth Mode - Block third-party Authorization header]
+@@||store-web.dynamics.com^$stealth
+@@||xboxlive.com^$stealth
+@@||xboxservices.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/106303 [Stealth Mode - Referrer]
+@@||duihui.duoduocdn.com^$image,stealth,domain=zhibo8.cc
+! https://github.com/AdguardTeam/AdguardFilters/issues/107777 [Stealth Mode - Referrer]
+@@.jpg$stealth,domain=manga1001.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/108211 [Stealth Mode - Referrer]
+@@||gurgle.zdbb.net/amp-targeting$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/106462 [Stealth Mode - Block third-party Authorization header]
+@@||api.onedrive.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/105485 [Stealth Mode - Referrer]
+@@||webapi.ctfile.com/getfile.php$stealth,domain=ct.999wan.wang
+! https://github.com/AdguardTeam/AdguardFilters/issues/105282 [Stealth Mode - Referrer]
+@@||dynamic-images-picturehappy.*.amazonaws.com^$stealth,domain=picturehappy.lv
+! https://github.com/AdguardTeam/AdguardFilters/issues/132405 [Stealth Mode - Referrer]
+@@||strmrdr*/index.php?id=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/104524 [Stealth Mode - Referrer]
+@@||core-nmaps-renderer-nmaps.maps.yandex.net/tile?x=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/105776
+@@||evisaforms.state.gov^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/105226
+@@||captcha-delivery.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/102896 [Stealth Mode - Referrer]
+@@||scontent-*.cdninstagram.com^$stealth,domain=bella.tw
+! https://github.com/AdguardTeam/AdguardFilters/issues/102602
+@@||maps.googleapis.com/maps/api/$stealth,domain=budmatauto.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/101263 [Stealth Mode - Referrer]
+@@||bin.bnbstatic.com^$stealth,domain=binance.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/101724 [Stealth Mode - Referrer]
+@@||pic*.cdncl.net^$stealth,domain=cowlevel.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/157766
+! https://github.com/AdguardTeam/AdguardFilters/issues/156796
+! https://github.com/AdguardTeam/AdguardFilters/issues/102199 [Stealth Mode - Referrer]
+@@/player/*$stealth,domain=ibomma.*
+@@||my-bucket-s3-*-amazonaws.*.*/*.m3u8$stealth,domain=ibomma.*
+@@||my-bucket-s3-*-amazonaws.*.*/*.mp4$stealth,domain=ibomma.*
+! https://github.com/AdguardTeam/AdguardFilters/issues/101484 [Stealth Mode - Referrer]
+@@||media.biertijd.com/galleries/$stealth,domain=biertijd.xxx
+! https://github.com/AdguardTeam/AdguardFilters/issues/101503 [Stealth Mode - Referrer]
+@@||animeshouse.net/mp4doo/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/100796 [Stealth Mode - Referrer]
+@@||static.hentai.direct/$stealth,image
+! https://github.com/AdguardTeam/AdguardFilters/issues/100401 [Stealth Mode - Block third-party Authorization header]
+@@||cdn.apple-mapkit.com/ma/bootstrap?$stealth,domain=icloud.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/99588 [Stealth Mode - Referrer]
+@@||ibeta-www.oss-cn-beijing.aliyuncs.com^$stealth,domain=betahub.cn
+! https://github.com/AdguardTeam/AdguardFilters/issues/99389 [Stealth Mode - Referrer]
+@@||mapapi.cloud.huawei.com/mapjs/v*/api/$stealth,domain=petalmaps.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/98975 [Stealth Mode - Block third-party Authorization header]
+@@||nbaapi.neulion.com/api_nba/$stealth,domain=nba.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/98906
+@@||ssl-thumb2.720static.com^$stealth,image
+! https://github.com/AdguardTeam/AdguardFilters/issues/98853 [Stealth Mode - Referrer]
+@@||api.mapbox.com/*?secure&access_token=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/98137 [Stealth Mode - Referrer]
+@@||ip-*.net/*.mp4$stealth,domain=animeonline.site
+! https://github.com/AdguardTeam/AdguardFilters/issues/96913#issuecomment-952242629 [Stealth Mode - Referrer]
+@@||onlinefixuploads.ru^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/97915 [Stealth Mode - Referrer]
+@@||ixifile.xyz/*.mp4$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/97176 [Stealth Mode - Referrer]
+@@||webzjac.reg.*.com^$stealth,domain=passport.youdao.com
+@@||webzjcaptcha.reg.*.com/api/$stealth,domain=passport.youdao.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/98051 [Stealth Mode - Referrer]
+@@||fundingchoicesmessages.google.com^$stealth,domain=stooq.pl|stooq.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/97673 [Stealth Mode - Referrer]
+@@||anyhentai.com/*.mp4?st=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/96837 [Stealth Mode - Block third-party Authorization header]
+@@||de-api.eco.astro.com.my/feed/api/$stealth,domain=astroawani.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/96631 [Stealth Mode - Block third-party Authorization header]
+@@||identity.oraclecloud.com//sso/v*/sdk/authenticate$stealth,domain=v2.ereg.ets.org
+! https://github.com/AdguardTeam/AdguardFilters/issues/96635#issuecomment-948466433 [Stealth Mode - User-agent]
+! https://github.com/AdguardTeam/AdguardFilters/issues/96856 [Stealth Mode - Referrer]
+@@||shortlink.prz.pw^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/96278 [Stealth Mode - Referrer]
+@@||bing.com/api/v*/Places/AutoSuggest?$stealth,domain=obi.de
+! https://github.com/AdguardTeam/AdguardFilters/issues/96562 [Stealth Mode - Referrer]
+@@||api.mapbox.com^$stealth,domain=planet.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/95900 [Stealth Mode - Referrer]
+@@||botprotect.io^$stealth,domain=robloxscripts.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/95265
+@@||data.alicloudccp.com^$stealth,domain=aliyundrive.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/95696 [Stealth Mode - User-agent]
+@@||microsoft.com/*/p/$stealth
+! kinopoisk.ru - sign in was broken [Stealth Mode - third-party cookies]
+@@||sso.kinopoisk.ru^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/180504
+! https://github.com/AdguardTeam/AdguardFilters/issues/105801
+! https://github.com/AdguardTeam/AdguardFilters/issues/95882 [Stealth Mode - Referrer]
+@@||simg.doubanio.com^$stealth=referrer,domain=douban.com
+@@||img*.doubanio.com^$stealth=referrer,domain=douban.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/96021 [Stealth Mode - Referrer]
+@@||kissorg.net^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/96003 [Stealth Mode - Block third-party Authorization header]
+@@||live-buyback-order-api.live-api.recommerce.cloud/product?$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/94305 [Stealth Mode - Referrer]
+@@||checkdomain.b-cdn.net/assets/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/94125 [Stealth Mode - Referrer]
+@@||api.mpapis.xyz/|$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/94134 [Stealth Mode - IP hiding]
+@@/token/*/master.mp4$stealth,domain=anilife.*
+! https://github.com/AdguardTeam/AdguardFilters/issues/93925 [Stealth Mode - Referrer]
+@@||autocomplete.geocoder.api.here.com/*/suggest.json$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/94148 [Stealth Mode - Referrer]
+@@||dapi.kakao.com/v*/maps/sdk.js$stealth,domain=nonghyup.tritops.co.kr
+! https://github.com/AdguardTeam/AdguardFilters/issues/92377
+@@||track.toggl.com/auth^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/93292 [Stealth Mode - Referrer]
+@@||moly.cloud/*/*.m3u8$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/92911 [Stealth Mode - Referrer]
+@@||rota.cc^$stealth
+@@||automotur.club^$stealth
+! afisha.ru broken instagram frames [Stealth Mode - Referrer]
+@@||scontent-arn*.cdninstagram.com/v/$stealth,image,domain=afisha.ru
+! https://github.com/AdguardTeam/AdguardFilters/issues/92635
+@@||funshion.com/*/media/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/92634 [Stealth Mode - Referrer]
+@@||ksv-video-publish-m3u8.cdn.bcebos.com/*.m3u8$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/92600 [Stealth Mode - Referrer]
+@@||droplink.co^$stealth,~third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/93029 [Stealth Mode - Referrer]
+@@||fundingchoicesmessages.google.com^$stealth,script,domain=player.addradio.de
+! https://github.com/AdguardTeam/AdguardFilters/issues/92140 [Stealth Mode - Referrer]
+@@||link1s.*^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/92334 [Stealth Mode - Referrer]
+@@||v.gqyy8.com:*.php?vid=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/92275 [Stealth Mode - Referrer]
+@@||tiles.esa.maps.eox.at/wms?SERVICE=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/92353 [Stealth Mode - Referrer]
+@@||img2.xyz.futbol/comics/$domain=jmana1.net,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/91915 [Stealth Mode - Referrer, IP hiding]
+@@||unian.net/player/$stealth
+@@||api.1plus1.video^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/92180 [Stealth Mode - Referrer]
+@@||battlecats-db.imgs-server.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/91016 [Stealth Mode - Referrer]
+@@||hlssec.rambler.eaglecdn.com/key.bin$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/90839 [Stealth Mode - Referrer]
+@@||manhua.acimg.cn^$stealth,domain=ac.qq.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/90981 [Stealth Mode - Referrer]
+@@||files.nextcdn.org/stream/$stealth,domain=animepahe.*|kwik.cx
+! https://github.com/AdguardTeam/AdguardFilters/issues/90892 [Stealth Mode - Referrer]
+@@||t*.daumcdn.net/cafeattach/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/90423 [Stealth Mode - Referrer]
+@@||content-*.googleapis.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/90012 [Stealth Mode - Referrer]
+@@||cloudfront.net/images/$stealth,domain=maps.seaofthieves.rarethief.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/89642 [Stealth Mode - Referrer]
+@@||123tv.live^$stealth
+@@|http$stealth,xmlhttprequest,other,media,domain=123tv.live
+! https://github.com/AdguardTeam/AdguardFilters/issues/89977 [Stealth Mode - Referrer]
+@@||login.bible.com^$stealth,domain=bible.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/89323 [Stealth Mode - Referrer]
+@@||img*.japanreader.com/uploads/$stealth,domain=lectortmo.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/89131 [Stealth Mode - Block third-party Authorization header]
+@@||platform-eu.cloud.coveo.com^$stealth,domain=fiskars.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/88832 [Stealth Mode - Referrer]
+@@||drop*.dropmefile.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/88656 [Stealth Mode - Referrer]
+@@||aniboom.one/embed/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/87427 [Stealth Mode - Referrer]
+@@||app.aboutyou.com/sign_in_with_apple$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/88006 [Stealth Mode - Referrer]
+@@||scontent-*.cdninstagram.com^$stealth,domain=wp.pl
+! https://github.com/AdguardTeam/AdguardFilters/issues/87288 [Stealth Mode - Referrer]
+@@||google-analytics.com/analytics.js$domain=mediamarkt.*,stealth,important
+@@||google-analytics.com/plugins/ua/ec.js$domain=mediamarkt.*,stealth,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/86093 [Stealth Mode - Referrer]
+@@||closeload.com/video/embed/$stealth
+@@||server*cdn*.tk/hls/$stealth
+@@||cloadstream*.xyz/hls/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/87074 [Stealth Mode - Referrer]
+@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=apkmirror.com,stealth
+@@||widgets.outbrain.com/outbrain.js$domain=apkmirror.com,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/87046 [Stealth Mode - Referrer]
+@@||9cache.com^$stealth,domain=9gag.com
+! ccleaner shop - not loading products [Stealth Mode - Referrer]
+@@||static-cf.cleverbridge.com/mycontent^$domain=secure.ccleaner.com,stealth
+! G/O Media / g-omedia.com / Kinja websites (kotaku.com) - broken pictures [Stealth Mode - Referrer]
+@@||i.kinja-img.com^$stealth
+! Broken pictures - [Stealth Mode - Referrer]
+@@||m.media-amazon.com/images/*$domain=amazon.*,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/86938 [Stealth Mode - Referrer]
+@@||media.nbb-cdn.de/images^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/86895 [Stealth Mode - Referrer]
+@@||sf*-*cdn-tos.pstatp.com^$domain=bcy.net,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/85212 [Stealth Mode - Referrer]
+@@||medium.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/85325
+! Streamplay
+@@||stemplay.*^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/85371 [Stealth Mode - Referrer]
+@@||hotstream.club/player/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/113893
+! https://github.com/AdguardTeam/AdguardFilters/issues/85090 [Stealth Mode - Referrer]
+@@/cdn/hls/*/master.txt$stealth,domain=diziyo.*|dzyco.*
+! Fixing issue with installing addons from addons.opera.com
+@@||addons.opera.com/ru/extensions/details/$stealth
+@@||addons.opera.com/extensions/download/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/84932 [Stealth Mode - Block third-party Authorization header]
+@@||writing.chegg.com/graphql$stealth,domain=citationmachine.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/85258 [Stealth Mode - Block third-party Authorization header]
+@@||api.mojang.com^$stealth
+@@||api.minecraftservices.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/84837 [Stealth Mode - Referrer]
+@@||s2-download.xyz^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/82309
+@@||officeapps.live.com/*.aspx$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/81577
+@@||secure.ccavenue.com/transaction/$stealth
+! https://forum.adguard.com/index.php?threads/43237/ [Stealth Mode - Referrer]
+@@||formula.ifz.ru/cgi-bin/tex2img-new.cgi$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/84234 [Stealth Mode - Referrer]
+@@||api.its-mo.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/83666 [Stealth Mode - Referrer]
+@@||webhook.frontapp.com/forms/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/83651
+@@||streanplay.cc^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/82882 [Stealth Mode - Referrer]
+@@||storage.yandex.net/rdisk/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/130703
+! https://github.com/AdguardTeam/AdguardFilters/issues/83098 [Stealth Mode - Referrer]
+@@||punakong.com:*/Cloud/Down/$stealth,domain=zxzj.*
+! https://forum.adguard.com/index.php?threads/give-me-solution-please-all-image-blocking.42999/ [Stealth Mode - Referrer]
+@@||cdn.statically.io/img^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/82345 [Stealth Mode - Referrer]
+@@||video.javhdporn.net^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/82466 [Stealth Mode - Referrer]
+@@||ac.namu.la^$domain=arca.live,media,image,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/82168 [Stealth Mode - Referrer]
+@@||vod*.myqcloud.com^$stealth,domain=cloud.tencent.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/82040 [Stealth Mode - Referrer]
+@@||vkprime.com/embed-*.html$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/82208 [Stealth Mode - Referrer]
+@@||content-*.uplynk.com/preplay$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/82201 [Stealth Mode - IP hiding]
+@@||jobportal.uni-koeln.de^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/82151 [Stealth Mode - Referrer]
+@@||google-analytics.com/analytics.js$stealth,domain=tv-media.at
+! https://github.com/AdguardTeam/AdguardFilters/issues/81382 [Stealth Mode - WebRTC, Referrer]
+@@||meet.jit.si^$stealth
+@@||play.vidyard.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/81067 [Stealth Mode - Referrer]
+@@||scontent*.cdninstagram.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/94766
+! https://github.com/AdguardTeam/AdguardFilters/issues/80694 [Stealth Mode - Referrer]
+@@||grimoireoss-pa.clients6.google.com^$domain=source.chromium.org,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/79861 [Stealth Mode - third-party cookies]
+@@||f95zone.to/login/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/79698 [Stealth Mode - Block third-party Authorization header]
+@@||api.athom.com^$domain=my.homey.app,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/78385 [Stealth Mode - Referrer]
+@@||api.cafeyn.co/users/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/79055 [Stealth Mode - IP hiding]
+@@||hotmo.org^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/78661
+@@||css.njhzmxx.com^$stealth,domain=yhdm.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/78051 [Stealth Mode - Referrer]
+@@/embed/*$subdocument,stealth,domain=strims.*|daddylive.*
+! https://github.com/AdguardTeam/AdguardFilters/issues/78197 [Stealth Mode - Referrer]
+!+ NOT_OPTIMIZED
+@@||cloudfront.net^$domain=postype.com,stealth,image
+! https://github.com/AdguardTeam/AdguardFilters/issues/77924 [Stealth Mode - Referrer]
+@@||sinaimg.cn^$stealth,domain=weibo.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/76235 [Stealth Mode - Referrer]
+@@||data.simpleupload.net/download/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/75484 [Stealth Mode - Block third-party Authorization header]
+@@||ingka.com^$stealth,domain=ikea.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/80854
+! https://github.com/AdguardTeam/AdguardFilters/issues/75417 [Stealth Mode - Referrer]
+@@|http*.php?url=$stealth,domain=nicotv.me
+! https://github.com/AdguardTeam/AdguardFilters/issues/76140 [Stealth Mode - Referrer]
+@@||uma.media^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/78193 [Stealth Mode - WebRTC]
+@@||myself-bbs.com/player/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/74518
+@@||amazonaws.com^$stealth,domain=console.aws.amazon.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/75102 [Stealth Mode - Referrer]
+@@||edx.org^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/74670 [Stealth Mode - Referrer]
+@@||api.youla.io^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/74623#issuecomment-777594020 [Stealth Mode - Referrer]
+@@||global.apis.naver.com^$stealth,domain=webtoons.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/74612 [Stealth Mode - Referrer]
+@@||api.mapbox.com^$stealth,domain=maps.me
+! https://github.com/AdguardTeam/AdguardFilters/issues/73941 [Stealth Mode - Do-not-Track]
+@@||cinemaxxl.de^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/75370 [Stealth Mode - Referrer]
+@@||midiaflixhd.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/74228 [Stealth Mode - Referrer]
+@@||kinescope.io/embed/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/73961 [Stealth Mode - Referrer]
+@@||imfaclub.com/images/$stealth,domain=lovehug.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/73924 [Stealth Mode - Referrer]
+@@||v.shoosh.co^$media,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/73227 [Stealth Mode - IP hiding]
+@@||drtuber.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/72165 [Stealth Mode - Referrer]
+@@||s*.bpwco.com^$xmlhttprequest,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/73236 [Stealth Mode - Referrer]
+@@||ask.qcloudimg.com^$stealth,domain=cloud.tencent.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/136881 [Stealth Mode - Referrer]
+! https://github.com/AdguardTeam/AdguardFilters/issues/136882 [Stealth Mode - Referrer]
+! https://github.com/AdguardTeam/AdguardFilters/issues/101412 [Stealth Mode - Referrer]
+! https://github.com/AdguardTeam/AdguardFilters/issues/73013 [Stealth Mode - third-party cookies]
+@@||e-podroznik.pl/public/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/73755 [Stealth Mode - Referrer]
+@@||glavred.info^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/72306 [Stealth Mode - IP hiding]
+@@||mijn.kpn.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/73815 [Stealth Mode - Referrer]
+@@||iframe.simplex-affiliates.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/71534 [Stealth Mode - User-agent]
+! Fixing Edge Browser start page
+@@||ntp.msn.com/edge/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/71538 [Stealth Mode - Referrer]
+@@||nextstream.org^$stealth,domain=animepahe.com|kwik.cx
+! https://github.com/AdguardTeam/AdguardFilters/issues/71231 [Stealth Mode - Block third-party Authorization header]
+@@||api.os.fressnapf.com^$stealth,domain=fressnapf.de
+! https://github.com/AdguardTeam/AdguardFilters/issues/70256
+@@||senseoflaw.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/70139 [Stealth Mode - Referrer]
+! For izlemac*.net - frequently changed domain
+@@||izlemac*.net/*-player-*.html$stealth
+@@||x.*.tk/*/strmrdr.m3u8$stealth
+@@||x.*.tk/*/caxi.m3u8$stealth
+@@||r.*.tk/*/xox_*/jpeg$stealth
+@@||x.*.xyz/*/xox_*.jpeg$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/70980 [Stealth Mode - Block third-party Authorization header]
+@@||wisr.tech^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/70102 [Stealth Mode - Referrer]
+@@||s1-filecr.xyz^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/70546 [Stealth Mode - IP hiding]
+@@||mathworks.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/70055 [Stealth Mode - IP hiding]
+@@||account.withings.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/69963 [Stealth Mode - Referrer]
+@@||wkretype.bdimg.com/retype/$stealth,domain=wenku.baidu.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/69788 [Stealth Mode - Referrer]
+@@||img*.*.*^$stealth,domain=mangalib.me
+! https://github.com/AdguardTeam/AdguardFilters/issues/69594 [Stealth Mode - Referrer]
+@@||audiko.net/api/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/69789 [Stealth Mode - Referrer]
+@@||ani-*.xyz/*.html$stealth,domain=aniwatch.me
+! https://github.com/AdguardTeam/AdguardFilters/issues/69596 [Stealth Mode - Referrer]
+@@||downloads.castlabs.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/85382 [Stealth Mode - Referrer]
+@@||blog.naverblogwidget.com/ExternalWidgetRender.$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/69217 [Stealth Mode - Referrer]
+@@||akamaized.net/exp=$stealth,xmlhttprequest,domain=vidio.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/69203 [Stealth Mode - Referrer]
+@@||dapi.kakao.com/v*/*?appkey=$stealth,domain=ediya.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/68328 [Stealth Mode - third-party cookies]
+@@||primevideo.com^$stealth
+@@||amazon.com/*/signin$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/70562 [Stealth Mode - IP hiding]
+@@||memoryhackers.org^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/67982 [Stealth Mode - Referrer]
+@@||50.7.*.*:8081/*?wmsAuthSign=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/67134 [Stealth Mode - Referrer]
+@@||upos-sz-mirrorhw.bilivideo.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/67342 [Stealth Mode - Referrer]
+@@||player-smotri.mail.ru^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/67102 [Stealth Mode - Referrer]
+@@||my.foxnews.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/66931 [Stealth Mode - Referrer]
+@@||elections.ap.org/widgets/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/65839 [Stealth Mode - Block third-party Authorization header]
+@@||disco-api.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/65534 [Stealth Mode - DNT]
+@@||typhoon.zjwater.gov.cn^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/65448 [Stealth Mode - Referrer]
+@@||hypercomments.com/api/comments?widget_id=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/65468 [Stealth Mode - Referrer]
+@@||api.mapbox.com^$stealth,domain=padmapper.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/64493 [Stealth Mode - Referrer]
+@@||c.dun.*.com/api/$stealth,domain=dig.chouti.com
+! Tiktok videos [Stealth Mode - Referrer]
+@@||tiktokcdn.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/63777
+@@||konto.play.pl^$stealth
+! https://github.com/AdguardTeam/CoreLibs/issues/1335 [Stealth Mode - WebRTC]
+@@||file.fm/f/$stealth
+@@||files.fm/f/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/62077 [Stealth Mode - Referrer]
+@@||api.imgur.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/61998 [Stealth Mode - IP hiding, User-agent]
+@@||api.ott.kinopoisk.ru^$stealth
+@@||ott.yandex.ru^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/62129 [Stealth Mode - IP hiding]
+@@||exsite24.pl/cdn-cgi/challenge-platform/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/61919
+@@||ntv*.akamaized.net/*.m3u8$stealth
+! https://forum.adguard.com/index.php?threads/adguard-breaks-newly-redesigned-blitz-app.39391/ [Stealth Mode - User-agent]
+@@||blitz.gg/app^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/61565 [Stealth Mode - Referrer]
+@@||wstream.to/embed/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/60981 [Stealth Mode - Block third-party Authorization header]
+@@||sso.myscript.com^$stealth
+@@||nebo.app/auth?$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/60796 [Stealth Mode - User-agent]
+@@||yoox.com/images/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/60120 [Stealth Mode - Referrer]
+@@||partner.speedtestcustom.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/60623 [Stealth Mode - Referrer]
+@@||realtimestatistics.net^$stealth,domain=worldometers.info
+! https://github.com/AdguardTeam/AdguardFilters/issues/60448
+@@||i.pximg.net^$stealth=referrer,domain=pixiv.net|pixivision.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/60226
+@@||ahcdn.xyz^$stealth,media
+! https://github.com/AdguardTeam/AdguardFilters/issues/60250 [Stealth Mode - Referrer]
+@@||api.smartystreets.com/lookup$stealth,domain=att.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/60103 [Stealth Mode - Referrer]
+@@||embed.binkies3d.com^$stealth,domain=gsmarena.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/59917 [Stealth Mode - Referrer]
+@@||shrink-service.it/api-extension/$stealth,domain=adshrink.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/59439 [Stealth Mode - IP hiding]
+@@||zee5*.akamaized.net^$stealth,domain=zee5.com
+@@||www.zee5.com^$stealth,domain=zee5.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/58999 [Stealth Mode - User-agent]
+@@||id.skyeng.ru^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/58946 [Stealth Mode - Block third-party Authorization header]
+@@||ec.nintendo.com^$stealth
+@@||accounts.nintendo.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/58105 [Stealth Mode - third-party cookies]
+@@||demorgen.be^$domain=myprivacy.dpgmedia.be,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/58303 [Stealth Mode - Referrer]
+@@||huxiucdn.com/*/*.mp4$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/57121 [Stealth Mode - Block third-party Authorization header]
+@@||payments.braintree-api.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/57494 [Stealth Mode - Referrer]
+@@||ren.tv/video/embed/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/57349 [Stealth Mode - Referrer]
+@@||s-delivery*.mxdcontent.net^$media,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/57017
+@@||registrierung.web.de^$stealth
+@@||registrierung.gmx.net^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/55883 [Stealth Mode - Referrer]
+@@||privateuploads.net/%$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/56640 [Stealth Mode - Referrer]
+@@||sdn.cz^$stealth,domain=televizeseznam.cz
+! https://github.com/AdguardTeam/AdguardFilters/issues/56477#issuecomment-638972724 [Stealth Mode - Block third-party Authorization header]
+@@||userservice-api.channel5.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/56770 [Stealth Mode - Block Push API]
+@@||powv1deo.cc^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/56483 [Stealth Mode - IP hiding]
+@@||subscribenow.com.au/*/offers/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/56338 [Stealth Mode - WebRTC]
+@@||hangouts.google.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/73820
+! https://github.com/AdguardTeam/AdguardFilters/issues/56368 [Stealth Mode - Referrer]
+@@/mangakakalot/*$stealth,image,domain=mangakakalot.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/56068 [Stealth Mode - Referrer]
+@@||amazonaws.com/zeroistanbulplaylist/$stealth,domain=zeroistanbul.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/55487 [Stealth Mode - IP hiding]
+@@||50.7.161.20:8081/*.m3u8?$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/35789 [Stealth Mode - Referrer]
+@@||cloudvideo.tv/embed-$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/55309 [Stealth Mode - Referrer]
+@@||mylogin.abc.net.au^$stealth
+@@||login.abc.net.au^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/54799 [Stealth Mode - Block third-party Authorization header]
+@@||public-ubiservices.ubi.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/54772 [Stealth Mode - Referrer]
+@@||gounlimited.to/embed-*.html$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/55036 [Stealth Mode - Referrer]
+! https://github.com/AdguardTeam/AdguardFilters/issues/54660
+@@||mcloud.to/key$stealth
+@@||mcloud.to/embed/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/54513 [Stealth Mode - IP hiding]
+@@||finishline.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/54270 [Stealth Mode - Referrer]
+@@||preview.editmysite.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/53998 [Stealth Mode - Referrer]
+@@||ahcdn.com/key=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/53977 [Stealth Mode - Referrer]
+@@||downloader.disk.yandex.$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/52943 [Stealth Mode - Referrer]
+@@||forms.ministryforms.net/*.aspx^$stealth,domain=app.clovergive.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/96974 [Stealth Mode - Block third-party Authorization header]
+! https://github.com/AdguardTeam/AdguardFilters/issues/52135 [Stealth Mode - Block third-party Authorization header]
+@@||bamgrid.com^$stealth,domain=disneyplus.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/53120 [Stealth Mode - Referrer]
+@@||webcam.atomsk.ru^*/index?vid=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/141024
+! https://github.com/AdguardTeam/AdguardFilters/issues/66881
+! https://github.com/AdguardTeam/AdguardFilters/issues/65928
+! https://github.com/AdguardTeam/AdguardFilters/issues/52925 [Stealth Mode - Referrer]
+@@||ofeminin.pl/*srcc=$stealth
+@@||fakt.pl/*srcc=$stealth
+@@||przegladsportowy.pl/*&srcc=$stealth
+@@||auto-swiat.pl/*srcc=$stealth
+@@||komputerswiat.pl/*srcc=$stealth
+@@||noizz.pl/*srcc=$stealth
+@@||plejada.pl/*srcc=$stealth
+@@||medonet.pl/*srcc=$stealth
+@@||businessinsider.com.pl/*srcc=$stealth
+! facebook.com - missing option to switch to new layout [Stealth Mode - User-agent]
+@@||facebook.com/bluebar/modern_settings_menu^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/52411 [Stealth Mode - Referrer - IP hiding]
+@@||compriso.speedtestcustom.com^$third-party,stealth
+@@||compriso.speedtestcustom.com/api/js/servers$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/52315 [Stealth Mode - Referrer]
+@@||amazonaws.com/images.filepuma.com^$stealth,domain=filepuma.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/52311 [Stealth Mode - Referrer]
+@@||9anime.nl/watch/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/52255 [Stealth Mode - Referrer]
+@@||tv.media.jio.com/streams_live/$stealth,domain=jionews.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/52100
+@@||cetesdirecto.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/51752 [Stealth Mode - Referrer]
+@@||tawk.to^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/51230 [Stealth Mode - Referrer]
+@@||cdpn.io^$stealth,domain=codepen.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/50691 [Stealth Mode - Referrer]
+@@||onli.anime-best.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/45780#issuecomment-593124050 [Stealth Mode - WebRTC]
+@@||e.mail.ru^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/50634 [Stealth Mode - Referrer]
+@@||cdnfile.info/*/stream/$stealth,domain=vidcloud9.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/50186 [Stealth Mode - Referrer]
+@@||rexdlfile.com/index.php?id=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/50259 [Stealth Mode - Referrer]
+@@||realtime-chart.info^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/49995
+@@||media.videopolis.com/*/api/getById/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/49074 [Stealth Mode - Referrer]
+@@||static.crunchyroll.com/*/player.html$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/49682 [Stealth Mode - Block third-party Authorization header]
+@@||bcvipva02.rightnowtech.com^$stealth,domain=custhelp.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/49958#issuecomment-586758624 [Stealth Mode - Referrer]
+@@||relap.io/api/v*/head.js$domain=briefly.ru|kulturologia.ru,stealth
+! backerkit.com - survey not completing [Stealth Mode - Referrer]
+@@||backerkit.com/backer/survey$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/49262
+@@||gameguardian.b-cdn.net^$domain=gameguardian.net,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/49266#issuecomment-583076764 [Stealth Mode - IP hiding]
+@@||s*.5playdisk.ru/*/files/*.apk$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/49009 [Stealth Mode - Referrer]
+@@||byfly.dualstack.speedtestcustom.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/48880 [Stealth Mode - Referrer]
+@@||cdpn.io/*/v*/store?token=$stealth,domain=codepen.io
+! https://github.com/AdguardTeam/AdguardFilters/issues/48379 [Stealth Mode - Referrer]
+@@||worldometers.info^|$stealth
+! https://forum.adguard.com/index.php?threads/bank-website-keeps-redirecting.37056/
+@@||homebanking.bancoctt.pt^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/48221 [Stealth Mode - Block third-party Authorization header]
+@@||api.getgrover.com/api/*/user$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/48069 [Stealth Mode - IP hiding]
+@@||cdn*.vb*rexhammond.pw/stream*/cdn*$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/48092 [Stealth Mode - Referrer]
+@@||cdn*.porno-film.site/vk_video$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/47342 [Stealth Mode - Referrer]
+@@||avgle.com/embed/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/47881 [Stealth Mode - IP hiding]
+@@||tbs.com/core/$stealth,domain=tbs.com
+@@||tbs.com/modules/$stealth,domain=tbs.com
+@@||tbs.com/themes/$stealth,domain=tbs.com
+@@||tbs.com/api/*/resolve$stealth,domain=tbs.com
+@@||tbs.com/ajax/$stealth,domain=tbs.com
+@@||tbs.com/libraries/$stealth,domain=tbs.com
+@@||tbs.com/turner/$stealth,domain=tbs.com
+@@||cdn.turner.com/*/getConfig$stealth,domain=tbs.com
+@@||turnip.cdn.turner.com/top/auth/$stealth,domain=tbs.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/47722 [Stealth Mode - Referrer]
+@@||login.aliexpress.com^$stealth,domain=aliexpress.ru|aliexpress.com
+@@||passport.aliexpress.com^$stealth,domain=aliexpress.ru|aliexpress.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/74129
+@@||1plus1.video/video/embed/$stealth,~script,~xmlhttprequest,~other
+@@||grandcentral.1plus1.video^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/47113 [Stealth Mode - Referrer]
+@@||html5.gamedistribution.com/*/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/47154 [Stealth Mode - User-agent]
+@@||microsoftedgeinsider.com/*/download$stealth
+@@||microsoftedge.microsoft.com/addons^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/46699 [Stealth Mode - Referrer]
+@@||apiavsee.com/player.php$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/46730 [Stealth Mode - Referrer]
+@@||auth.xtrend.ru^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/46686 [Stealth Mode - Referrer]
+@@||mediaset.es/*mtweb$stealth,domain=mitele.es
+! amazon Video page - plugin not supported [Stealth Mode - User-agent]
+@@||amazon.*/*/dp$stealth
+@@||amazon.*/*autoplay$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/46261 [Stealth Mode - User-agent]
+! wakanim.tv - broken player [Stealth Mode - Block third-party Authorization header]
+@@||wakatest.keydelivery.northeurope.media.azure.net^$stealth,domain=wakanim.tv
+! https://github.com/AdguardTeam/AdguardFilters/issues/45696#issuecomment-564835302 [Stealth Mode - Referrer]
+@@||qooqlevideo.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/45714 [Stealth Mode - Referrer]
+@@||shumafen.cn/api/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/45450 [Stealth Mode - Disable cache for third-party requets]
+@@||transfer-storage-transfer-*.s3.*.amazonaws.com^$stealth,domain=fromsmash.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/45282 [Stealth Mode - Referrer]
+@@||aplayer.xyz/player/watch.php^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/45287 [Stealth Mode - Referrer]
+@@||stream-play-4you-ads.anime-live.com^$stealth
+! https://forum.adguard.com/index.php?threads/www-asos-fr.36189 [Stealth Mode - Referrer]
+@@||my.asos.com/identity^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/110008
+! https://github.com/AdguardTeam/AdguardFilters/issues/45105 [Stealth Mode - Referrer]
+@@truyen$stealth,image,domain=blogtruyen.vn
+! https://github.com/AdguardTeam/AdguardFilters/issues/45077 [Stealth Mode - Referrer]
+@@||static.3001.net^$stealth,domain=freebuf.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/44783
+! https://github.com/AdguardTeam/AdguardFilters/issues/44453 [Stealth Mode - Referrer]
+@@||filmweb.pl^$stealth
+! login.yahoo.com - sometimes ligin failed(Captcha issue) [Stealth Mode - Referrer]
+@@||login.yahoo.com$stealth
+@@||login.yahoo.net^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/45490 [Stealth Mode - Referrer]
+@@||myanime.online/player/out.php$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/44369 [Stealth Mode - Referrer]
+@@||hamreus.com^$image,stealth,domain=manhuagui.com|mhgui.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/44298
+@@||linetv.tw/profile$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/43804 [Stealth Mode - IP hiding]
+@@||prod.sixthcontinent.com/webapi/getaccesstoken$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/43735 [Stealth Mode - Referrer]
+@@||antibot.cloud/content/cloud*.php?$stealth
+! Fixing images on dontorrent.to [Stealth Mode - Referrer]
+@@||blazing.network/imagenes/$image,stealth,domain=dontorrent.to
+! https://github.com/AdguardTeam/AdguardFilters/issues/43568
+@@||tv.kakao.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/43306 [Stealth Mode - Referrer]
+@@||vnecdn.net/vnexpress/video/video/$stealth,domain=vnexpress.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/43398 [Stealth Mode - Referrer]
+@@||amazonaws.com/cwl-leveling-json^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/43375 [Stealth Mode - Referrer]
+@@||hentaicdn.com^$stealth,domain=hentai2read.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/42999
+@@||holywarsoo.net^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/42737 [Stealth Mode - IP hiding]
+@@||mijn.ou.nl/web/ou/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/12579 [Stealth Mode - Referrer]
+@@||txxx.ahcdn.com/key=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/42634 [Stealth Mode - Referrer]
+@@||googleapis.com/tile/v*/createSession?key=$stealth,domain=waze.com
+@@||googleapis.com/tile/v*/*?session=$stealth,domain=waze.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/41380 [Stealth Mode - Referrer]
+@@||algolia.net/*/indexes/*/queries?x-algolia-agent*vue-instantsearch*algolia-api-key$stealth
+! https://forum.adguard.com/index.php?threads/34955/ [Stealth Mode - Referrer]
+@@||potokcdn.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/40983 [Stealth Mode - Referrer]
+@@||linkvietvip.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/41136 [Stealth Mode - Referrer]
+@@||51.15.*/videoplayback?vid=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/40761 [Stealth Mode - no option]
+@@||booking.vietjetair.com/searchrespax.aspx$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/40548 [Stealth Mode - Referrer]
+@@||avple.video/v/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/40618 [Stealth Mode - IP hiding]
+@@||downloadly.ir^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/40501 [Stealth Mode - Referrer]
+@@/data/editor/*$stealth,domain=coolenjoy.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/40394 [Stealth Mode - Referrer]
+@@||animeku.org/play*.php?id=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/40139 [Stealth Mode - Referrer]
+@@||fonts.shopifycdn.com/roboto/roboto_*.woff$stealth,domain=shopify.com
+! origin.com - sign-in/checkout broken [Stealth Mode - Block third-party Authorization header]
+@@||gateway.ea.com/proxy/identity/pids$stealth
+@@||gateway.ea.com/proxy/commerce/carts2$stealth
+! https://forum.adguard.com/index.php?threads/issue-with-mycanal-fr.34924/ [Stealth Mode - Block third-party Authorization header]
+@@||secure-gen-hapi.canal-plus.com/conso/view$stealth
+@@||secure-gen-hapi.canal-plus.com/conso/playset^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/39822 [Stealth Mode - Referrer]
+@@||1plus1.ua^$stealth,domain=1plus1.ua
+! https://github.com/AdguardTeam/AdguardFilters/issues/39776 [Stealth Mode - Referrer]
+@@||ilrestodelcarlino.it/*/video/*?embed$stealth
+@@||ads.viralize.tv/display/$stealth,domain=ilrestodelcarlino.it
+! https://github.com/AdguardTeam/AdguardFilters/issues/38910 [Stealth Mode - Referrer]
+@@/dash?tvid=$stealth,domain=iqiyi.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/39650 [Stealth Mode - Referrer]
+@@||login.vk.com/?act=openapi$domain=220vk.com,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/39669 [Stealth Mode - Referrer]
+@@||cizgifilmlerizle.com/getvid?$stealth
+! bethesda.net - patch notes not opening [Stealth Mode - Block third-party Authorization header]
+@@||cdn.contentful.com/spaces^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/39373 [Stealth Mode - Referrer]
+@@||youtube.googleapis.com/embed^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/39071 [Stealth Mode - Referrer]
+@@||pictogo.net^$stealth,third-party
+! https://github.com/AdguardTeam/AdguardFilters/issues/38583 [Stealth Mode - Referrer]
+@@||googleapis.com/youtube/*/search?key=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/38163 [Stealth Mode - Referrer]
+@@||maps.googleapis.com/maps/api/$stealth,domain=offerup.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/38088 [Stealth Mode - Referrer]
+@@||player.starlight.digital^$stealth
+! gmx.net - error 403 when clicking on link on redirector [Stealth Mode - Referrer]
+@@||deref-gmx.net/mail/client/*/dereferrer/?redirectUrl=$stealth
+! https://forum.adguard.com/index.php?threads/webtoons-com-comment-error.34212 [Stealth Mode - Referrer]
+@@||global.apis.naver.com/commentBox/cbox/web_neo_list_jsonp.json$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/37463 [Stealth Mode - Referrer]
+@@||id.zaloapp.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/37799 [Stealth Mode - Referrer]
+@@||cdn*.jianshu.io^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/37551 [Stealth Mode - Referrer]
+@@||ymcdn.site/check.php?callback=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/37446 [Stealth Mode - WebRTC]
+@@||web.skype.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/37489 [Stealth Mode - WebRTC]
+@@||homeagents.online^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/31239 [Stealth Mode - Referrer]
+@@||hdzog.ahcdn.com/key=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/35064 [Stealth Mode - Referrer]
+@@/track?vid=*&mime=video/mp4&*&domain=*.drive.google.com$stealth,domain=kissasian.sh
+@@/videoplayback?vid=*.drive.google.com&*&mime=video/mp4$stealth,domain=kissasian.sh
+! https://github.com/AdguardTeam/AdguardFilters/issues/36932 [Stealth Mode - Referrer]
+@@||amhcdn.net/*/*.mp4$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/36048 [Stealth Mode - Block third-party Authorization header]
+@@||api.pinger.com$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/36278 [Stealth Mode - Referrer]
+@@||rykoeb.com/remote_control.php^$stealth
+! https://forum.adguard.com/index.php?threads/opera-my-flow-problem.33645 [ Stealth Mode - Block third-party Authorization header]
+@@||flow.opera.com/*/pairing-tokens$stealth
+! frankenpost.de - "Vorlesen" broken [Stealth Mode - Referrer]
+@@||linguatec.org/VoiceReaderWeb15WebService^$stealth
+! jccsmart.com is broken [Stealth Mode]
+@@||jccsmart.com^$stealth
+! https://forum.adguard.com/index.php?threads/2034/
+@@||googleadservices.com/pagead/conversion.js$domain=dubizzle.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/12579 [Stealth Mode - Referrer]
+@@||txxx.com/ext/get_file^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/35419 [Stealth Mode - Referrer]
+@@||player.vimeo.com/video^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/35407 [Stealth Mode - Referrer]
+@@||e.issuu.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/35331 [Stealth Mode - Referrer]
+@@||identitytoolkit.googleapis.com^$stealth=referrer
+@@||googleapis.com/identitytoolkit^$stealth=referrer
+! https://github.com/AdguardTeam/AdguardFilters/issues/57566 [Stealth Mode - Referrer]
+@@||algolia.net/*/indexes/$stealth
+@@||algolianet.com/*/indexes/$stealth
+! redirect from corporate offer site broken [Stealth Mode - Referrer]
+@@||corporatebenefits.spectrum8.de^$third-party,stealth
+@@||estore.sonymobile.com/*-epp/?refid=$third-party,stealth
+! https://github.com/AdguardTeam/AdguardBrowserExtension/issues/1420 [Stealth Mode - Referrer]
+@@||api.mapbox.com/*/mapbox.mapbox-terrain-*,mapbox.mapbox-streets-*^$stealth
+! forumcommunity.net - pictures not loading [Stealth Mode - Referrer]
+@@||img.forumfree.net^$stealth
+@@||uploads.forumcommunity.it^$stealth
+@@||upload.forumfree.net^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/34622 [Stealth Mode - Referrer]
+@@||lmjvideocdn.*-cdn.net/*.mp4?hash=$stealth,domain=letmejerk.com
+! xhamster.com - broken video [Stealth Mode - Referrer]
+@@||cdn13.com/dash$domain=xhamster.com,stealth
+! hexlet.io - video player fixing [Stealth Mode - Referrer]
+@@||player.vimeo.com^$domain=hexlet.io,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/34511 [Stealth Mode - Referrer]
+@@||episode.pmcontent.com^$stealth
+! prom.ua - fixing adding to basket [Stealth Mode - Referrer]
+@@||my.prom.ua/*/iframe$stealth
+! hanime.tv - broken video [Stealth Mode - Referrer]
+@@||hanime.tv/omni-player/index.html$stealth
+! my.visualstudio.com/downloads - error page [Stealth Mode - Referrer]
+@@||vlscppe.microsoft.com/fp/tags.js$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/34201 [Stealth Mode - Referrer]
+@@||trollvid.net/embed/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/33905 [Stealth Mode - Referrer]
+@@||uzmantv.com/metadata/$stealth
+! https://reddit.com/r/Adguard/comments/bq0cab/how_to_configure_so_that_kinja_sites_gizmodo/ [Stealth Mode - Referrer]
+@@||kinja.com/api/profile/accountwithtoken$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/33872 [Stealth Mode - Referrer]
+@@||hbimg.huabanimg.com^$stealth,domain=huaban.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/33700 [Stealth Mode - Referrer]
+@@||cloud.typography.com/*/css/fonts.css$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/33672
+@@||vider.info^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/33631 [Stealth Mode - Referrer]
+@@||mcloud.to/embed/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/33395 [Stealth Mode - Referrer]
+@@||cdn.bg/live/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/33602 [Stealth Mode - Referrer]
+@@||google.com/maps/embed/v*/place?key=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/33299 [Stealth Mode - Referrer]
+@@||lhscanlation.club/images/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/33121 [Stealth Mode - Referrer]
+@@||jawcloud.co/embed$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/32836 [Stealth Mode - Referrer]
+@@||bing.com/secure/Passport.aspx$stealth,important
+! https://github.com/AdguardTeam/AdguardFilters/issues/32557 [Stealth Mode - Referrer]
+@@||amazonaws.com/cdn.pbrd.co/images/$stealth,domain=pasteboard.co
+! https://github.com/AdguardTeam/AdguardFilters/issues/32461 [Stealth Mode - User-agent]
+@@||stepik.org/lesson^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/32175 [Stealth Mode - Referrer]
+@@||nasa-i.akamaihd.net/hls/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/32013 [Stealth Mode - Referrer]
+@@||googleapis.com/youtube/$stealth,domain=learnlinux.tv
+! bundestag.de/mediathek - player breaks after a while (seen in console) [Stealth Mode - without options]
+@@||cdn.tv*.eu^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/29469 [Stealth Mode - without options]
+@@||vk.com/vkpay$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/31887 [Stealth Mode]
+@@||t-mobile.cz/sms^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/31793 [Stealth Mode - Referrer]
+@@/streamlive/*.m3u8?token=$stealth,domain=stream.televall.website
+! https://github.com/AdguardTeam/AdguardFilters/issues/31360 [Stealth Mode - Referrer]
+@@||icloud.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/31175 [Stealth Mode - Referrer]
+@@||qiantucdn.com^$stealth,domain=58pic.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/31000 [Stealth Mode - Referrer]
+@@||vidstream.to^$stealth,domain=egybest.*
+@@||egybest.*^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/52963 [Stealth Mode - Referrer]
+@@||tildacdn.com^$stealth,xmlhttprequest
+! https://github.com/AdguardTeam/AdguardFilters/issues/30973 [Stealth Mode - Referrer]
+@@||googleapis.com/youtube/$stealth,domain=angrybirdsnest.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/30668 [Stealth Mode - Referrer]
+@@||36krcnd.com^$stealth,domain=36kr.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/30630 [Stealth Mode - Referrer]
+@@||manhuagui.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/30112 [Stealth Mode - IP hiding]
+@@||secure.selfwealth.com.au^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/28054 [Stealth Mode - Referrer]
+@@||pornohype.cc/*/|$media,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/28445 [Stealth Mode - Referrer]
+@@||file-static.com^$stealth,domain=eyny.com
+@@||static-file.com^$stealth,domain=eyny.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/29664 [Stealth Mode - Referrer]
+@@||4cdn.org^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/29502 [Stealth Mode - Block third-party Authorization header]
+@@||api.momentumdash.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/28586
+@@||vk.payservice.io^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/28958 [Stealth Mode - Referrer]
+@@||cdn61.zvooq.com/track/stream^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/28444 [Stealth Mode - Referrer]
+@@||ruten.com.tw^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/28152 [Stealth Mode - IP hiding]
+@@||monoprice.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/27982 [Stealth Mode - IP hiding]
+@@||filmix.co/api/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/27076
+@@||channel4.com^$stealth
+! geetest.com is the captcha service
+@@||api.geetest.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/24679
+@@||tvplayer.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/24052
+@@||hqq.tv/player/embed_player.php$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/23138 [Stealth Mode - Referrer]
+@@||csdnimg.cn^$stealth,domain=csdn.net
+! https://github.com/AdguardTeam/AdguardFilters/issues/23031 [Stealth Mode - Referrer]
+@@||cloudfront.net/imengine/image.php$stealth,domain=blt.se
+! https://github.com/AdguardTeam/AdguardFilters/issues/22778
+@@||id.atlassian.com^$stealth
+@@||login.nvgs.nvidia.com^$stealth
+@@||bitbucket.org/SetCST^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/22422
+@@||accounts.ea.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/22430
+@@||services.postimees.ee/places/*/autocomplete/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/22424 [Stealth Mode - Referrer]
+@@||yams.akamaized.net^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/18439#issuecomment-419687203 [Stealth Mode - Referrer]
+@@||video*.xhcdn.com/key=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/21868
+@@||baidupcs.com/file/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/21712 [Stealth Mode - Referrer]
+@@||crowdcompute-pa.clients*.google.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/21004 [Stealth Mode - Referrer]
+@@||pstatic.net^$image,stealth
+@@||postfiles*.naver.net^$stealth
+@@||dthumb.phinf.naver.net^$stealth
+@@||static.editor.naver.net/static/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/20278 [Stealth Mode - Block Java]
+@@||integration.plarium.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/19794 [Stealth Mode - Referrer]
+@@||services.postcodeanywhere.co.uk/Capture/Interactive/$stealth
+! Fixing not working video sent via Messenger on Facebook [Stealth Mode - Referrer]
+@@||fbcdn.net^$stealth
+! Fixing Yandex.TV player [Stealth Mode - Hide search queries]
+@@||yastatic.net/yandex-html5-video-player-bundles$stealth
+@@||yastatic.net/yandex-video-player-iframe-api-bundles$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/111362
+! https://github.com/AdguardTeam/AdguardFilters/issues/100956
+! https://github.com/AdguardTeam/AdguardFilters/issues/46832
+! https://github.com/AdguardTeam/AdguardFilters/issues/16807 [Stealth Mode - Referrer]
+! https://github.com/AdguardTeam/AdguardFilters/issues/11446 [Stealth Mode - Referrer]
+@@||szbdyd.com^$stealth,domain=bilibili.com
+@@||mcdn.bilivideo.cn^$stealth,domain=bilibili.com
+@@||bilivideo.com^$stealth,domain=bilibili.com
+@@||acgvideo.com^$stealth,domain=bilibili.com
+@@||hdslb.com^$stealth,domain=bilibili.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/16376
+@@||imgtn.bdimg.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/33767
+! https://github.com/AdguardTeam/AdguardFilters/issues/14987
+! https://github.com/AdguardTeam/AdguardFilters/issues/14618 [Stealth Mode - Referrer]
+@@||places.nbnco.net.au/places/$stealth
+! https://forum.adguard.com/index.php?threads/https-kinomonitor-ru.28298/ [Stealth Mode - Referrer]
+@@||widget.kassa.rambler.ru/CrossDomainInteraction/$stealth
+! https://github.com/AdguardTeam/StealthMode/issues/20
+@@||api.bitwarden.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/12026 [Stealth Mode - Referrer]
+@@||swapsmut.com/video/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/11621 [Stealth Mode - Referrer]
+@@||cdns.*.gigya.com/gs/webSdk/Api.aspx$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/11346 [Stealth Mode - Referrer]
+@@||datavimg.com^$stealth
+! https://forum.adguard.com/index.php?threads/28083/ [Stealth Mode - Referrer]
+@@||maps.2gis.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/11447 [Stealth Mode - Referrer]
+@@||doubanio.com/view/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/10657 [Stealth Mode - Referrer]
+@@||fmhua.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/10658 [Stealth Mode - Referrer]
+@@||177mh.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/10659 [Stealth Mode - Referrer]
+@@||cdndm5.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/9775 [Stealth Mode - Referrer]
+@@||securevideotoken.tmgrup.com.tr/webtv/secure^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/8284 [Stealth Mode - WebRTC]
+@@://www.coinbase.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/7163
+@@||bitdefender.com/submit/$stealth
+! https://forum.adguard.com/index.php?threads/25729/ [Stealth Mode - Referrer]
+@@||tmgrup.com.tr/site/$script,stylesheet,stealth
+@@||iatv.tmgrup.com.tr^$script,stealth
+@@||i.tmgrup.com.tr^$script,stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/6975
+@@||rmfon.pl^$stealth
+! https://forum.adguard.com/index.php?threads/25615/ [Stealth Mode - Referrer]
+@@||google.com/maps/api/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/6834 fixing moonwalk players [Stealth Mode - User-agent]
+@@/video/*/index.m3u8?*&frame_commit=*&mw_pid=*&signature=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/6767 [Stealth Mode - Referrer]
+@@||iprima.cz^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/6775 [Stealth Mode - Referrer]
+@@||openstream.io/hls/$stealth
+! turbo.az - website is broken [Stealth Mode - Referrer]
+@@||turbo.az^$stealth
+! https://forum.adguard.com/index.php?threads/http-tap-az-abnormal-traffic.24553/ [Stealth Mode - Referrer]
+@@||tap.az^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/2243
+@@||cdn.taboola.com/libtrc/*/loader.js$domain=cnet.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/6564 [Stealth Mode - hide IP]
+@@||player.pl^$stealth
+! interia.pl - video is broken [Stealth Mode - Referrer]
+@@||get.x-link.pl/*embed.html$stealth
+! https://forum.adguard.com/index.php?threads/24521/ [Stealth Mode - Referrer]
+@@://*.xuk.ru^$stealth
+! https://forum.adguard.com/index.php?threads/24460/ [Stealth Mode - hide IP]
+@@||porn-studio.ru$stealth
+! https://forum.adguard.com/index.php?threads/24366/ [Stealth Mode - Referrer]
+@@cdn.eporner.com^$stealth=referrer
+! https://forum.adguard.com/index.php?threads/24337/ [Stealth Mode - hide IP]
+@@.porntube.com^$stealth
+! https://forum.adguard.com/index.php?threads/24332/ [Stealth Mode - Referrer]
+@@||daxab.com/player/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/5819 [Stealth Mode - hide IP]
+@@||kinogo.*/*.flv$stealth
+! https://forum.adguard.com/index.php?threads/8tracks-com-windows-youtube-video-keeps-buffering.23414/ [Stealth Mode - Referrer]
+@@||8tracks.com^$stealth
+! https://forum.adguard.com/index.php?threads/21808/ [Stealth Mode - Referrer]
+@@||bogi.ru/comments_widget.php$stealth
+! https://forum.adguard.com/index.php?threads/20397/
+@@||cdnvideo.ru^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/4430 [Stealth Mode - Referrer]
+@@||img.noobzone.ru^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/4399 [Stealth Mode - User-agent]
+@@||clients4.google.com/chrome-sync/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/4395 [Stealth Mode - Referrer]
+@@||tracktor.in/td.php?s=$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/4281 [Stealth Mode - Hide search queries]
+@@||rackcdn.com^$stealth,domain=investing.com|forexpros.com
+! https://forum.adguard.com/index.php?threads/14865/ - Firefox only [Stealth Mode - User-agent]
+@@||portal.mail.ru^$stealth
+@@||account.mail.ru^$stealth
+@@||auth.mail.ru^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/3758 [Stealth Mode - Hide search queries]
+@@||marketing.dropbox.com/?referrer=$stealth
+! door2windows.com - fixing downloading [Stealth Mode - Referrer]
+@@||www.door2windows.com^$stealth
+! Netflix metro app - can't launch the app [Stealth Mode - User-agent]
+@@||api-*.netflix.com/win/uwa/$stealth
+! mts.ru - login button is broken [Stealth Mode - Referrer]
+@@||mts.ru^$stealth
+! Torrent tracker client can't download [Stealth Mode - User-agent]
+@@||bt*.t-ru.org^$stealth
+! https://forum.adguard.com/index.php?threads/14479/ [Stealth Mode - Referrer]
+@@||lswcdn.net^$stealth
+! https://forum.adguard.com/index.php?threads/13787/ [Stealth Mode - hide IP]
+@@||starman.ee/session/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/2808
+@@||pcidss.yandex.net^$stealth
+! https://forum.adguard.com/index.php?threads/12685/
+@@||cbox.ws/box/$stealth
+! http://forum.ru-board.com/topic.cgi?forum=5&topic=31105&start=3420#15
+@@||mail.google.com/mail/$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/2635
+@@||xfinity.com^$stealth
+@@||comcast.net^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/2580
+@@||login.live.com^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/2584
+@@||id.wsj.com$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/2371
+@@||trade.aliexpress.com$stealth
+! https://github.com/AdguardTeam/AdguardForWindows/issues/1118
+@@||esia.gosuslugi.ru^$stealth
+! https://github.com/AdguardTeam/AdguardFilters/issues/2267
+@@||raindrop.io/api/$stealth
+! https://forum.adguard.com/index.php?threads/10586/
+@@||freehdsport.com^$stealth
+! https://forum.adguard.com/index.php?threads/10573/
+@@||allsport-live.net^$stealth
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1803 [Stealth Mode - WebRTC]
+@@||web.whatsapp.com^$stealth
+! https://forum.adguard.com/index.php?threads/10252/page-2#post-82951 [Stealth Mode - WebRTC]
+@@||player.adcdn.tv^$stealth
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/2166
+@@.myvi.ru^$stealth
+@@||myvi.ru/player/$stealth
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/797
+@@||login.microsoftonline.com^$stealth
+! https://forum.adguard.com/index.php?threads/10339/
+@@||vivo.sx^$stealth
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/2117
+@@||accounts.login.idm.telekom.com^$stealth
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/2119 [Stealth Mode - third-party cookies]
+@@||rzd.ru^$stealth
+! https://forum.adguard.com/index.php?threads/10195/
+@@||zombicide.com^$stealth
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/2051
+@@||sync.everhelper.me^$stealth
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/2046 [Stealth Mode - hide IP]
+@@||popler.tv^$stealth
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/2042 [Stealth Mode - Referrer]
+@@||yourcinema.tv^$stealth
+! https://forum.adguard.com/index.php?threads/9646/ [Stealth Mode - Referrer]
+@@||hdfree.tv/live^$stealth
+! https://forum.adguard.com/index.php?threads/9765/
+@@||help.ea.com^$stealth
+! https://forum.adguard.com/index.php?threads/9740/ [Stealth Mode - Referrer]
+@@||latino-webtv.com^$stealth
+! https://forum.adguard.com/index.php?threads/9739/ [Stealth Mode - third-party cookies]
+@@||feldherr.com^$stealth
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/2011 [Stealth Mode - third-party cookies]
+@@||audible.com^$stealth
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1979 [Stealth Mode - third-party cookies]
+@@||indiegogo.com^$stealth
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1598 [Stealth Mode - third-party cookies]
+@@||wargaming.net^$stealth
+! http://forum.adguard.com/showthread.php?10664 [Stealth Mode - third-party cookies]
+@@||hotstar.com^$stealth
+! http://forum.adguard.com/showthread.php?10530
+! Fixing a Google captcha
+@@||ipv4.google.com/sorry^$stealth
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1957 [Stealth Mode - third-party cookies]
+! flickr.com - fixing authorization
+@@||login.yahoo.com/config/$stealth
+@@||flickr.com/register_cookies.gne?$stealth
+@@||flickr.com/signin/$stealth
+@@||flickr.com/cookie_$stealth
+! bild.de - fixing authorization [Stealth Mode - third-party cookies]
+@@||bild.de^$stealth
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1898 [Stealth Mode - Referrer]
+! prom.ua - fixing remote cart on third-party sites
+@@||my.prom.ua/remote/
+! webaudioapi.com - audio samples are broken [Stealth Mode - WebRTC]
+@@||webaudioapi.com/samples/
+! Broken sync in Yandex Browser [Stealth Mode - User-agent]
+@@||sync.disk.yandex.net^$stealth
+@@||xmpp.disk.yandex.net^$stealth
+@@||api.browser.yandex.$stealth
+! warthunder.ru - fixing authorization
+@@||login.gaijin.net^
+@@||forum.warthunder.ru/?&identity_
+@@||forum.warthunder.ru/index.php?*§ion=
+! Fixing synchronization [Stealth Mode - hide user-agent]
+@@||browser.yandex.*/sync/$stealth
+! http://forum.adguard.com/showthread.php?9453 [Stealth Mode - Referrer]
+@@||xmissymedia.com/galleries/$domain=xmissy.nl,image
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1667 [Stealth Mode - third-party cookies]
+@@||forgeofempires.com/game/json
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1646 [Stealth Mode - Referrer]
+@@||winvistaclub.com/wp-content/uploads/$domain=thewindowsclub.com
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1632 [Stealth Mode - Referrer, third-party cookies]
+! aliexpress.com - broken checkout
+@@||icashier.alipay.com^$domain=aliexpress.com
+@@||iopen.alipay.com/gateway.do$domain=aliexpress.com
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1499 [Stealth Mode - WebRTC]
+@@||plus.google.com/hangouts/$stealth
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1592 [Stealth Mode - third-party cookies]
+! Fixing authorization via github.com
+@@||github.com/login$stealth
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1549 [Stealth Mode - third-party cookies]
+@@||loginza.ru/api/
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1543 [Stealth Mode - hide IP]
+@@||veehd.com/dl/
+! nwolb.com - login failed [Stealth Mode - third-party cookies]
+@@||nwolb.com^
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1534 [Stealth Mode - hide IP]
+@@||tinypic.com/upload.php
+! Fixing Yandex authorization [Stealth Mode - third-party cookies]
+@@||passport.yandex.ru^$stealth
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1505 [Stealth Mode - third-party cookies]
+! broken autentification with ulogin.ru
+@@||ulogin.ru/auth.php
+@@||ulogin.ru/fill.php
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1367 [Stealth Mode - third-party cookies]
+@@||adobelogin.com^
+@@||adobeid-*.services.adobe.com^
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1379 [Stealth Mode - third-party cookies]
+@@||facebook.com/login.php$stealth
+@@||facebook.com/*/dialog/oauth$stealth
+! usps.com - access denied to tracking page [Stealth Mode - IP hiding]
+@@||tools.usps.com/go/TrackConfirmAction
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1202 [Stealth Mode - User-agent]
+@@||sync.opera.com/api/sync/$stealth
+@@||auth.opera.com^$stealth
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1109 [Stealth Mode - IP hiding]
+@@||api.surfeasy.com/*/geo_lookup$stealth
+! http://forum.adguard.com/showthread.php?8067 [Stealth Mode - Referrer]
+@@||hypercomments.com/api/comments?_=$stealth
+!! http://forum.adguard.com/showthread.php?7582 [Stealth Mode - third-party cookies]
+!! 1. Login to account.microsoft.com
+@@||account.microsoft.com/auth/$stealth
+@@||account.microsoft.com/?refd=$stealth
+!! 2. Jump to Google Store from other site
+@@||chrome.google.com/webstore/detail/$stealth
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/1666 [Stealth Mode - third-party cookies]
+@@||microsoft.com/*=wsign$stealth
+@@||profile.microsoft.com/RegSysProfileCenter/$stealth
+@@||microsoft.com/*/signin.aspx$stealth
+@@||microsoft.com/*/signout.aspx$stealth
+! https://github.com/AdguardTeam/AdguardForWindows/issues/252 [Stealth Mode - third-party cookies]
+@@||answers.microsoft.com/*/completesignin
+@@||answers.microsoft.com/*/site/startsignin
+! http://forum.adguard.com/showthread.php?7406 (#119)
+! Go to https://products.office.com/en-us/office-insider then click "install the office insider build now"
+@@||stores.office.com/authredir
+@@||stores.office.com/myaccount/advancedinstalls.aspx
+! http://forum.adguard.com/showthread.php?7463 [Stealth Mode - Referrer]
+@@||kastatic.com^$stealth,domain=kickass.to
+! http://forum.adguard.com/showthread.php?7539 [Stealth Mode - Referrer]
+@@||mycdn.me^$stealth
+@@||odnoklassniki.ru/get$stealth
+@@||ok.ru/web-api/music/conf$stealth
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/883 [Stealth Mode - Referrer]
+@@||media-imdb.com^$stealth,domain=imdb.com
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/812 [Stealth Mode - Referrer, third-party cookies]
+@@||datacloudmail.ru^$domain=cloud.mail.ru
+! https://github.com/AdguardTeam/AdguardForWindows/issues/259
+@@||cbox.ws/box/?boxid=$domain=exystence.net
+! http://forum.adguard.com/showthread.php?6047 (#376) [Stealth Mode - third-party cookies]
+! Login to habrahabr projects; login to hypercomments on sites
+@@||id.tmtm.ru/login/
+@@||hypercomments.com/auth/
+@@||hypercomments.com/api/login?
+! privat24 [Stealth Mode - Referrer, third-party cookies]
+@@||privat24.privatbank.ua^
+! http://forum.adguard.com/showthread.php?6772 [Stealth Mode - Referrer]
+@@||cdn*.downloadapkgames.com/?session=
+! http://forum.adguard.com/showthread.php?6047 (#273) [Stealth Mode - third-party cookies]
+@@||login.wmtransfer.com^$stealth
+! http://forum.adguard.com/showthread.php?6681 [Stealth Mode - third-party cookies]
+@@||login.uid.me^$domain=ucoz.ru
+! https://github.com/AdguardTeam/ExperimentalFilter/issues/692 [Stealth Mode - third-party cookies]
+@@||vodakpsdhdsdrm-vh.akamaihd.net/z/clips/
+!
+! SECTION: Protect from DPI problems
+! https://github.com/AdguardTeam/CoreLibs/issues/1645 [Stealth Mode - Protect from DPI]
+! NOTE: Protect from DPI problems end ⬆️
+! !SECTION: Protect from DPI problems
+!-------------------------------------------------------------------------------!
+!------------------ Content replacement rules ----------------------------------!
+!-------------------------------------------------------------------------------!
+!
+! This section contains the list of the content replacement rules that block ads. Rules must be domain-specific.
+!
+! Bad: ||example.org/video-links (should be in specific.txt)
+!
+! https://github.com/AdguardTeam/CoreLibs/issues/1720
+! https://github.com/AdguardTeam/AdguardFilters/issues/186870
+! https://github.com/AdguardTeam/AdguardFilters/issues/176738
+! https://github.com/AdguardTeam/AdguardFilters/issues/140053
+! https://github.com/AdguardTeam/AdguardFilters/issues/188594
+! https://github.com/AdguardTeam/AdguardFilters/issues/186249
+! Website is sometimes malformed and if it happens then content script is not injected, rule below should fixes it
+! https://github.com/AdguardTeam/AdguardFilters/issues/184328
+! Generic fix for disqus_recommendations leftovers
+! https://github.com/AdguardTeam/AdguardFilters/issues/180648
+! https://github.com/AdguardTeam/AdguardFilters/issues/172486
+! https://github.com/AdguardTeam/AdguardFilters/issues/165930
+! https://github.com/AdguardTeam/CoreLibs/issues/1825
+! TODO: remove when issue in CoreLibs is fixed
+! https://github.com/AdguardTeam/AdguardFilters/issues/168442
+! https://github.com/AdguardTeam/AdguardFilters/issues/165623
+! https://github.com/AdguardTeam/AdguardFilters/issues/160305
+! https://github.com/AdguardTeam/AdguardFilters/issues/177224
+! https://github.com/AdguardTeam/AdguardFilters/issues/164615
+! https://github.com/AdguardTeam/AdguardFilters/issues/150836
+! https://github.com/AdguardTeam/AdguardFilters/issues/148543
+! https://github.com/AdguardTeam/AdguardFilters/issues/152366
+! https://github.com/AdguardTeam/AdguardFilters/issues/145289
+! https://github.com/AdguardTeam/AdguardFilters/issues/142397
+! https://github.com/AdguardTeam/AdguardFilters/issues/135478
+! https://github.com/AdguardTeam/AdguardFilters/issues/129556
+! https://github.com/AdguardTeam/AdguardFilters/issues/129658
+! TODO: Try to find a way to fix an issue with time of the video
+! At the moment, video player shows that time of the video is longer than it really is (time of the video + ads),
+! so clicking somewhere after video end causes that the new video starts playing
+! https://github.com/AdguardTeam/AdguardFilters/issues/128144
+! https://github.com/AdguardTeam/AdguardFilters/issues/124348
+! https://github.com/AdguardTeam/AdguardFilters/issues/123687
+! https://github.com/AdguardTeam/AdguardFilters/issues/112829
+! Fixes loading comments
+! https://github.com/AdguardTeam/AdguardFilters/issues/176723
+! https://github.com/AdguardTeam/AdguardFilters/issues/110514
+! https://github.com/AdguardTeam/AdguardFilters/issues/105079
+! Fix ad placeholders in iframe
+! https://github.com/AdguardTeam/AdguardFilters/issues/99846
+! Website is broken if https://imasdk.googleapis.com/js/sdkloader/ima3.js is blocked
+! and exception (@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=sonyliv.com) doesn't work with apps
+! because it seems that there is no referrer, probably related to this bug - https://github.com/AdguardTeam/CoreLibs/issues/1523
+! https://github.com/AdguardTeam/AdguardFilters/issues/99009
+! https://github.com/AdguardTeam/AdguardForWindows/issues/3846
+! https://github.com/AdguardTeam/AdguardFilters/issues/82415
+! https://github.com/AdguardTeam/AdguardFilters/issues/88692
+! https://github.com/AdguardTeam/AdguardFilters/issues/64874
+! https://github.com/AdguardTeam/AdguardFilters/issues/62913
+! https://github.com/AdguardTeam/AdguardFilters/issues/59268
+! https://github.com/AdguardTeam/AdguardFilters/issues/92390
+! https://github.com/AdguardTeam/AdguardFilters/issues/76160
+! https://github.com/AdguardTeam/AdguardFilters/issues/57444
+! https://github.com/AdguardTeam/AdguardFilters/issues/51856
+! https://github.com/AdguardTeam/AdguardFilters/issues/50891
+! crackle.com - ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/68834
+! https://github.com/AdguardTeam/AdguardFilters/issues/67838
+! https://github.com/AdguardTeam/AdguardFilters/issues/45744
+! https://github.com/AdguardTeam/AdguardFilters/issues/44342
+! https://github.com/AdguardTeam/AdguardFilters/issues/25012#issuecomment-487447994
+! https://forum.adguard.com/index.php?threads/video-ads-on-https-www-news-com-au.31659
+! pornhub.com - preroll
+! https://github.com/AdguardTeam/AdguardFilters/issues/16677
+! uplynk new version
+! TODO: Try to find a way to fix an issue with time of the video
+! At the moment, video player shows that time of the video is longer than it really is,
+! so clicking somewhere after video end causes that video starts from the beginning or player is broken
+! https://github.com/AdguardTeam/AdguardFilters/issues/107671
+! https://github.com/AdguardTeam/AdguardFilters/issues/107554
+! https://github.com/AdguardTeam/AdguardFilters/issues/97875
+! uplynk
+! https://github.com/AdguardTeam/AdguardFilters/issues/65493
+! https://github.com/AdguardTeam/AdguardFilters/issues/53641
+! https://github.com/AdguardTeam/AdguardFilters/issues/30139
+! https://github.com/AdguardTeam/AdguardFilters/issues/30806
+! https://github.com/AdguardTeam/AdguardFilters/issues/20290
+! https://github.com/AdguardTeam/AdguardFilters/issues/20995
+! https://github.com/AdguardTeam/AdguardFilters/issues/20435
+! https://github.com/AdguardTeam/AdguardFilters/issues/19875
+! fifa.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/34915
+! abc.go.com - ads
+! https://github.com/AdguardTeam/AdguardFilters/issues/17406
+! https://github.com/AdguardTeam/AdguardFilters/issues/16198
+! https://github.com/AdguardTeam/AdguardFilters/issues/10770
+! https://github.com/AdguardTeam/AdguardFilters/issues/20922
+! https://forum.adguard.com/index.php?threads/https-www-nbc-com-this-is-us-video-windows.25463/
+! https://github.com/AdguardTeam/AdguardFilters/issues/7589
+! https://github.com/AdguardTeam/AdguardFilters/issues/6434
+! https://github.com/AdguardTeam/AdguardFilters/issues/6418
+! https://github.com/AdguardTeam/AdguardFilters/issues/6355
+! https://github.com/AdguardTeam/AdguardFilters/issues/6064
+! https://github.com/AdguardTeam/AdguardFilters/issues/25131
+! https://github.com/AdguardTeam/AdguardFilters/issues/5760 - skip 30 seconds ads
+! onclkds.com - popups
+! https://github.com/AdguardTeam/AdguardFilters/issues/4607
+! https://forum.adguard.com/index.php?threads/macworld-idg-se.19682/
+! https://forum.adguard.com/index.php?threads/19620/
+! https://forum.adguard.com/index.php?threads/18686/
+! https://forum.adguard.com/index.php?threads/18663/
+! https://forum.adguard.com/index.php?threads/15424/
+! https://forum.adguard.com/index.php?threads/9563/
+! https://forum.adguard.com/index.php?threads/13850/
+! https://forum.adguard.com/index.php?threads/11359/
+! https://forum.adguard.com/index.php?threads/7957/
+! http://forum.adguard.com/showthread.php?10251
+! clubic.com
+! http://forum.adguard.com/showthread.php?9813
+!-------------------------------------------------------------------------------!
+!------------------ Anti-crypto-miners rules -----------------------------------!
+!-------------------------------------------------------------------------------!
+!
+! This section contains the list of rules are against crypto-miners.
+!
+! Good: ||monerominer.rocks^$third-party
+! Bad: monerominer.rocks##.ad (should be in specific.txt)
+!
+!
+! Do not block authedmine.com
+!
+! Another miners
+! sample url for one of the miners: silimbompom.com/142711235a1c137.2.n.2.1.js
+! http://nddmcconmqsy.ru/7492512165a41313.3.n.2.1.l60.js
+! http://jwduahujge.ru/0741703015aacf2.3.1.1.1.l80.js
+.n.2.1.js^$third-party
+.n.2.1.l60.js^$third-party
+.1.1.1.l80.js^$third-party
+.3.n.2.1.l50.js
+.3.n.2.2.l30.js
+!
+!
+!
+/karma/karma.js?karma=bs?
+.info/jquerys.js
+.net/jquerys.js
+.org/jquerys.js
+.ru/jquerys.js
+.su/jquerys.js
+.ua/jquerys.js
+||vnebi.com/jquerys.js
+||vkulake.com/jquerys.js
+||usetrans.com/jquerys.js
+||sup-idea.com/jquerys.js
+||orbita-lviv.com/jquerys.js
+||newsinmir.com/jquerys.js
+||nakapote.com/jquerys.js
+||marafonec.com/jquerys.js
+||kaspianchoob.com/jquerys.js
+||fotochki.com/jquerys.js
+||dynamo-kiev.com/jquerys.js
+||dengiua.com/jquerys.js
+||bilsh.com/jquerys.js
+!
+||109.123.233.251^
+||gulf.moneroocean.stream^
+||trustisimportant.fun^
+||pool.supportxmr.com^
+||bmwebm.org^
+||monerominer.rocks^$third-party
+||xmrminingproxy.com^$websocket,third-party
+||dontbeevils.de^$websocket
+||cloud-miner.de^$third-party
+||webminepool.com^$third-party
+||185.165.169.108^$websocket,third-party
+||ecstatic-hoover-50a7b7.netlify.com/pYrqEw.js
+||ecstatic-hoover-50a7b7.netlify.com/LXWzre.js
+||jsfiddle.net^$important,domain=7torr.com
+||pornsfw.com/assets/application-*.js
+||omine.org^$third-party
+||tercabilis.info^$third-party
+||statdynamic.com^$third-party
+://mine.torrent.pw^
+||hostingcloud.*.wasm^
+||nahnoji.cz/compact_miner^
+||js.nahnoji.cz/miner_proxy
+||cashbeet.com^$third-party
+||pampopholf.com^$third-party
+vkcdnservice.appspot.com^$third-party
+||vkcdnservice.com^$third-party
+||archer0*.tk:*/
+||acbp0020171456.page.tl^
+||vuryua.ru^$third-party
+$websocket,domain=300mbfilms.io|lib.rus.ec
+/cdn-cgi/pe/bag2?r[]=*eth-pocket.de
+||webminerpool.com^$third-party
+||mepirtedic.com^$third-party
+||nerohut.com^$third-party
+||silimbompom.com^$third-party
+||afminer.com^$third-party
+||bablace.com^$third-party
+||becanium.com^$third-party
+||brominer.com^$third-party
+||coin-have.com^$third-party
+||coinblind.com^$third-party
+||coinerra.com^$third-party
+||coinimp.com^$third-party
+||coinnebula.com^$third-party
+||coinpirate.cf^$third-party
+||coinpot.co^$third-party
+||coinrail.io^$third-party
+||crypto-loot.com^$third-party
+||go.bestmobiworld.com^$third-party
+||hashing.win^$third-party
+||hemnes.win^$third-party
+||igrid.org^
+||jscdndel.com^$third-party
+||jsecoin.com^$third-party
+||kinohabr.net/*.php?id=*&type=
+||laserveradedomaina.com^$third-party
+||machieved.com^$third-party
+||minemytraffic.com^$third-party
+||nametraff.com^$third-party
+||offerreality.com^$third-party
+||papoto.com^$third-party
+||party-vqgdyvoycc.now.sh^$third-party
+||pertholin.com^$third-party
+||ppoi.org^$third-party
+||premiumstats.xyz^$third-party
+||projectpoi.com^$third-party
+||questionfly.com^$third-party
+||rocks.io^$third-party
+||s3.amazonaws.com/imgint/aaz.js
+||serie-vostfr.com^$third-party
+||smartoffer.site^$third-party
+||thewhizproducts.com^$third-party
+||thewise.com^$third-party
+||traffic.tc-clicks.com^$third-party
+||tulip18.com^$third-party
+||webmine.cz^$third-party
+||webmining.co^$third-party
+||wtm.monitoringservice.co^$third-party
+! don't add `^` to these rules
+||freecontent.date
+||freecontent.stream
+!
+! first-party miners
+!
+/wp-content/plugins/simple-monero-miner-coin-hive/*
+||uptostream.com/assets/coinif.php$important
+||habd.as/js/modules/toxic-swamp/webminer.min.js
+||play*.flashx.pw/filter
+||thepiratebay-proxylist.se/filter$websocket
+||seminarski-diplomski.co.rs/js/custom.js
+||cdn-102.statdynamic.com/filter
+||zona.plus/*.php|
+||sweetbook.net/templates/skin/sweetnew/js/internal.js
+||s*.skencituer.com^
+||fili.cc/assets/libs/mank/webmr.js
+||kickass.cd/*/m.js
+||mine.torrent.pw^
+||firmware.center/.coinhive.min.js
+||intersportv.com/canli-mac-yayinlari/wp-content/uploads/*/jZxl_2.js
+||intersportv.com/canli-mac-yayinlari/wp-content/uploads/*/intersportv.js
+||gaypornwave.com/wp-content/plugins/simple-miner-tweaks^
+||techhome-js.github.io/main.js^$third-party
+||techhome-js.github.io/code.wsm^$third-party
+||vidzi.tv/plays.js
+||hiy.vidzi.tv/socket.io^
+||goodkino.biz/*.2.1.2.js|
+||audioknigi.club/templates/skin/aclub/js/m/bgd.js
+||d1e1rbybdt265x.cloudfront.net/mmfb2.html
+||kisshentai.net/Content/js/c-hive.js
+||fili.tv/assets/libs/mino.min.js
+||dekoder.ws/*/m.js
+!
+! Allowlist
+!
+!-------------------------------------------------------------------------------!
+!------------------ Content blocker rules --------------------------------------!
+!-------------------------------------------------------------------------------!
+!
+! This section contains the list of the rules for content blockers (AdGuard for iOS, AdGuard for Safari and AdGuard Content Blocker for Yandex Browser / Samsung Browser on Android).
+!
+! The point is that these apps support only a limited subset of AdGuard filtering rules syntax.
+! Because of that, we have to resort to using more complicated and less effective solutions there.
+! Note, that you can use some specific type of the rules: base (with / without exceptions).
+!
+! Good: ||example.org/adblock/detect.js
+! Good: @@/adblocker/detect.js$domain=example.org
+! Bad: example.org#?##adblock (should be in antiadblock.txt)
+!
+!
+! *** CAUTION: all rules are wrapped by AG directive. Don't remove it, and don't add another directives***
+!
+!-------------------------------------------------------------------------------!
+!------------------ Bulgarian filter -------------------------------------------!
+!-------------------------------------------------------------------------------!
+!
+! This section contains the list of rules that are supposed to work on Bulgarian websites.
+!
+! Good: any type of the rules will be good
+! Bad: @@||example.org^$stealth
+!
+! NOTE: Ad servers
+!
+||hdvmyo.com^
+||adsy.mail.bg^
+!
+! NOTE: Allow-list
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/51510
+!
+! NOTE: Anti-adblock
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/187565
+businessnovinite.bg,btv.bg,btvsport.bg#$#.vjs-control-bar { z-index: 1; }
+businessnovinite.bg,btv.bg,btvsport.bg#$#.vjs-continue-watching-bar { display: none !important; }
+businessnovinite.bg,btv.bg,btvsport.bg#$?##leading_video_player_autoplay_wrapper { remove: true; }
+businessnovinite.bg,btv.bg,btvsport.bg#$##leading_video_player_autoplay_main_wrapper { display: block !important; }
+businessnovinite.bg,btv.bg,btvsport.bg#%#//scriptlet('set-constant', 'isEnhancedContentAvailable', 'undefined')
+||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima3,domain=businessnovinite.bg|btv.bg|btvsport.bg
+! https://github.com/AdguardTeam/AdguardFilters/issues/178821
+play.nova.bg#%#//scriptlet('prevent-xhr', 'adsbygoogle')
+! https://github.com/AdguardTeam/AdguardFilters/issues/171750
+pik.bg#%#//scriptlet('prevent-element-src-loading', 'script', 'ima3.js')
+! https://github.com/AdguardTeam/AdguardFilters/issues/161796
+! https://github.com/AdguardTeam/AdguardFilters/issues/161641
+! https://github.com/AdguardTeam/AdguardFilters/issues/159344
+@@||vivo.bg/gpt.js
+money.bg,webcafe.bg,topsport.bg#%#//scriptlet('set-constant', 'isuBlock', 'false')
+! https://github.com/AdguardTeam/AdguardFilters/issues/157410
+gledaitv.live###abDetectorModal
+gledaitv.live#%#//scriptlet('set-constant', 'ABDetector', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/170783
+||cdn.bg-gledai.*/fuck_
+/rotate.php?id=$script,domain=bg-gledai.*
+! play.nova.bg - anti adblock
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=play.nova.bg
+!
+@@||smartadserver.com/call/pubx/*/M/$domain=vbox7.com
+! https://github.com/AdguardTeam/AdguardFilters/issues/7027
+@@||seirsanduk.com/ad-server.js
+seirsanduk.com#%#window.canRunAds = true;
+! https://github.com/AdguardTeam/AdguardFilters/issues/148045
+bg-gledai.*#%#//scriptlet('set-constant', 'chp_adblock_browser', 'noopFunc')
+! https://github.com/AdguardTeam/AdguardFilters/issues/64914
+@@||play.nova.bg/prebid-ads.js
+play.nova.bg#%#//scriptlet("set-constant", "_spabia", "true")
+!
+! NOTE: Advanced rules (JS, CSS, HTML)
+!
+! https://github.com/AdguardTeam/AdguardFilters/issues/60574
+blitz.bg#$#div[id^="div-gpt-ad"] { position: absolute!important; left: -3000px!important; }
+!
+! NOTE: Specific
+!
+news.bg,lifestyle.bg,topsport.bg,webcafe.bg#%#//scriptlet('remove-node-text', 'script', 'function initsite')
+news.bg,lifestyle.bg,topsport.bg##div[class*="banner-"]
+manager.bg##.central-banner
+pik.bg##div[class^="banners"]
+zamunda.ch##a[href^="https://bgkoleda.bg/"]
+telegraph.bg##.banner
+zamunda.ch##.top_blocks a[href="redirecto.php"]
+zamunda.ch##.unique-centerpos
+zamunda.ch##.unique-searchpos
+||media.mediadirectory.net/js/code.min.js
+24rodopi.com,rodopi24.blogspot.com##.sidebar-inner
+24rodopi.com,rodopi24.blogspot.com##a[style="float:left;width:254px;"]
+24rodopi.com,rodopi24.blogspot.com###HTML14
+bg-gledai.*##.squarebanner
+bg-gledai.*##.featbox
+zamunda.*##a[href^="https://dmsbg.com/"]
+||arenabg.com/ws.js
+arenabg.com##iframe[data-src="https://webcafe.bg/arena.html"]
+novsport.com##div[style^="float: left; width: 300px; height: 250px;"][style$="overflow: hidden"]
+novsport.com#?#h1[class]:contains(Реклама)
+novsport.com#?#.rounded-left:has(> div[class] > h1[class]:contains(Реклама))
+gotvach.bg##.sidecolumn > div[class^="gid"]
+gotvach.bg##div[class$="-content"] > .gidm
+gotvach.bg##div[class$="-content"] > .text .giwrp
+zamunda.ch,zamunda.net##.clickads
+zamunda.ch,zamunda.net##.speur
+capital.bg##.banner-box
+vbox7.com##.vbox-cap-adw
+arenabg.com##div[id^="spot-"]
+||trud.bg/public/images/autodoc.bg_300x50.gif
+gotvach.bg###artbot
+gotvach.bg###mplx
+gotvach.bg###comm
+gotvach.bg###artvert
+gotvach.bg###dvdt
+gotvach.bg###embed
+||mail.bg/images/brandings/
+mail.bg##.branding_content_link
+mail.bg###main-billboard-spacer
+mail.bg###mail_ad
+||webcafe.bg^$domain=arenabg.com
+arenabg.com#?#.row > div[class] > div.panel-arena:has(> div.panel-heading > a[target="_blank"])
+seirsanduk.us#?##program > center:contains(Реклама)
+cars.bg#$#body { background: #fafafa!important; }
+cars.bg##a[href^="http://www.ads.bg/"]
+seirsanduk.com###fbox-background
+||dir.bg/js_ext.php?placeid=*&affiliate_id=*
+digital.bg##.banner-holder
+kliuki.bg##img[width="650"][height="80"]
+kliuki.bg##img[width="960"][height="90"]
+kliuki.bg###container > div[style="float:left;"] > div[style]
+!-------------------------------------------------------------------------------!
+!------------------ EasyList rules ---------------------------------------------!
+!-------------------------------------------------------------------------------!
+-ad-300x600-
+-ad-458x80.
+-ad-bottom-
+-ad-manager/$~stylesheet
+-ad-right.
+-ad-sidebar.
+-ad-unit.
+-ad-util.
+-ad.jpg.pagespeed.
+-ads-banner.
+-ads-bottom.
+-ads-manager/$domain=~wordpress.org
+-ads/assets/$script,domain=~web-ads.org
+-assets/ads.$~script
+-auto-ads-
+-banner-ad_
+-banner-ads-$~script
+-contrib-ads.$~stylesheet
+-display-ads.
+-footerads.
+-housead-
+-page-ad.
+-page-peel/
+-PcmModule-Taboola-
+-peel-ads-
+-popexit.
+-popunder.
+-publicidad.
+-right-ad.
+-sidebar-ad.
+-sponsor-ad.
+-sticky-ad-
+-top-ads.
+-web-advert-
+-Web-Advert.
+.adriver.$~object,domain=~adriver.co
+.adrotate.
+.ads-lazy.
+.ads-min.
+.ads.controller.
+.ads.css
+.ads.darla.
+.adsbox.
+.adserver.
+.advert.$domain=~advert.ae|~advert.ge|~advert.io|~advert.ly|~advert.media|~advert.org.pl
+.ar/ads/
+.ashx?AdID=
+.aspx?adid=
+.az/adv/
+.br/ads/
+.bz/ads/
+.ca/ads/
+.cfm?ad=
+.cgi?ad=
+.ch/adv/
+.click/cuid/?
+.click/rf/
+.clkads.
+.club/js/popunder.js
+.cn/sc/*?n=$script,third-party
+.com/*=bT1zdXY1JnI9
+.com/4/js/$third-party
+.com/a?pagetype
+.com/ad/$~image,third-party,domain=~mediaplex.com|~warpwire.com|~wsj.com
+.com/ads?
+.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/ss/ad/
+.com/watch.*.js?key=
+.cz/adv/
+.cz/affil/
+.cz/bannery/
+.fuse-cloud.com/
+.html?clicktag=
+.info/tsv
+.jp/ads/$third-party,domain=~hs-exp.jp
+.lazyload-ad-
+.lazyload-ad.
+.lol/js/pub.min.js$third-party
+.lol/sw.js$third-party
+.mx/ads/
+.my/ads/
+.nativeads.
+.net/ad2/$~xmlhttprequest
+.net/ads?
+.ng/ads/
+.nu/ads/
+.org/ad/$domain=~ylilauta.org
+.org/ads/
+.org/pops.js
+.org/script/compatibility.js$third-party
+.ph/ads/
+.php/ad/
+.php?ad=
+.php?adsid=
+.php?adv=
+.php?clicktag=
+.php?zone_id=$~xmlhttprequest
+.pk/ads/
+.popunder.js
+.pw/ads/
+.ru/ads/
+.shop/gd/
+.shop/tsk/$third-party
+.top/cuid/?
+.top/gd/*?md=
+/?abt_opts=1&
+/?fp=*&poru=$subdocument
+/?view=ad
+/_xa/ads?
+/_xa/ads_batch?
+/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-third-party?
+/ad.cgi?
+/ad.css?$stylesheet
+/ad.html?
+/ad.min.js$script
+/ad/a.aspx?
+/ad/ad_common.js$script
+/ad/dfp/*$script
+/ad/err?
+/ad/getban?
+/ad/image/*$image
+/ad/images/*$image,domain=~studiocalling.it
+/ad/img/*$image,domain=~eki-net.com|~jiji.com
+/ad/imp?
+/ad/load_ad?
+/ad300.jpg$image
+/ad300.png$image
+/ad728.png$image
+/ad?count=
+/ad?pos_
+/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_break?
+/ad_campaign?
+/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
+/adcall?
+/adcgi?
+/adchoice.png$image
+/adcommon?
+/adconfig.js$script
+/adcount.js$script
+/addyn|*;adtech;
+/addyn|*|adtech;
+/adengine.js$script
+/adfox/loader.js$script
+/adfshow?
+/adfurikun/*$~image
+/adfx.loader.bind.js$script
+/adhandler/*$~subdocument
+/adiframe|*|adtech;
+/adimage.$image,script,stylesheet
+/adimages.$script
+/adj.php?
+/adjs.php$script
+/adlayer.php$script
+/adlog.php$image
+/admanager.js$script
+/admanager.min.js$script
+/admanager/*$~object,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.$domain=~adright.com
+/adriver.$~script,domain=~adriver.co
+/adriver_$~object
+/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?
+/ads.jplayer.$stylesheet
+/ads.pl?
+/ads/!rotator/*
+/ads/300.$subdocument
+/ads/acctid=
+/ads/banners/*$image
+/ads/cbr.js$script
+/ads/custom_ads.js$script
+/ads/footer.$~xmlhttprequest
+/ads/ga-audiences?
+/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/outbrain?
+/ads/rectangle_$subdocument
+/ads/revgen.$script
+/ads/serve?
+/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_
+/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
+/adsbox.$~script,domain=~adsbox.com.sg
+/adscontroller.js$script
+/adscroll.js$script
+/adsdelivery/*$subdocument
+/adserv.$script
+/adserve/*$script
+/adserver.$~stylesheet,~xmlhttprequest
+/adserver3.$image,script
+/adserver?
+/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.nsf/*$image
+/adsmanager/*$domain=~adsmanager.facebook.com|~github.com
+/adsplugin/js/*$script
+/adsscript.$script
+/adsTracking.$script
+/adsWrapper.js$script
+/ads~adsize~
+/adtech;
+/adtools.js$script
+/adtrack.$domain=~adtrack.ca|~adtrack.yacast.fr
+/adunit/track-view|
+/adunits/bcid?
+/adutil.js$script
+/adv-banner-$image
+/adv-scroll-sidebar.js$script
+/adv-scroll.$script
+/adv-socialbar-scroll.js$script
+/adv.css?
+/adv_out.js$third-party
+/adv_vert.js$script
+/AdvAdsV3/*$script,stylesheet
+/advanced-ads-$domain=~wordpress.org
+/advbanner/*$~image
+/advbanners/*$~image
+/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
+/advert?
+/advertising/banners/*$image
+/advertisment/*$~image
+/adverts.$~script,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
+/affad?
+/affbanners/*$image
+/affiliate/ad/*$image
+/affiliate/ads/*$image
+/affiliate/banner/*$image
+/affiliate/banners/*$image
+/affiliateads/*$image
+/affiliates/banner$image
+/afr.php?
+/afx_prid/*$script
+/ajaxAd?
+/ajs.php?
+/ajs?zoneid=
+/amazon-ad-link-$stylesheet
+/amazon-associates-link-$~stylesheet
+/amp-ad-$script
+/amp-connatix-$script
+/amp4ads-host-v0.js$script
+/ane-popup-1/ane-popup.js$script
+/ane-popup-banner.js$script
+/api.ads.$domain=~ads.instacart.com|~www.ads.com
+/api/ad.$script
+/api/ads?
+/apopwin.js$script
+/apstag.js$script
+/apu.php?
+/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?
+/ban728x90.$image
+/banman/ad.aspx$image
+/banner-ad.$~script
+/banner-ads-rotator/*$script,stylesheet
+/banner-ads/*$image,domain=~1agosto.com
+/banner-affiliate-$image
+/banner.asp?$third-party
+/banner.cgi?
+/banner.php$domain=~research.hchs.hc.edu.tw
+/banner/affiliate/*$image,subdocument
+/banner/html/zone?zid=
+/banner_468.$image
+/banner_ads/*$~xmlhttprequest,domain=~clickbd.com
+/bannerad3.js$script
+/bannerads/*$~xmlhttprequest,domain=~coldwellbankerhomes.com
+/banners.*/piclist?
+/banners.cgi?
+/banners/468$image
+/banners/728$image
+/banners/ads-$~xmlhttprequest
+/banners/ads.$~xmlhttprequest
+/banners/adv/*$~xmlhttprequest
+/banners/affil/*$image
+/banners/affiliate/*$image
+/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
+/callAdserver?
+/cgi-bin/ad/*$~xmlhttprequest
+/click/zone?
+/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
+/combo?darla/*
+/common/ad.js$script
+/common/ads?
+/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
+/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
+/displayad?
+/dmcads_$script
+/doubleclick.min$script
+/drsup-admanager-ajax.js$script
+/dynamicad?
+/ec5bcb7487ff.js$script
+/exitpop.js$script
+/exitpopup.js$script
+/exitsplash.php$script
+/exoads/*$script
+/exoclick.$~script,domain=~exoclick.bamboohr.co.uk|~exoclick.kayako.com
+/exonb/*$script
+/exports/tour/*$third-party
+/exports/tour_20/*$subdocument
+/external/ad.$script
+/external/ads/*$image
+/external_ad?
+/fel456.js$script
+/fgh1ijKl.js$script
+/flashad.asp$subdocument
+/flashad.js$script
+/flashads.$domain=~flashads.co.id
+/fleshlight.$domain=~fleshlight.com|~fleshlight.zendesk.com
+/float_ad.js$script
+/floatads.$script
+/floating-ad-rotator-$script,stylesheet
+/floatingad.js$script
+/floatingads.js$script
+/flyad.js$script
+/footer-ad.$~script
+/footer_ad.js$script
+/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
+/getad?
+/getads?
+/getAdsysCode?
+/GetAdvertisingLeft?
+/globals_ps_afc.js$script
+/google-adsense.js$script
+/google_adsense-$script
+/google_caf.js?
+/gospel2Truth.js$third-party
+/gpt.js$script,xmlhttprequest
+/gpt_ads-public.js$script
+/GunosyAdsSDKv2.js$script
+/homepage_ads/*$domain=~swedishbeauty.com
+/house-ads/*$image
+/hoverad.js$script
+/hserver/channel=
+/hserver/site=
+/ht.js?site_
+/image/ad/*$image
+/image/ads/*$image,domain=~edatop.com
+/image/affiliate/*$image
+/imageads/*$image
+/images/ads-$domain=~ads.com
+/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?
+/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.openxtag.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
+/lazyload.ads?
+/left_ads.js$script
+/leftad.js$script
+/leftad.png$image
+/legion-advertising-atlasastro/*$script
+/li.blogtrottr.com/imp?
+/link?z=$subdocument
+/livejasmin.$domain=~livejasmin.com
+/log_ad?
+/mads.php?
+/maven/am.js$script
+/mbads?
+/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=
+/Nuggad?
+/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-links-to/dist/new-tab.js$script
+/page-peel$~xmlhttprequest
+/page/bouncy.php?
+/pagead/1p-user-list/*$image
+/pagead/conversion.js$script
+/pagead/lvz?
+/pageear.js$script
+/pageear/*$script
+/pagepeel.$~xmlhttprequest
+/pagepeelpro.js?$script
+/partnerads/js/*$script
+/partneradwidget.$subdocument
+/partnerbanner.$domain=~toltech.cn
+/partners/ads/*$image
+/pcad.js?
+/peel.php?
+/peel_ads.js$script
+/peelads/*$script
+/pfe/current/*$third-party
+/phpads/*$script
+/phpadsnew/*$image,script
+/phpbb_ads/*$~xmlhttprequest
+/pix/ads/*$image
+/pixel/puclc?
+/pixel/pure$third-party
+/pixel/purs?
+/pixel/purst?
+/pixel/sbe?
+/player/ads/*$~xmlhttprequest
+/plg_adbutlerads/*$script,stylesheet
+/plugin/ad/*$script
+/plugins/ad-invalid-click-protector/*$script
+/plugins/adrotate-pro/*$script
+/plugins/adrotate/*$script
+/plugins/ads/*$~xmlhttprequest
+/plugins/adsanity-$script,stylesheet
+/plugins/advanced-ads/*$domain=~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
+/plugins/wp-moreads/*$~stylesheet
+/plugins/wp125/*$~stylesheet
+/pop_8/pop_8_$script
+/popin-min.js$script
+/popunder1.js$script
+/popunder1000.js$script
+/popunder2.js$script
+/popunder?
+/popup-domination/*$~stylesheet
+/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
+/proxyadcall?
+/public/ad/*$image
+/public/ads/*$image
+/publicidad.$~object,~stylesheet
+/publicidad/*$~xmlhttprequest
+/publicidad_$~stylesheet
+/publicidade.$~xmlhttprequest
+/publicidade/*$~xmlhttprequest
+/publicidades/*$~xmlhttprequest
+/puff_ad?
+/push/p.js?
+/rad_singlepageapp.js$script
+/RdmAdFeed.js$script
+/rdrr/renderer.js$third-party
+/RealMedia/ads/*$~xmlhttprequest
+/redirect/?spot_id=
+/redirect?tid=
+/reklam.$domain=~github.com|~reklam.com.tr
+/reklam/*$domain=~cloudflare.com|~github.com|~reklam.com.tr
+/reklama/*$domain=~github.com
+/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?
+/resources/ads/*$~xmlhttprequest
+/responsive/ad_$subdocument
+/responsive_ads.js$script
+/right_ads.$~xmlhttprequest
+/rightad.js$script
+/s.ashx?btag
+/SBA-WP-13.js$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
+/select_adv?
+/servead/request/*$script,subdocument
+/serveads.php$script
+/servlet/view/*$script
+/set_adcode?
+/sft-prebid.js$script
+/show-ad.js$script
+/show_ad.js$script
+/show_ad?
+/showban.asp?
+/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
+/smartlinks.epl?
+/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
+/sponsoredlinks?
+/sponsors/ads/*$image
+/squaread.jpg$image
+/static/js/4728ba74bc.js$~third-party
+/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
+/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
+/v3/ads?
+/vast/?zid=
+/velvet_stack_cmp.js$script
+/vendors~ads.
+/video_ads.$script
+/videoad.$domain=~videoad.in
+/videoad/*$script
+/videoads/*$~xmlhttprequest
+/videojs.ads-$script,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
+/webadverts/ads.pl?
+/widget-advert?
+/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/*$~stylesheet
+/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,stylesheet
+/wp-content/plugins/wp-super-popup/*$~stylesheet
+/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
+/yhs/ads?
+/zcredirect?
+/~cdn/ads/*
+://a.*/ad-provider.js$third-party
+://a.ads.
+://ad-api-
+://ad1.
+://adn.*/zone/$subdocument
+://ads.$~image,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.red|~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.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
+://ads2.
+://adserver1.
+://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
+://ak-ads-ns.
+://banner.$third-party
+://banners.$third-party
+://delivery.ads.
+://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
+://uads.$third-party,xmlhttprequest
+=half-page-ad&
+?ab=1&zoneid=
+?adspot_$domain=~sponichi.co.jp
+?adunitid=
+?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.
+_ad_300.
+_ad_728_
+_ad_background.
+_ad_banner.
+_ad_bottom.
+_ad_box.
+_ad_choices.
+_ad_header.
+_ad_image_
+_ad_layer_
+_ad_leaderboard.
+_ad_right.
+_ad_side.
+_ad_sidebar_
+_ad_skyscraper.
+_ad_wrapper.
+_adbanner_
+_adbanners.
+_adcall.
+_adchoice.
+_adchoices.
+_adhome.
+_adlabel_
+_adnetwork.
+_adpartner.
+_adplugin.
+_adright.
+_ads.cgi
+_ads.cms?
+_ads.php?
+_ads_reporting.
+_ads_updater-
+_adscommon.
+_adscript.
+_adserve.
+_adserver.
+_adskin.
+_adskin_
+_adtitle.
+_adv_open_x/
+_advertise-$domain=~linkedin.com
+_advertise.
+_advertisment.$~xmlhttprequest
+_affiliate_ad.
+_assets/ads/
+_asyncspc.
+_background_ad.
+_banner_ad.
+_banner_ad_
+_Banner_Ads_
+_bannerad.
+_BannerAd_
+_bannerads_
+_bottom_ads.
+_bottom_ads_
+_commonAD.
+_footer_ad_
+_google_ads.
+_gpt_ads.
+_header_ad.
+_header_ad_
+_headerad.
+_images/ad.$image
+_images/ad_
+_images/ads/
+_layerad.
+_left_ad.
+_panel_ads.
+_partner_ad.
+_popunder_
+_popupunder.
+_pushads.
+_rectangle_ads.
+_reklama_$domain=~youtube.com
+_reporting_ads.
+_rightad.
+_rightad_
+_sidead.
+_sidebar_ad.
+_sidebar_ad_
+_skinad.
+_small_ad.
+_square_ad.
+_sticky_ad.
+_StickyAd.
+_text_ads.
+_textads.
+_top_ad.
+_vertical_ad.
+_web-advert.
+_widget_ad.
+||cacheserve.*/promodisplay/
+||cacheserve.*/promodisplay?
+||online.*/promoredirect?key=
+.com/ed/java.js$script
+/ed/fol457.$script
+/plugins/ad-ace/assets/js/coupons.js$script
+/plugins/ad-ace/assets/js/slot-slideup.js$script
+/plugins/ad-ace/includes/shoppable-images/*$script
+/Ads/bid300a.aspx$subdocument
+/Ads/bid300b.aspx$subdocument
+/Ads/bid300c.aspx$subdocument
+/Ads/bid728.aspx$subdocument
+/e/cm?$subdocument
+/e/ir?$image,script
+/in/track?data=
+/senddata?site=banner
+/senddata?site=inpage
+/ntfc.php?
+.com/src/ppu/
+/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
+/tabu/display.js$script
+/greenoaks.gif?
+/myvids/click/*$script,subdocument
+/myvids/mltbn/*$script,subdocument
+/myvids/mltbn2/*$script,subdocument
+/myvids/rek/*$script,subdocument
+://rs-stripe.wsj.com/stripe/image?
+/?l=*&s=*&mprtr=$~third-party,xmlhttprequest
+/push-skin/skin.min.js$script
+/search/tsc.php?
+/full-page-script.js$script
+/earn.php?z=$popup,subdocument
+/pop2.js?r=$script
+/beardeddragon/armadillo.js$script
+/beardeddragon/drake.js$script
+/beardeddragon/gilamonster.js$script
+/beardeddragon/tortoise.js$script
+/beardeddragon/turtle.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?
+/detroitchicago/wichita.js$script
+/edmonton.webp$script
+/ezcl.webp?
+/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/abilene.js$script
+/parsonsmaize/chanute.js$script
+/parsonsmaize/mulvane.js$script
+/parsonsmaize/olathe.js$script
+/tardisrocinante/austin.js$script
+/tardisrocinante/vitals.js$script
+-dfp-prebid-
+-prebid/
+.prebid-bundle.
+.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.$domain=~prebid.org
+/prebid/*$script
+/prebid1.$script
+/prebid2.$script
+/prebid3.$script
+/prebid4.$script
+/prebid5.$script
+/prebid6.$script
+/prebid7.$script
+/prebid8.$script
+/prebid9.$script
+/prebid?
+/prebid_$script,third-party
+/prebidlink/*$script
+/tagman/*$domain=~abelssoft.de
+_prebid.js
+_prebid8.
+&sadbl=1&abtg=$third-party
+&sadbl=1&chu=$third-party
+?zoneid=*&ab=1
+/webservices/jsparselinks.aspx?$script
+/affiliate/referral.asp?site=*&aff_id=
+/bdv_rd2.dbm?enparms
+/jscheck.php?enc=$xmlhttprequest
+/sl/assetlisting/?
+/jquery.peelback.$script
+-adblocker-detection/
+-detect-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.gif?
+/adblock_detector2.$script
+/adblock_logger.$script
+/adblockdetect.js$script
+/adBlockDetector/*$script
+/adbuddy.$domain=~adbuddy.be|~adbuddy.beeldstudio.be
+/ads-blocking-detector.$script
+/anti-adblock/*$~stylesheet
+/blockblock/blockblock.jquery.js$script
+/BlockerBanner/*$xmlhttprequest
+/jgcabd-detect-$script
+/no-adblock/*$script,stylesheet
+_atblockdetector/
+-120-600.
+-120_600_
+-120x600-
+-120x600.
+-120x600_
+-160-600.
+-160x600-
+-160x600.
+-160x600_
+-300-250.
+-300x250-$~xmlhttprequest
+-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.
+/335x205_
+/336x280-
+/336x280.
+/336x280_
+/428x60.
+/460x60.
+/460x80_
+/468-20.
+/468-60-
+/468-60.
+/468-60_
+/468_60.
+/468_60_
+/468_80.
+/468_80/*
+/468x060.
+/468x060_
+/468x150-
+/468x280.
+/468x280_
+/468x60-
+/468x60.$~script
+/468x60/*
+/468x60_
+/468x70-
+/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.
+/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.
+/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_
+&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
+|javascript:*setTimeout$popup
+|javascript:*window.location$popup
+|data:text$popup,domain=~clker.com
+|dddata:text$popup
+###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
+###AdLayer1
+###AdLayer2
+###AdMiddle
+###AdPopUp
+###AdRectangleBanner
+###AdSense1
+###AdSense2
+###AdSense3
+###AdSenseDiv
+###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_CAD2_Text
+###Ads_BA_FLB
+###Ads_BA_SKY
+###Ads_TFM_BS
+###Ads_google_bottom_wide
+###Adsense300x250
+###AdsenseBottom
+###AdsenseTop
+###Adsterra
+###Adv10
+###Adv11
+###Adv8
+###Adv9
+###AdvArea
+###AdvBody
+###AdvContainer
+###AdvFooter
+###AdvFrame1
+###AdvHead
+###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
+###LargeRectangleAd
+###LayoutBottomAdBox
+###LayoutHomeAdBoxBottom
+###LeaderboardAdvertising
+###LeftAd
+###LeftAd1
+###MPUAdSpace
+###MPUadvertising
+###MPUadvertisingDetail
+###MainAd
+###MainAd1
+###MainContent_ucTopRightAdvert
+###MediumRectangleAD
+###MidPageAds
+###MiddleRightRadvertisement
+###Mpu_Bottom
+###Mpu_Top
+###MyAdsId3
+###NR-Ads
+###OAS2
+###OASMiddleAd
+###OASRightAd
+###PaneAdvertisingContainer
+###PromotionAdBox
+###PushDownAd
+###RadAdSkyscraper
+###RightAd
+###RightAdBlock
+###RightAdSpace
+###RightAdvertisement
+###SidebarAd
+###SidebarAdContainer
+###SitenavAdslot
+###SkyAd
+###SkyscraperAD
+###SponsoredAd
+###SponsoredAds
+###SponsoredLinks
+###SponsorsAds
+###StickyBannerAd
+###Top-ad
+###Top1AdWrapper
+###TopADs
+###TopAd
+###TopAd0
+###TopAdBox
+###TopAdContainer
+###TopAdDiv
+###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
+###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
+###adcontent
+###adcontent1
+###adcontent2
+###adcontextlinks
+###addbottomleft
+###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
+###vc-maincontainer-ad
+###vc-maincontainer-midad
+###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
+###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-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
+##.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
+##.SponsorshipText
+##.SquareAd
+##.Squareadspot
+##.StandardAdLeft
+##.StandardAdRight
+##.Sticky-AdContainer
+##.StickyAdRail__Inner
+##.SummaryPage-HeaderAd
+##.TextAd
+##.TextAdds
+##.Textads
+##.ThreeAds
+##.TmnAdsense
+##.TopAd
+##.TopAdBox
+##.TopAdContainer
+##.TopAdL
+##.TopAdR
+##.TopAds
+##.TopAdsPartial
+##.TopBannerAd
+##.TopRightRadvertisement
+##.Top_Ad
+##.TrackedBannerPromo
+##.TrackedSidebarPromo
+##.TrafficAd
+##.U210-adv-column
+##.UnderAd
+##.VPCarbonAds
+##.VerticalAd
+##.Video-Ad
+##.VideoAd
+##.WPBannerizeWidget
+##.WP_Widget_Ad_manager
+##.WideAdTile
+##.WideAdsLeft
+##.WidgetAdvertiser
+##.WidthAd
+##.WikiaTopAds
+##.\[\&_\.gdprAdTransparencyCogWheelButton\]\:\!pjra-z-\[5\]
+##._SummaryPageHeaderAdView
+##._SummaryPageSidebarStickyAdView
+##.__isboostOverContent
+##._ads
+##._ads-full
+##._ap_adrecover_ad
+##._ap_apex_ad
+##._articleAdvert
+##._bannerAds
+##._bottom_ad_wrapper
+##._ciw-betterAds
+##._fullsquaread
+##._has-ads
+##._popIn_recommend_article_ad
+##._popIn_recommend_article_ad_reserved
+##._table_ad_div_wide
+##.a-ad
+##.a-ad--aside
+##.a-ad--leaderboard
+##.a-ad--skyscraper
+##.a-ad--wide
+##.a-d-250
+##.a-d-90
+##.a-d-container
+##.a-d-holder-container
+##.a-dserver
+##.a-dserver_text
+##.a-sponsor
+##.a160x600
+##.a300x250
+##.a468x60
+##.a728x90
+##.aadsection_b1
+##.aadsection_b2
+##.aarpe-ad-wrapper
+##.ab-ad_placement-article
+##.abBoxAd
+##.abMessage
+##.abPopup
+##.ablock300
+##.ablock468
+##.ablock728
+##.above-header-advert
+##.aboveCommentAds
+##.abovead
+##.ac-banner-ad
+##.ac-widget-placeholder
+##.ac_adbox
+##.acm-ad-container
+##.acm-ad-tag-unit
+##.acm_ad_zones
+##.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-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-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
+##.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-house-btac
+##.ad-housepromo-d-wrapper
+##.ad-hoverable
+##.ad-hpto
+##.ad-href1
+##.ad-href2
+##.ad-iab-txt
+##.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
+##.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
+##.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--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-left
+##.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_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_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
+##.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-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-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
+##.component-header-sticky-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-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-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
+##.contentad300x250
+##.contentad_right_col
+##.contentadarticle
+##.contentadfloatl
+##.contentadleft
+##.contentads1
+##.contentads2
+##.contentbox_ad
+##.contentleftad
+##.contents-ads-bottom-left
+##.contest_ad
+##.context-ads
+##.contextualAds
+##.contextual_ad_unit
+##.coreAdsPlacer
+##.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
+##.d1-top-ad
+##.d3-c-adblock
+##.d3-o-adv-block
+##.da-custom-ad-box
+##.dac__banner__wrapper
+##.dac__mpu-card
+##.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
+##.dc-banner
+##.dc-half-banner
+##.dc-widget-adv-125
+##.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-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
+##.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
+##.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
+##.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
+##.ox-holder
+##.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
+##.padded-ad
+##.paddingBotAd
+##.pads2
+##.pads_bulk_widget
+##.padvertlabel
+##.page-ad
+##.page-ads
+##.page-advert
+##.page-advertisement
+##.page-bottom-fixed-ads
+##.page-box-ad
+##.page-break-ad
+##.page-content__advert
+##.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_desktop
+##.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
+##.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
+##.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
+##.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
+##.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
+##.uniAds
+##.unionAd
+##.unit-ad
+##.unspoken-adplace
+##.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
+##.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
+##.wallad
+##.wcAd
+##.wcfAdLocation
+##.wd-adunit
+##.wdca_ad_item
+##.wdca_custom_ad
+##.wdt_ads
+##.weatherad
+##.web_ads
+##.webadvert-container
+##.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-group-Ads
+##.widget-highlight-ads
+##.widget-sponsor
+##.widget-sponsor--container
+##.widget-text-ad
+##.widget1-ad
+##.widget10-ad
+##.widget4-ad
+##.widget6-ad
+##.widget7-ad
+##.widgetAD
+##.widgetAds
+##.widgetContentIfrWrapperAd
+##.widgetSponsors
+##.widget_300x250_advertisement
+##.widget_abn_admanager_sidestealer
+##.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
+##.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
+##DFP-AD
+##[class^="adDisplay-module"]
+##[class^="amp-ad-"]
+##[data-ad-cls]
+##[data-ad-manager-id]
+##[data-ad-module]
+##[data-ad-name]
+##[data-ad-width]
+##[data-adblockkey]
+##[data-adbridg-ad-class]
+##[data-adshim]
+##[data-advadstrackid]
+##[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-rc-widget"]
+##[data-rc-widget]
+##[data-revive-zoneid] > iframe
+##[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://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://goldcometals.com/clk.trk"]
+##[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://routewebtk.com/"]
+##[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^="div-gpt-ad"]
+##[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://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://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://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.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://hot-growngames.life/"]
+##a[href^="https://hotplaystime.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://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://safesurfingtoday.com/"][href*="?skip="]
+##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://trk.sportsflix4k.club/"]
+##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.sugarinstant.com/?partner_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[class^="Display_displayAd"]
+##div[class^="kiwi-ad-wrapper"]
+##div[class^="native-ad-"]
+##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^="div-gpt-"]
+##div[id^="ezoic-pub-ad-"]
+##div[id^="google_dfp_"]
+##div[id^="gpt_ad_"]
+##div[id^="lazyad-"]
+##div[id^="optidigital-adslot"]
+##div[id^="pa_sticky_ad_box_middle_"]
+##div[id^="rc-widget-"]
+##div[id^="st"][style^="z-index: 999999999;"]
+##div[id^="sticky_ad_"]
+##div[id^="vuukle-ad-"]
+##div[id^="yandex_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
+###sellwild-loader
+##.ad_1tdq7q5
+##.style_k8mr7b-o_O-style_uhlm2
+##.aspace-300x169
+##.aspace-300x250
+###hgiks-middle
+###hgiks-top
+##.boxOverContent__banner
+##.happy-under-player
+##.mntl-leaderboard-header
+##.mntl-leaderboard-spacer
+##.shopee-search-user-brief
+##a[href*="&maxads="]
+##a[href*=".cfm?domain="][href*="&fp="]
+##.CitrusBannerWrapper--enollj
+##[class^="tile-picker__CitrusBannerContainer-sc-"]
+##citrus-ad-wrapper
+##.RC-AD
+##.RC-AD-BOX-BOTTOM
+##.RC-AD-BOX-MIDDLE
+##.RC-AD-BOX-TOP
+##.RC-AD-TOP-BANNER
+##.js_related-stories-inset
+##ins.adsbygoogle[data-ad-client]
+##ins.adsbygoogle[data-ad-slot]
+###mgb-container > #mgb
+###kt_player > a[target="_blank"]
+###kt_player > div[style$="display: block;"][style*="inset: 0px;"]
+###slashboxes > .deals-rail
+##.scroll-fixable.rail-right > .deals-rail
+##.click-track.partner
+##.index-module_adBeforeContent__UYZT
+##.interstory_first_mobile
+##.interstory_second_mobile
+###gnt_atomsnc
+###gpt-dynamic_native_article_4
+###gpt-high_impact
+###gpt-poster
+##.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
+###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
+##.pbs__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"]
+###around-the-web
+###g-outbrain
+###js-outbrain-module
+###js-outbrain-relateds
+###outbrain
+###outbrain-id
+###outbrain-section
+###outbrain1
+###outbrainWidget
+###outbrain_widget_0
+##.ArticleFooter-outbrain
+##.ArticleOutbrainLocal
+##.OUTBRAIN
+##.Outbrain
+##.article_OutbrainContent
+##.box-outbrain
+##.c2_outbrain
+##.component-outbrain
+##.ob-smartfeed-wrapper
+##.outbrain
+##.outbrain-ads
+##.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
+##.outbrainWidget
+##.outbrain__main
+##.outbrain_container
+##.outbrain_skybox
+##.outbrainbox
+##.sics-component__outbrain
+##.sidebar-outbrain
+##.voc-ob-wrapper
+##.widget_outbrain
+##.widget_outbrain_widget
+###block-taboolablock
+###js-Taboola-Container-0
+###moduleTaboolaRightRail
+###original_taboola
+###possible_taboola
+###taboola
+###taboola-above-homepage-thumbnails
+###taboola-below-article-thumbnails
+###taboola-below-article-thumbnails-2
+###taboola-below-article-thumbnails-mg
+###taboola-below-disco-board
+###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-main-column-thumbnails
+###taboola-native-right-rail-thumbnails
+###taboola-right-rail
+###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_side
+###taboola_wrapper
+##.divider-taboola
+##.js-taboola
+##.m-article-taboola
+##.mc-column-Taboola
+##.slottaboola
+##.taboola
+##.taboola-banner
+##.taboola-bottom-adunit
+##.taboola-container
+##.taboola-frame
+##.taboola-inbetweener
+##.taboola-like-block
+##.taboola-module
+##.taboola-recommends
+##.taboola-sidebar
+##.taboola-sidebar-container
+##.taboola-skip-wrapper
+##.taboola-thumbnails-container
+##.taboola-vertical
+##.taboola-wrapper
+##.taboolaDiv
+##.taboola_module
+##.taboolaloader
+##.trc-first-recommendation
+##.trc-spotlight-first-recommendation
+##.trc_excludable
+##.trc_spotlight_item
+##[data-taboola-options]
+##.BeOpWidget
+##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-"]
+##.grid > .container > #aside-promotion
+##.default_rc_theme
+##.inf-onclickvideo-adbox
+##.inf-onclickvideo-container
+##.add-box-side
+##.add-box-top
+##.partner-loading-shown.partner-label
+##div[id*="MarketGid"]
+##div[id*="ScriptRoot"]
+###ezmob_footer
+##.rec-sponsored
+##.rec_article_footer
+##.rec_article_right
+##.rec_container__right
+##.rec_container_footer
+##.rec_container_right
+##.rec_title_footer
+##[onclick*="content.ad/"]
+##.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
+###mobile-swipe-banner
+###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_top_ddb_0
+##.index-module_adBeforeContent__AMXn
+##.index-module_rightrailBottom__IJEl
+##.index-module_rightrailTop__mag4
+##.index-module_sd_background__Um4w
+##.premium_PremiumPlacement__2dEp0
+###ultimedia_wrapper
+##.brandpost_inarticle
+##.container-content__container-relatedlinks
+###pubexchange_below_content
+##.pubexchange_module
+###js-outbrain-ads-module
+###outbrain-wrapper
+###outbrainAdWrapper
+##.OUTBRAIN[data-widget-id^="FMS_REELD_"]
+##.adv_outbrain
+##.js-outbrain-container
+##.mid-outbrain
+##.ob-p.ob-dynamic-rec-container
+##.ob-widget-header
+##.outBrainWrapper
+##.outbrain-ad-slot
+##.outbrain-ad-units
+##.outbrain-bg
+##.outbrain-widget
+##.outbrainAdHeight
+##.outbrainad
+##.promoted-outbrain
+##.responsive-ad-outbrain
+##.single__outbrain
+##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
+###block-boxes-taboola
+###component-taboola-below-article-feed
+###component-taboola-below-article-feed-2
+###component-taboola-below-homepage-feed
+###taboola-ad
+###taboola-adverts
+###taboola-below
+###taboola-below-article-1
+###taboola-below-article-thumbnails
+###taboola-below-article-thumbnails-express
+###taboola-below-article-thumbnails-v2
+###taboola-below-forum-thumbnails
+###taboola-mid-article-thumbnails
+###taboola-mid-article-thumbnails-ii
+###taboola-mobile-article-thumbnails
+###taboola-placeholder
+###taboola-right-rail
+###taboola-right-rail-express
+###taboola_responsive_wrapper
+##.article-taboola
+##.grid__module-sizer_name_taboola
+##.nya-slot[style]
+##.taboola-above-article
+##.taboola-above-article-thumbnails
+##.taboola-ad
+##.taboola-block
+##.taboola-general
+##.taboola-in-plug-wrap
+##.taboola-item
+##.taboola-widget
+##.taboolaArticle
+##.taboolaHeight
+##.taboola__container
+##.taboola_blk
+##.taboola_body_ad
+##.taboola_container
+##.taboola_lhs
+##.trb_taboola
+##.trc_excludable
+##.trc_rbox
+##.trc_rbox_border_elm
+##.trc_rbox_div
+##.trc_related_container
+##.van_taboola
+##.widget_taboola
+##amp-embed[type="taboola"]
+##div[id^="taboola-stream-"]
+##.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"]
+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
+honkakuha.success-games.net#@##adContainer
+honkakuha.success-games.net#@##adWrapper
+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
+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#@#.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,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
+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
+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#@#.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
+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
+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
+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
+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
+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
+france24.com#@#.o-ad-container
+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#@#[data-ad-name]
+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/"]
+free-avx.jp#@#a[href^="https://click.dtiserv2.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"]
+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
+mm-watch.com,player.ex.co,theautopian.com#@#.pbs__player
+screenrant.com#@#.w-adsninja-video-player
+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]
+apkmirror.com,tuxpi.com#@#.adslot
+bavaria86.com,ransquawk.com,tf2r.com,trh.sk#@#.adverts
+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
+spoilertv.com#@##adsensewide
+browsershots.org#@#.advert_area
+||0024ad98dd.com^
+||00d3ed994e.com^
+||00d84987c0.com^
+||012024jhvjhkozekl.space^
+||01220b75a7.com^
+||0127c96640.com^
+||01c70a2a06.com^
+||01counter.com^
+||01d0c91c0d.com^
+||01jud3v55z.com^
+||0265331.com^
+||029xzsmew.com^
+||02aa19117f396e9.com^
+||02ce917efd.com^
+||0342b40dd6.com^
+||03505ed0f4.com^
+||03bdb617ed.com^
+||03ed9035a0801f.com^
+||03eea1b6dd.com^
+||04-f-bmf.com^
+||041353e6dd.com^
+||04c8b396bf.com^
+||04cb2afab7.com^
+||04e0d8fb0f.com^
+||059e71004b.com^
+||05e11c9f6f.com^
+||0676el9lskux.top^
+||06a21eff24.com^
+||06e293435c.com^
+||070880.com^
+||072c4580e8.com^
+||0760571ca9.com^
+||07a1624bd7.com^
+||0819478661.com^
+||08666f3ca4.com^
+||0926a687679d337e9d.com^
+||09b074f4cf.com^
+||09b1fcc95e.com^
+||0a0d-d3l1vr.b-cdn.net^
+||0a8d87mlbcac.top^
+||0af2a962b0102942d9a7df351b20be55.com^
+||0b0db57b5f.com^
+||0b73f85f92.com^
+||0b7741a902.com^
+||0b85c2f9bb.com^
+||0cdn.xyz^
+||0cf.io^
+||0e78376a1b.com^
+||0eade9dd8d.com^
+||0eijh8996i.com^
+||0emn.com^
+||0f461325bf56c3e1b9.com^
+||0f9e6fxhl.com^
+||0fmm.com^
+||0gw7e6s3wrao9y3q.pro^
+||0hkkatinn.com^
+||0i0i0i0.com^
+||0ijvby90.skin^
+||0l1201s548b2.top^
+||0redirb.com^
+||0redird.com^
+||0sntp7dnrr.com^
+||0sywjs4r1x.com^
+||0td6sdkfq.com^
+||0x01n2ptpuz3.com^
+||101m3.com^
+||103092804.com^
+||107e9a08a8.com^
+||1090pjopm.de^
+||10desires.com^
+||10nvejhblhha.com^
+||10q6e9ne5.de^
+||10skhbdhjfsdf100.monster^
+||10sn95to9.de^
+||11g1ip22h.de^
+||12112336.pix-cdn.org^
+||1221e236c3f8703.com^
+||123-movies.bz^
+||1239feffd9.com^
+||123movies.to^
+||123w0w.com^
+||12a640bb5e.com^
+||12ezo5v60.com^
+||130gelh8q.de^
+||13199960a1.com^
+||1370065b3a.com^
+||137kfj65k.de^
+||13b3403320.com^
+||13b696a4c1.com^
+||13p76nnir.de^
+||148dfe140d0f3d5e.com^
+||14cpoff22.de^
+||14fefmsjd.de^
+||14i8trbbx4.com^
+||154886c13e.com^
+||15cacaospice63nhdk.com^
+||15d113e19a.com^
+||16-merchant-s.com^
+||16iis7i2p.de^
+||16pr72tb5.de^
+||1704598c25.com^
+||17772175ab.com^
+||17co2k5a.de^
+||17do048qm.de^
+||17fffd951d.com^
+||181m2fscr.de^
+||184c4i95p.de^
+||18788fdb24.com^
+||18ie7hx6s.com^
+||18tlm4jee.de^
+||19515bia.de^
+||19d7fd2ed2.com^
+||1a65658575.com^
+||1a714ee67c.com^
+||1a8f9rq9c.de^
+||1aqi93ml4.de^
+||1b14e0ee42d5e195c9aa1a2f5b42c710.com^
+||1b32caa655.com^
+||1b384556ae.com^
+||1b3tmfcbq.de^
+||1b8873d66e.com^
+||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^
+||1f6bf6f5a3.com^
+||1f7eece503.com^
+||1f84e33459.com^
+||1f87527dc9.com^
+||1f98dc1262.com^
+||1fd92n6t8.de^
+||1fkx796mw.com^
+||1fluxx-strean.com^
+||1freestyl3domain.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^
+||1kanz.cn^
+||1knhg4mmq.de^
+||1kylgnkat.com^
+||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^
+||1r8im40kd.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^
+||1uno1xkktau4.com^
+||1vtk1jyaw.com^
+||1web.me^
+||1winpost.com^
+||1wtwaq.xyz^
+||1xlite-016702.top^
+||1xlite-503779.top^
+||1xlite-522762.top^
+||2020mustang.com^
+||2022welcome.com^
+||2024jphatomenesys36.top^
+||2066401308.com^
+||206ads.com^
+||20dollars2surf.com^
+||20l2ldrn2.de^
+||20trackdomain.com^
+||20tracks.com^
+||2122aaa0e5.com^
+||2137dc12f9d8.com^
+||2158novffp.com^
+||218emo1t.de^
+||21hn4b64m.de^
+||21mdxp5vz.com^
+||21sexturycash.com^
+||21wiz.com^
+||2295b1e0bd.com^
+||22blqkmkg.de^
+||22ddebb169.com^
+||22gui20230801.live^
+||22lmsi1t5.de^
+||22media.world^
+||231dasda3dsd.aniyae.com^
+||234f6ce965.com^
+||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^
+||2491may2024.com^
+||2495may2024.com^
+||2499may2024.com^
+||249c9885c1.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^
+||268stephe5en3king.com^
+||2690dny5l.com^
+||26ea4af114.com^
+||26q4nn691.de^
+||26y7fyw3o.com^
+||2799f73c61.com^
+||27igqr8b.de^
+||28e096686b.com^
+||291hkcido.de^
+||295a9f642d.com^
+||2989f3f0ff.com^
+||29apfjmg2.de^
+||29d65cebb82ef9f.com^
+||29s55bf2.de^
+||29vpnmv4q.com^
+||2a18z23fg.com^
+||2a1b1657c6.com^
+||2a2k3aom6.de^
+||2a4722f5ee.com^
+||2a4snhmtm.de^
+||2a6d9e5059.com^
+||2aefgbf.de^
+||2b15b8e193.com^
+||2b2359b518.com^
+||2b9957041a.com^
+||2bd1f18377.com^
+||2ben92aml.com^
+||2bps53igop02.com^
+||2c3a97984f45.com^
+||2c4rrl8pe.de^
+||2c5d30b6f1.com^
+||2c6bcbbb82ce911.com^
+||2cjlj3c15.de^
+||2cnjuh34jbman.com^
+||2cnjuh34jbpoint.com^
+||2cnjuh34jbstar.com^
+||2cvnmbxnc.com^
+||2d283cecd5.com^
+||2d439ab93e.com^
+||2d6g0ag5l.de^
+||2de65ef3dd.com^
+||2df0b2e308.com^
+||2e4b7fc71a.com^
+||2e5e4544c4.com^
+||2e754b57ca.com^
+||2e8dgn8n0e0l.com^
+||2ecfa1db15.com^
+||2eszq7woo.com^
+||2f1a1a7f62.com^
+||2f2bef3deb.com^
+||2f72472ace.com^
+||2fb8or7ai.de^
+||2ffabf3b1d.com^
+||2fgrrc9t0.de^
+||2fnptjci.de^
+||2g2kaa598.de^
+||2gg6ebbhh.de^
+||2go7v1nes8.com^
+||2h4els889.com^
+||2h6skj2da.de^
+||2hdn.online^
+||2heaoc.com^
+||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^
+||30b9e3a7d7e2b.com^
+||30d5shnjq.de^
+||30hccor10.de^
+||30koqnlks.de^
+||30m4hpei1.de^
+||30p70ar8m.de^
+||30pk41r1i.de^
+||30se9p8a0.de^
+||30tgh64jp.de^
+||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^
+||329efb045e.com^
+||330e4e8090.com^
+||341k4gu76ywe.top^
+||3467b7d02e.com^
+||34710af267.com^
+||34d5566a50.com^
+||34pavouhj7.com^
+||34yjwa4u6.com^
+||357dbd24e2.com^
+||35volitantplimsoles5.com^
+||360news4u.com^
+||360popads.com^
+||360protected.com^
+||360yield-basic.com^
+||360yield.com^
+||3622911ae3.com^
+||366226193c.com^
+||367p.com^
+||36b7ca5028.com^
+||37.44x.io^
+||38d9953876.com^
+||38dbfd540c.com^
+||38ds89f8.de^
+||38fbsbhhg0702m.shop^
+||39268ea911.com^
+||395b8c2123.com^
+||39e6p9p7.de^
+||39f204776a.com^
+||39irqwnzlv.com^
+||3a17d27bf9.com^
+||3a98f4e936.com^
+||3abj52u0w.com^
+||3b1ac6ca25.com^
+||3bc9b1b89c.com^
+||3bq57qu8o.com^
+||3c96ce165a.com^
+||3casfzm7u.com^
+||3cg6sa78w.com^
+||3d5affba28.com^
+||3dfcff2ec15099df0a24ad2cee74f21a.com^
+||3e6072834f.com^
+||3e950d4353.com^
+||3ead4fd497.com^
+||3edcc83467.com^
+||3fa244b7eb.com^
+||3fc0ebfea0.com^
+||3fwlr7frbb.pro^
+||3g25ko2.de^
+||3gbqdci2.de^
+||3haiaz.xyz^
+||3j8c56p9.de^
+||3lift.com^
+||3lr67y45.com^
+||3m63qm4tp.com^
+||3mhg.online^
+||3mhg.site^
+||3myad.com^
+||3ng6p6m0.de^
+||3pkf5m0gd.com^
+||3qfe1gfa.de^
+||3redlightfix.com^
+||3twentyfour.xyz^
+||3u4zyeugi.com^
+||3voot0dg7.com^
+||3wr110.net^
+||3xbrh4rxsvbl.top^
+||3zap7emt4.com^
+||4-interads.com^
+||40209f514e.com^
+||407433bfc441.com^
+||4087aa0dc1.com^
+||40ceexln7929.com^
+||4164d5b6eb.com^
+||42a5d530ec972d8994.com^
+||42ce2b0955.com^
+||42d61f012e27b36d53.com^
+||42e228ef6f.com^
+||42jdbcb.de^
+||42zjivdi4.com^
+||43e1628a5f.com^
+||43ors1osh.com^
+||43sjmq3hg.com^
+||43t53c9e.de^
+||442fc29954.com^
+||44a9217f10.com^
+||44e29c19ac.com^
+||44fc128918.com^
+||44ffd27303.com^
+||452tapgn.de^
+||453130fa9e.com^
+||45cb7b8453.com^
+||45f2a90583.com^
+||46186911.vtt^
+||46243b6252.com^
+||466f89f4d1.com^
+||4690y10pvpq8.com^
+||46bd8e62a2.com^
+||46f4vjo86.com^
+||47c8d48301.com^
+||485f197673.com^
+||4901967b4b.com^
+||493b98cce8bc1a2dd.com^
+||49b6b77e56.com^
+||4a136c118e.com^
+||4a167ec12d.com^
+||4a9517991d.com^
+||4b215e3bcf.com^
+||4b41484f8e.com^
+||4b6994dfa47cee4.com^
+||4b7140e260.com^
+||4bad5cdf48.com^
+||4c935d6a244f.com^
+||4co7mbsb.de^
+||4d15ee32c1.com^
+||4d658ab856.com^
+||4d76a0f3a8.com^
+||4d9e86640a.com^
+||4da1c65ac2.com^
+||4dex.io^
+||4dsbanner.net^
+||4dtrk.com^
+||4e0622e316.com^
+||4e645c7cf2.com^
+||4ed196b502.com^
+||4ed5560812.com^
+||4f2sm1y1ss.com^
+||4fb0cadcc3.com^
+||4fef80eb73.com^
+||4ffecd1ee4.com^
+||4g0b1inr.de^
+||4hfchest5kdnfnut.com^
+||4kggatl1p7ps.top^
+||4kmovies.online^
+||4lhq0cplb.com^
+||4lke.online^
+||4m2cow8x0.com^
+||4m4ones1q.com^
+||4p74i5b6.de^
+||4rabettraff.com^
+||4taqjepdj.com^
+||4wgxxfd31.com^
+||4wnet.com^
+||4wnetwork.com^
+||5-internads-7.com^
+||5165c0c080.com^
+||5236b66b81.com^
+||52dvzo62i.com^
+||52ee3dc5fe.com^
+||536fbeeea4.com^
+||539f346355.com^
+||53c2dtzsj7t1.top^
+||53e91a4877.com^
+||544c1a86a1.com^
+||561e861cb4.com^
+||562i7aqkxu.com^
+||5661c81449.com^
+||5685dceb1b.com^
+||56bfc388bf12.com^
+||56rt2692.de^
+||5726303d87522d05.com^
+||574ae48fe5.com^
+||578d72001a.com^
+||57d38e3023.com^
+||57e5ildg5.com^
+||582155316e.com^
+||590578zugbr8.com^
+||592749d456.com^
+||598f0ce32f.com^
+||59e6ea7248001c.com^
+||5a6c114183.com^
+||5advertise.com^
+||5b10f288ee.com^
+||5b3fbababb.com^
+||5btekl14.de^
+||5c01ad4cb7.com^
+||5c4ccd56c9.com^
+||5ca59a669a.com^
+||5caa478343.com^
+||5cbbdb4434.com^
+||5cf8606941.com^
+||5e1b8e9d68.com^
+||5e6ef8e03b.com^
+||5ed55e7208.com^
+||5eef1ed9ac.com^
+||5f6dmzflgqso.com^
+||5f6efdfc05.com^
+||5f93004b68.com^
+||5fet4fni.de^
+||5h3oyhv838.com^
+||5i68sbhin.com^
+||5icim50.de^
+||5ivy3ikkt.com^
+||5mno3.com^
+||5nfc.net^
+||5nt1gx7o57.com^
+||5o8aj5nt.de^
+||5odjin7ipi.com^
+||5ovrmmmoubi71efvatfd.com^
+||5pi13h3q.de^
+||5pykpdq7k.com^
+||5qbowtbat.com^
+||5qv0c9bpe.com^
+||5toft8or7on8tt.com^
+||5umpz4evlgkm.com^
+||5vbs96dea.com^
+||5vpbnbkiey24.com^
+||5wuefo9haif3.com^
+||5xd3jfwl9e8v.com^
+||5xp6lcaoz.com^
+||5z4eddt4i.com^
+||6-partner.com^
+||6001628d3d.com^
+||600z.com^
+||6061de8597.com^
+||6068a17eed25.com^
+||606943792a.com^
+||60739ebc42.com^
+||61-nmobads.com^
+||61598081d6.com^
+||61739011039d41a.com^
+||6179b859b8.com^
+||61t2ll6yy.com^
+||61zdn1c9.skin^
+||6207684432.com^
+||62b70ac32d4614b.com^
+||62ca04e27a.com^
+||63912b9175.com^
+||63r2vxacp0pr.com^
+||63voy9ciyi14.com^
+||641198810fae7.com^
+||64imux6kg.com^
+||64z1afiw7.com^
+||6593167243.com^
+||65bfba9ad0.com^
+||65f249bd43.com^
+||65mjvw6i1z.com^
+||665166e5a9.com^
+||669fb3128e4b4.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^
+||6af461b907c5b.com^
+||6b70b1086b.com^
+||6b856ee58e.com^
+||6bgaput9ullc.com^
+||6ce02869b9.com^
+||6de72955d8.com^
+||6e391732a2.com^
+||6ec7e42994.com^
+||6ef2279e3d.com^
+||6f752f73ce.com^
+||6fxtpu64lxyt.com^
+||6glece4homah8dweracea.com^
+||6hdw.site^
+||6j296m8k.de^
+||6kportot.com^
+||6l1twlw9fy.com^
+||6l5hcmeg0.com^
+||6m3p8pow4.com^
+||6oi7mfa1w.com^
+||6ped2nd3yp.com^
+||6qu5dcmyumtw.com^
+||6r9ahe6qb.com^
+||6snjvxkawrtolv2x.pro^
+||6ujk8x9soxhm.com^
+||6v41p4bsq.com^
+||6wclcbgn1.com^
+||6zy9yqe1ew.com^
+||7-7-7-partner.com^
+||7-itrndsbrands.com^
+||71a30cae934e.com^
+||71d7511a4861068.com^
+||71dd1ff9fd.com^
+||721ffc3ec5.com^
+||722cba612c.com^
+||7253d56acf.com^
+||72hdgb5o.de^
+||73-j-pinnable.com^
+||7378e81adf.com^
+||73a70e581b.com^
+||7411603f57.com^
+||741a18df39.com^
+||742ba1f9a9.com^
+||743fa12700.com^
+||751685e7fa.com^
+||754480bd33.com^
+||75h4x7992.com^
+||76416dc840.com^
+||7662ljdeo.com^
+||76f74721ab.com^
+||771703f2e9.com^
+||7757139f7b.com^
+||775cf6f1ae.com^
+||776173f9e6.com^
+||777seo.com^
+||77ad133646.com^
+||77bd7b02a8.com^
+||7807091956.com^
+||78359c0779.com^
+||78387c2566.com^
+||7868d5c036.com^
+||78733f9c3c.com^
+||78a3dd3c86.com^
+||78bk5iji.de^
+||7944bcc817.com^
+||79b1c4498b.com^
+||79c89ec81a.com^
+||79dc3bce9d.com^
+||79k52baw2qa3.com^
+||79xmz3lmss.com^
+||7a994c3318.com^
+||7abf0af03c.com^
+||7anfpatlo8lwmb.com^
+||7app.top^
+||7b763dbdf3.com^
+||7bchhgh.de^
+||7c0616849b.com^
+||7c3514356.com^
+||7ca78m3csgbrid7ge.com^
+||7cc70.com^
+||7d3656bee3.com^
+||7da3a14504.com^
+||7ee4c0f141.com^
+||7fc0966988.com^
+||7fkm2r4pzi.com^
+||7fva8algp45k.com^
+||7hor9gul4s.com^
+||7hu8e1u001.com^
+||7insight.com^
+||7jrahgc.de^
+||7lyonline.com^
+||7me0ssd6.de^
+||7nt9p4d4.de^
+||7ysb92b65.com^
+||80055404.vtt^
+||806wtmwci.com^
+||8105bfd0ff.com^
+||81438456aa.com^
+||817dae10e1.com^
+||820615ypo.com^
+||827fa7c868b4b.com^
+||828af6b8ce.com^
+||831xmyp1fr4i.shop^
+||845d6bbf60.com^
+||847h7f51.de^
+||8499583.com^
+||84aa71fc7c.com^
+||84f101d1bb.com^
+||84gs08xe1.com^
+||8509717d76.com^
+||8578eb3ec8.com^
+||85fef60641.com^
+||864feb57ruary.com^
+||869cf3d7e4.com^
+||87bcb027cf.com^
+||884de19f2b.com^
+||888promos.com^
+||88d7b6aa44fb8eb.com^
+||88eq7spm.de^
+||89dfa3575e.com^
+||8a00fb3fc1.com^
+||8c771f7ea1.com^
+||8d1dce99ab.com^
+||8d96fe2f01.com^
+||8db4fde90b.com^
+||8ec9b7706a.com^
+||8f2b4c98e7.com^
+||8f72931b99.com^
+||8il2nsgm5.com^
+||8j1f0af5.de^
+||8jay04c4q7te.com^
+||8jl11zys5vh12.pro^
+||8kj1ldt1.de^
+||8n67t.com^
+||8nj0pdo76.com^
+||8nugm4l6j.com^
+||8po6fdwjsym3.com^
+||8s32e590un.com^
+||8stream-ai.com^
+||8trd.online^
+||8wtkfxiss1o2.com^
+||8wzntazeq.com^
+||90e7fd481d.com^
+||910de7044f.com^
+||91199a.xyz^
+||9119fa4031.com^
+||9130ec9212.com^
+||9159f9a13d.com^
+||916cad6201.com^
+||91cd3khn.de^
+||91df02fe64.com^
+||92f77b89a1b2df1b539ff2772282e19b.com^
+||938az.xyz^
+||93c398a59e.com^
+||93savmobile-m.com^
+||943d6e0643.com^
+||945vxo482.com^
+||94ded8b16e.com^
+||95f39c9d5f.com^
+||95p5qep4aq.com^
+||95ppq87g.de^
+||95urbehxy2dh.top^
+||96424fcd96.com^
+||97927e3b4d.com^
+||994e4a6044.com^
+||997b409959.com^
+||9996777888.com^
+||99fe352223.com^
+||9a0569b55e.com^
+||9a55672b0c.com^
+||9a7c81f58e.com^
+||9a857c6721.com^
+||9ads.mobi^
+||9analytics.live^
+||9bbbabcb26.com^
+||9bf9309f6f.com^
+||9ca976adbb.com^
+||9cbj41a5.de^
+||9cd76b4462bb.com^
+||9content.com^
+||9d2cca15e4.com^
+||9d407e803d.com^
+||9d603009eb.com^
+||9dccbda825.com^
+||9dmnv9z0gtoh.com^
+||9e1852531b.com^
+||9eb0538646.com^
+||9eb10b7a3d04a.com^
+||9ee93ebe3a.com^
+||9efc2a7246.com^
+||9gg23.com^
+||9hitdp8uf154mz.shop^
+||9japride.com^
+||9l3s3fnhl.com^
+||9l5ss9l.de^
+||9ohy40tok.com^
+||9purdfe9xg.com^
+||9r7i9bo06157.top^
+||9s4l9nik.de^
+||9t5.me^
+||9tp9jd4p.de^
+||9tumza4dp4o9.com^
+||9v58v.com^
+||9x4yujhb0.com^
+||9xeqynu3gt7c.com^
+||9xob25oszs.com^
+||a-94interdads.com^
+||a-ads.com^
+||a-b-c-d.xyz^
+||a-mo.net^
+||a-waiting.com^
+||a00s.net^
+||a06bbd98194c252.com^
+||a0905c77de.com^
+||a11d3c1b4d.com^
+||a11k.com^
+||a11ybar.com^
+||a14net.com^
+||a14refresh.com^
+||a14tdsa.com^
+||a15c5009bcbe272.com^
+||a166994a16.com^
+||a1c99093b6.com^
+||a1hosting.online^
+||a2nn5eri7ce.com^
+||a2tw6yoodsag.com^
+||a32d9f2cc6.com^
+||a32fc87d2f.com^
+||a34aba7b6c.com^
+||a356ff8a25.com^
+||a35e803f21.com^
+||a3ion.com^
+||a3yqjsrczwwp.com^
+||a41bd55af8.com^
+||a48d53647a.com^
+||a4mt150303tl.com^
+||a5b80ef67b.com^
+||a5g.oves.biz^
+||a5game.win^
+||a5jogo.biz^
+||a5jogo.club^
+||a64x.com^
+||a69i.com^
+||a6dc99d1a8.com^
+||a700fb9c8d.com^
+||a717b6d31e.com^
+||a899228ebf.com^
+||a8d48a7d6e.com^
+||a9ae7df45f.com^
+||aa2e7ea3fe.com^
+||aaa.vidox.net^
+||aaaaaco.com^
+||aaacdbf17d.com^
+||aaacompany.net^
+||aab-check.me^
+||aabbfwupxfbcrz.com^
+||aabproxydomaintests.top^
+||aabproxytests.top^
+||aabproxytestsdomain.top^
+||aabrsjmsgqnltc.com^
+||aabtestsproxydomain.top^
+||aac585e70c.com^
+||aactxwic.com^
+||aaeqnqqbs.com^
+||aafdcq.com^
+||aagm.link^
+||aajqiygsnczvq.com^
+||aalawrjgamoeofv.com^
+||aamxzlsywu.com^
+||aapgtvaqpvl.com^
+||aarfmftslfz.com^
+||aarghclothy.com^
+||aarswtcnoz.com^
+||aaseovhxkkggtxj.com^
+||aawdlvr.com^
+||aaxads.com^
+||aayeuxotc.com^
+||ab1n.net^
+||ab3yssin4i6an.com^
+||ab4tn.com^
+||ab913aa797e78b3.com^
+||ab93t2kc.de^
+||ab97114bda.com^
+||abadit5rckb.com^
+||abamatoyer.com^
+||abampschoco.shop^
+||abange.com^
+||abaolokvmmbva.top^
+||abaolokvmmvlv.top^
+||abaolokvmmvvm.top^
+||abarbollidate.com^
+||abashfireworks.com^
+||abaskpoverty.click^
+||abasshowish.guru^
+||abattoirpleatsprinkle.com^
+||abazelfan.com^
+||abbayeaedile.top^
+||abberantbeefy.com^
+||abberantdiscussion.com^
+||abberantdoggie.com^
+||abbeyintervalfetched.com^
+||abbotinexperienced.com^
+||abbotpredicateemma.com^
+||abbreviateenlargement.com^
+||abbreviatepoisonousmonument.com^
+||abbronzongor.com^
+||abbtrupp.com^
+||abburmyer.com^
+||abcconducted.com^
+||abchygmsaftnrr.xyz^
+||abciwvjp.com^
+||abclefabletor.com^
+||abcogzozbk.com^
+||abcporntube.com^
+||abdicatebirchcoolness.com^
+||abdicatehorrified.com^
+||abdicatesyrupwhich.com^
+||abdict.com^
+||abdlnk.com^
+||abdlnkjs.com^
+||abdomrebury.shop^
+||abdomscrae.com^
+||abdsp.com^
+||abdurantom.com^
+||abedbrings.com^
+||abederemoras.top^
+||abedgobetweenbrittle.com^
+||abedwest.com^
+||abeenrwvyyre.top^
+||abelekidr.com^
+||abelestheca.com^
+||abencwrmt.com^
+||abethow.com^
+||abevc.club^
+||abgeobalancer.com^
+||abgligarchan.com^
+||abh.jp^
+||abhorcarious.com^
+||abiderestless.com^
+||abjectionblame.com^
+||abjectionomnipresent.com^
+||abjectionpatheticcoloured.com^
+||abjmkkowbomwa.top^
+||abkajbvozmbwa.top^
+||abkmbrf.com^
+||abkoxlikbzs.com^
+||abkynrclyom.com^
+||ablatesgascon.cam^
+||ablativekeynotemuseum.com^
+||ableandworld.info^
+||ableandworldwid.com^
+||ablebodiedsweatisolated.com^
+||ablecolony.com^
+||ablestsigma.click^
+||abletoprese.org^
+||ablitleoor.com^
+||ablkkukpaoc.com^
+||abluentshinny.com^
+||abluvdiscr.com^
+||ablybeastssarcastic.com^
+||ablyinviting.com^
+||abmismagiusom.com^
+||abmunnaa.com^
+||abnegationbanquet.com^
+||abnegationdenoteimprobable.com^
+||abnegationsemicirclereproduce.com^
+||abnormalgently.com^
+||abnormalmansfield.com^
+||abnormalwidth.com^
+||abnrkespuk.com^
+||aboardhotdog.com^
+||aboardstepbugs.com^
+||aboarea.com^
+||abochro.com^
+||abodedistributionpan.com^
+||aboenab.com^
+||abohara.com^
+||abolaed.com^
+||abolid.com^
+||abolishmentengaged.com^
+||abominebootee.top^
+||abomisi.com^
+||abonnementpermissiveenliven.com^
+||abopeol.com^
+||aboriginalhubby.com^
+||abortingulf.top^
+||abortsrefront.top^
+||aboucaih.com^
+||aboundplausibleeloquent.com^
+||aboutpersonify.com^
+||abouttill.com^
+||aboveboardstunning.com^
+||aboveredirect.top^
+||abovethecityo.com^
+||abparasr.com^
+||abpicsrc.com^
+||abpjs23.com^
+||abqmfewisf.com^
+||abqsv91oe.com^
+||abrasivematch.com^
+||abrhydona.com^
+||abridgesynchronizepleat.com^
+||abruptboroughjudgement.com^
+||abruptcompliments.com^
+||abruptlydummy.com^
+||abruptlyretortedbat.com^
+||abruptnesscarrier.com^
+||abruth.com^
+||absenceoverload.com^
+||absentcleannewspapers.com^
+||absentlybiddingleopard.com^
+||absentlygratefulcamomile.com^
+||absentlymoreoverwell.com^
+||absentlyrindbulk.com^
+||abservinean.com^
+||absjcirtbhm.com^
+||abskursin.com^
+||abslroan.com^
+||absolosisa.com^
+||absolutechapelequation.com^
+||absolutelyconfession.com^
+||absolutelytowns.com^
+||absoluteroute.com^
+||absolvecarriagenotify.com^
+||absolveparticlesanti.com^
+||absolvewednesday.com^
+||absorbedscholarsvolatile.com^
+||absorbedswept.com^
+||absorbinginject.com^
+||absorbingwiden.com^
+||absorbmele.shop^
+||absorptionpersonalforesee.com^
+||absorptionsuspended.com^
+||abstortvarna.com^
+||absurdashamnu.shop^
+||absurdunite.com^
+||abtaurosa.club^
+||abtfliping.top^
+||abtrcker.com^
+||abtyroguean.com^
+||abtyroguer.com^
+||abuliasbubber.com^
+||abundantservantexact.com^
+||abundantsurroundvacation.com^
+||aburbangambang.com^
+||abusedbabysitters.com^
+||abusiveserving.com^
+||abvnypoqcgmh.com^
+||abvoltssilen.top^
+||abvptccrwiawav.com^
+||abwhyag.com^
+||abwlrooszor.com^
+||abyamaskor.com^
+||abyocawlfe.com^
+||abzaligtwd.com^
+||abzjkaridcit.com^
+||ac35e1ff43.com^
+||ac6hdk1js.com^
+||acacdn.com^
+||academic-information.com^
+||academicvast.com^
+||academyblocked.com^
+||academyenrage.com^
+||acalraiz.xyz^
+||acam-2.com^
+||acaussee.net^
+||acbahmofpppy.com^
+||acbbpadizl.com^
+||acbc68e83c.com^
+||acbcamapztca.com^
+||accahurkaru.com^
+||accbxepcls.com^
+||accdhcxcbzck.com^
+||acce3bc0f4.com^
+||accecmtrk.com^
+||accedeethnic.com^
+||accedemotorcycle.com^
+||accedeproductive.com^
+||acceleratedrummer.com^
+||acceleratemouse.com^
+||acceleratenovice.com^
+||accelerateswitch.com^
+||accentneglectporter.com^
+||acceptablearablezoological.com^
+||acceptablebleat.com^
+||access-mc.com^
+||access.vidox.net^
+||accesshomeinsurance.co^
+||accessiblescopevisitor.com^
+||accidentalinfringementfat.com^
+||accidentallyrussian.com^
+||acclaimcraftsman.com^
+||acclaimed-travel.pro^
+||accloyberimed.com^
+||accmgr.com^
+||accommodatingremindauntie.com^
+||accommodationcarpetavid.com^
+||accompanimentachyjustified.com^
+||accompanimentcouldsurprisingly.com^
+||accompanycollapse.com^
+||accomplishedacquaintedbungalow.com^
+||accomplishmentailmentinsane.com^
+||accomplishmentstrandedcuddle.com^
+||accordancespotted.com^
+||accordaudienceeducational.com^
+||accordinglyair.com^
+||accountantpacketassail.com^
+||accountresponsesergeant.com^
+||accruefierceheartache.com^
+||accumulateboring.com^
+||accuracyswede.com^
+||accusationcollegeload.com^
+||accusedstone.com^
+||accusemonacan.com^
+||accuserannouncementadulthood.com^
+||accuserutility.com^
+||accustomedinaccessible.com^
+||acdcdn.com^
+||acdcmarimo.com^
+||acdn01.vidox.net^
+||acdn923132475.com^
+||ace-adserver.com^
+||acecapprecarious.com^
+||acediscover.com^
+||acelacien.com^
+||acemdvv.com^
+||aceporntube.com^
+||acerbityjessamy.com^
+||acertb.com^
+||aceshosted.top^
+||acfaaoaaxdqm.com^
+||acfsxqoa.com^
+||acftxqqg.com^
+||acfyamxwluprpx.com^
+||achaipheegly.com^
+||achcdn.com^
+||achecaskmeditate.com^
+||achejoos.com^
+||achelessarkaskew.com^
+||achelesscorporaltreaty.com^
+||achelessintegralsigh.com^
+||acheworry.com^
+||achievablecpmrevenue.com^
+||achievebeneficial.com^
+||achievehardboiledheap.com^
+||achmic.com^
+||achnyyjlxrfkwt.xyz^
+||achoachemain.com^
+||achpokevvh.com^
+||achuphaube.com^
+||achurt.com^
+||achycompassionate.com^
+||achyrepeatitchy.com^
+||acidicresist.pro^
+||ackcdn.net^
+||ackekryieyvkvby.com^
+||ackeysulfid.top^
+||acknowledgecalculated.com^
+||ackxsndsc.com^
+||aclickads.com^
+||aclktrkr.com^
+||acloudvideos.com^
+||acmaknoxwo.com^
+||acmdihtumpuj.com^
+||acme.vidox.net^
+||acnwxjhfby.com^
+||acocpcvm.com^
+||acofrnsr44es3954b.com^
+||acolousmicast.com^
+||acoossz.top^
+||acorneroft.org^
+||acornexhaustpreviously.com^
+||acostaom.com^
+||acoudsoarom.com^
+||acpakrjzyamb.com^
+||acqmeaf.com^
+||acqpizkpo.com^
+||acquaintance423.fun^
+||acquaintanceexemptspinach.com^
+||acquaintanceunbearablecelebrated.com^
+||acquaintcollaboratefruitless.com^
+||acquaintedpostman.com^
+||acquaintplentifulemotions.com^
+||acquirethem.com^
+||acquisitionsneezeswell.com^
+||acrelicenseblown.com^
+||acrepantherrecite.com^
+||acridbloatparticularly.com^
+||acridtaxiworking.com^
+||acridtubsource.com^
+||acrobatalar.shop^
+||acrobaticdesire.com^
+||acronkkky.com^
+||acrossbrittle.com^
+||acrosscountenanceaccent.com^
+||acrossheadquartersanchovy.com^
+||acscdn.com^
+||acstzxngp.com^
+||actiflex.org^
+||actinonmouch.top^
+||actiondenepeninsula.com^
+||actionisabella.com^
+||activatejargon.com^
+||activelysmileintimate.com^
+||activemetering.com^
+||activeoffbracelet.com^
+||activepoststale.com^
+||actpbfa.com^
+||actpx.com^
+||actressdoleful.com^
+||actrkn.com^
+||actuallyfrustration.com^
+||actuallyhierarchyjudgement.com^
+||actushurling.top^
+||acuityplatform.com^
+||aculturerpa.info^
+||acvdubxihrk.com^
+||acvnhayikyutjsn.xyz^
+||acylasecorers.top^
+||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^
+||ad2up.com^
+||ad2upapp.com^
+||ad4.com.cn^
+||ad999.biz^
+||adactioner.com^
+||adanad.name^
+||adaptationbodilypairs.com^
+||adaptationmargarineconstructive.com^
+||adaptationwrite.com^
+||adaptcunning.com^
+||adaranth.com^
+||adaround.net^
+||adarutoad.com^
+||adb7rtb.com^
+||adbidgo.com^
+||adbison-redirect.com^
+||adbit.co^
+||adblck.com^
+||adblock-360.com^
+||adblock-guru.com^
+||adblock-one-protection.com^
+||adblock-pro.org^
+||adblock-zen-download.com^
+||adblock-zen.com^
+||adblockanalytics.com^
+||adblocker-instant.xyz^
+||adblockers.b-cdn.net^
+||adblockervideo.com^
+||adbmi.com^
+||adbooth.com^
+||adbooth.net^
+||adbox.lv^
+||adbrite.com^
+||adbro.me^
+||adbrook.com^
+||adbuddiz.com^
+||adbuff.com^
+||adbuka.com.ng^
+||adbull.com^
+||adbureau.net^
+||adbutler-fermion.com^
+||adbutler.com^
+||adbuyer.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^
+||addin.icu^
+||addinginstancesroadmap.com^
+||addiply.com^
+||additionalbasketdislike.com^
+||additionalcasualcabinet.com^
+||additionalmedia.com^
+||additionfeud.com^
+||additionssurvivor.com^
+||additionsyndrome.com^
+||addizhi.top^
+||addkt.com^
+||addlnk.com^
+||addoer.com^
+||addonsmash.com^
+||addotnet.com^
+||addressanythingbridge.com^
+||addresseeboldly.com^
+||addresseepaper.com^
+||addresslegbreathless.com^
+||addresssupernaturalwitchcraft.com^
+||addroplet.com^
+||addthief.com^
+||adeditiontowri.org^
+||adelphic.net^
+||adenza.dev^
+||adevbom.com^
+||adevppl.com^
+||adex.media^
+||adexchangecloud.com^
+||adexchangedirect.com^
+||adexchangegate.com^
+||adexchangeguru.com^
+||adexchangemachine.com^
+||adexchangeprediction.com^
+||adexchangetracker.com^
+||adexcite.com^
+||adexmedias.com^
+||adexprt.com^
+||adexprts.com^
+||adfahrapps.com^
+||adfeedstrk.com^
+||adfgetlink.net^
+||adfgfeojqx.com^
+||adfhilhpoquv.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^
+||adhealers.com^
+||adherenceofferinglieutenant.com^
+||adherencescannercontaining.com^
+||adhoc4.net^
+||adhub.digital^
+||adiingsinspiri.org^
+||adiquity.com^
+||aditms.me^
+||aditsafeweb.com^
+||adjectivedollaralmost.com^
+||adjectiveresign.com^
+||adjoincomprise.com^
+||adjournfaintlegalize.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^
+||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^
+||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^
+||admonishmentforcedirritating.com^
+||admothreewallent.com^
+||admpire.com^
+||admvpmpllikt.com^
+||adnami2.io^
+||adnetworkperformance.com^
+||adnext.fr^
+||adngin.com^
+||adnico.jp^
+||adnigma.com^
+||adnimo.com^
+||adnotebook.com^
+||adnqdnxclmml.com^
+||adnxs-simple.com^
+||adnxs.com^
+||adnxs.net^
+||adnxs1.com^
+||adocean.pl^
+||adolescentcounty.pro^
+||adomic.com^
+||adoni-nea.com^
+||adonion.com^
+||adonweb.ru^
+||adoopaqueentering.com^
+||adop.co^
+||adoperatorx.com^
+||adopexchange.com^
+||adoptedproducerdiscernible.com^
+||adoptioneitherrelaxing.com^
+||adoptum.net^
+||adorableold.com^
+||adorerabid.com^
+||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^
+||adqit.com^
+||adqongwuxvav.com^
+||adquery.io^
+||adrcdn.com^
+||adreadytractions.com^
+||adrealclick.com^
+||adrecreate.com^
+||adrenalpop.com^
+||adrenovate.com^
+||adrent.net^
+||adrevenueclone.com^
+||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^
+||adro.pro^
+||adroitontoconstraint.com^
+||adrokt.com^
+||adrpqhttgzcjb.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^
+||adsandcomputer.com^
+||adsassure.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^
+||adsfactor.net^
+||adsfan.net^
+||adsfarm.site^
+||adsfcdn.com^
+||adsforcomputercity.com^
+||adsforindians.com^
+||adsfundi.com^
+||adsfuse.com^
+||adshack.com^
+||adshoper.com^
+||adshopping.com^
+||adshort.space^
+||adsignals.com^
+||adsilo.pro^
+||adsimilis.com^
+||adsinimages.com^
+||adsinstant.com^
+||adskape.ru^
+||adskeeper.co.uk^
+||adskeeper.com^
+||adskpak.com^
+||adslidango.com^
+||adslingers.com^
+||adsloom.com^
+||adslot.com^
+||adsluna.com^
+||adslvr.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^
+||adsrv.me^
+||adsrv.wtf^
+||adstarget.net^
+||adstean.com^
+||adstico.io^
+||adstook.com^
+||adstracker.info^
+||adstreampro.com^
+||adsupply.com^
+||adsupplyssl.com^
+||adsurve.com^
+||adsvids.com^
+||adsvolum.com^
+||adsvolume.com^
+||adswam.com^
+||adswizz.com^
+||adsxtits.pro^
+||adsxyz.com^
+||adsymptotic.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^
+||adthereis.buzz^
+||adtival.com^
+||adtlgc.com^
+||adtlvnxmht.com^
+||adtng.com^
+||adtoadd.com^
+||adtoll.com^
+||adtoma.com^
+||adtomafusion.com^
+||adtonement.com^
+||adtoox.com^
+||adtorio.com^
+||adtotal.pl^
+||adtpix.com^
+||adtpkiowp.com^
+||adtrace.online^
+||adtrace.org^
+||adtraction.com^
+||adtrgt.com^
+||adtrieval.com^
+||adtrk18.com^
+||adtrk21.com^
+||adtrue.com^
+||adtrue24.com^
+||adtscriptduck.com^
+||adtvedk.com^
+||adtzpdpi.com^
+||aduld.click^
+||adultadvertising.net^
+||adultcamchatfree.com^
+||adultcamfree.com^
+||adultcamliveweb.com^
+||adulterygreetimpostor.com^
+||adultgameexchange.com^
+||adultiq.club^
+||adultlinkexchange.com^
+||adultmoviegroup.com^
+||adultoafiliados.com.br^
+||adultscrutchthey.com^
+||adultsense.net^
+||adultsense.org^
+||adultsjuniorfling.com^
+||adultterritory.net^
+||adupwewdsk.com^
+||adv9.net^
+||advanceencumbrancehive.com^
+||advancenopregnancy.com^
+||advancinginfinitely.com^
+||advancingprobationhealthy.com^
+||advang.com^
+||advantagedoctrinepleased.com^
+||advantageglobalmarketing.com^
+||advantagepublicly.com^
+||advantagesclotblend.com^
+||advantageshallwayasks.com^
+||advantagespire.com^
+||advard.com^
+||adventory.com^
+||adventurouscomprehendhold.com^
+||adverbrequire.com^
+||adverpub.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^
+||advisefirmly.com^
+||adviseforty.com^
+||advisorded.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^
+||advsmedia.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^
+||adxite.com^
+||adxnexus.com^
+||adxpansion.com^
+||adxpartner.com^
+||adxplay.com^
+||adxpower.com^
+||adxpremium.services^
+||adxproofcheck.com^
+||adxprtz.com^
+||adxscope.com^
+||adxsrver.com^
+||adxxx.biz^
+||adzfun.me^
+||adzhub.com^
+||adziff.com^
+||adzilla.name^
+||adzincome.in^
+||adzintext.com^
+||adzmarket.net^
+||adzmedia.com^
+||adzmob.com^
+||adzoc.com^
+||adzouk1tag.com^
+||adzpier.com^
+||adzpower.com^
+||adzs.com^
+||ae1a1e258b8b016.com^
+||aeb92e4b9d.com^
+||aec40f9e073ba6.com^
+||aeea61a72f.com^
+||aeeg5idiuenbi7erger.com^
+||aefeeqdlnh.com^
+||aeffe3nhrua5hua.com^
+||aegagrilariats.top^
+||aegiumks.com^
+||aejslgc.com^
+||aekhfdpxcw.com^
+||aelgdju.com^
+||aembxbxmnuspyr.com^
+||aenetgvtri.com^
+||aeoqmogkswsd.com^
+||aerialmistaken.com^
+||aerialsargle.top^
+||aerjnuloxlth.com^
+||aerlwjxcrcolcpy.com^
+||aerobiabassing.com^
+||aeroplaneversion.com^
+||aesary.com^
+||aetgjds.com^
+||aevspdhb.com^
+||af91c27a8e.com^
+||afahivar.com^
+||afahivar.coom^
+||afaiphee.xyz^
+||afcnuchxgo.com^
+||afcontent.net^
+||afcyhf.com^
+||afdads.com^
+||afdashrafi.com^
+||afdrivovoq.com^
+||afdumnnhg.com^
+||afearprevoid.com^
+||afeerdah.net^
+||aferpush.com^
+||aff-online.com^
+||aff-track.net^
+||aff.biz^
+||aff1xstavka.com^
+||affabilitydisciple.com^
+||affableindigestionstruggling.com^
+||affablewalked.com^
+||affairsmithbloke.com^
+||affairsthin.com^
+||affasi.com^
+||affbot1.com^
+||affbot3.com^
+||affcpatrk.com^
+||affectdeveloper.com^
+||affectincentiveyelp.com^
+||affectionatelypart.com^
+||affelseaeinera.org^
+||affelseaeineral.xyz^
+||affflow.com^
+||affilepol.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^
+||affiliation-france.com^
+||affiliationworld.com^
+||affilijack.de^
+||affiliserve.com^
+||affinitad.com^
+||affinity.com^
+||affinitycycleablaze.com^
+||affirmbereave.com^
+||affiz.net^
+||affjamohw.com^
+||afflat3a1.com^
+||afflat3d2.com^
+||afflat3e1.com^
+||affluentmirth.com^
+||affluentretinueelegance.com^
+||affluentshinymulticultural.com^
+||affmoneyy.com^
+||affordspoonsgray.com^
+||affordstrawberryoverreact.com^
+||affordswear.com^
+||affoutrck.com^
+||affpa.top^
+||affplanet.com^
+||affrayteaseherring.com^
+||affroller.com^
+||affstrack.com^
+||affstreck.com^
+||afftrack.com^
+||afftrackr.com^
+||afftrk.online^
+||affyrtb.com^
+||afgakzvicdfe.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^
+||afiliapub.click^
+||afkearupl.com^
+||afkwa.com^
+||afloatroyalty.com^
+||afm01.com^
+||afnhc.com^
+||afnhfaklocdmq.com^
+||afnyfiexpecttha.info^
+||afoaglux.com^
+||afodreet.net^
+||afootwitword.com^
+||afosseel.net^
+||afpbuzfwyjri.com^
+||afpjryqtnkctv.com^
+||afr4g5.de^
+||afrage.com^
+||afraidreach.com^
+||afre.guru^
+||afreetsat.com^
+||afrfmyzaka.com^
+||afrgatomkzuv.com^
+||africaewgrhdtb.com^
+||africawin.com^
+||afshanthough.pro^
+||afssdmin.com^
+||afteed.com^
+||afterdownload.com^
+||afterdownloads.com^
+||afternoonpregnantgetting.com^
+||afternoonshipment.com^
+||aftqhamina.com^
+||aftrk1.com^
+||aftrk3.com^
+||afunyjoiynvsk.com^
+||afvwwjcplvq.com^
+||afwpc.com^
+||afxjwyg.com^
+||afy.agency^
+||afywhecpi.com^
+||agabreloomr.com^
+||agacelebir.com^
+||agadata.online^
+||agaenteitor.com^
+||agafurretor.com^
+||agagaure.com^
+||againboundless.com^
+||againirksomefutile.com^
+||againoutlaw.com^
+||againponderous.com^
+||againstpipepierre.com^
+||agajx.com^
+||agakoffingan.com^
+||agalarvitaran.com^
+||agamaevascla.top^
+||agamagcargoan.com^
+||agamantykeon.com^
+||aganicewride.click^
+||agaomastaran.com^
+||agapaiprastha.click^
+||agapdqgysuipwz.com^
+||agapi-fwz.com^
+||agaswalotchan.com^
+||agatarainpro.com^
+||agauxietor.com^
+||agavanilliteom.com^
+||agazejagless.com^
+||agbituvdiolfdyp.com^
+||agcdn.com^
+||ageandinone.org^
+||ageaskedfurther.com^
+||agehaeamilhfv.com^
+||agelastbypast.top^
+||agency2.ru^
+||agffrusilj.com^
+||agfgasaglasw.com^
+||agfhpexmasa.com^
+||agflkiombagl.com^
+||aggjprvqamtl.com^
+||aggravatecapeamoral.com^
+||aggregateknowledge.com^
+||aggregationcontagion.com^
+||aggressivedifficulty.com^
+||aggressivefrequentneckquirky.com^
+||aghppuhixd.com^
+||agisdayra.com^
+||agitatechampionship.com^
+||agl001.bid^
+||agl002.online^
+||agl003.com^
+||agle21xe2anfddirite.com^
+||aglocobanners.com^
+||agloogly.com^
+||agmtrk.com^
+||agngplsooascil.com^
+||agnrcrpwyyn.com^
+||agooxouy.net^
+||agqoshfujku.com^
+||agqovdqajj.com^
+||agraglie.net^
+||agrarianbeepsensitivity.com^
+||agrarianbrowse.com^
+||agreeable-target.pro^
+||agreeableopinion.pro^
+||agreedrunawaysalty.com^
+||agriculturalpraise.com^
+||agriculturaltacticautobiography.com^
+||agriculturealso.com^
+||agriculturepenthouse.com^
+||agscirowwsr.com^
+||agtongagla.com^
+||agtwvigehvl.com^
+||agukalty.net^
+||agurgeed.net^
+||agxifqyum.xyz^
+||ahadsply.com^
+||ahagreatlypromised.com^
+||ahaurgoo.net^
+||ahaxoenizuaon.com^
+||ahbdsply.com^
+||ahcdsply.com^
+||ahdvpuovkaz.com^
+||aheadreflectczar.com^
+||aheave.com^
+||ahfmruafx.com^
+||ahjshyoqlo.com^
+||ahlefind.com^
+||ahmar2four.xyz^
+||ahngnhjdcu.com^
+||ahoxirsy.com^
+||ahporntube.com^
+||ahqovxli.com^
+||ahqpqpdjpj.com^
+||ahscdn.com^
+||ahtalcruzv.com^
+||ahwbedsd.xyz^
+||ahwdhrehd.com^
+||ahyghotmptj.com^
+||aibsgc.com^
+||aibvlvplqwkq.com^
+||aickakru.net^
+||aickeebsi.com^
+||aidata.io^
+||aidraiphejpb.com^
+||aidspectacle.com^
+||aiejlfb.com^
+||aifoghou.com^
+||aigaithojo.com^
+||aigheebsu.net^
+||aigneloa.com^
+||aignewha.com^
+||aigniltosesh.net^
+||aigretenew.top^
+||aigsgwowkb.com^
+||aihoasso.net^
+||aiiirwciki.com^
+||aiixyxwx.com^
+||aikat-vim.com^
+||aikeroxqbgj.com^
+||aikraith.net^
+||aikravoapu.com^
+||aikrighawaks.com^
+||aiksohet.net^
+||ailil-fzt.com^
+||ailrouno.net^
+||ailsomse.net^
+||ailteesh.net^
+||ailtumty.net^
+||aimairou.net^
+||aimatch.com^
+||aimingaye.com^
+||aimpocket.com^
+||aimsounga.net^
+||aimukreegee.net^
+||ainhiseewhat.com^
+||ainuftou.net^
+||aipofeem.net^
+||aiqdviuyvlcplis.xyz^
+||aiqidwcfrm.com^
+||aiquqqaadd.xyz^
+||airairgu.com^
+||airartapt.site^
+||airaujoog.com^
+||airbornefrench.com^
+||airborneold.com^
+||airconditionpianoembarrassment.com^
+||aircraftairliner.com^
+||aircraftreign.com^
+||airdilute.com^
+||airdoamoord.com^
+||airgokrecma.com^
+||airlessquotationtroubled.com^
+||airlinerappetizingcoast.com^
+||airpush.com^
+||airsaurd.com^
+||airsoang.net^
+||airtightcounty.com^
+||airtightfaithful.com^
+||airyeject.com^
+||aisgnetaoasorjn.com^
+||aishaibe.com^
+||aisletransientinvasion.com^
+||aisrvyvstyq.xyz^
+||aistekso.net^
+||aistekso.nett^
+||aistthatheha.xyz^
+||aitarsou.com^
+||aitoocoo.xyz^
+||aitsatho.com^
+||aivoonsa.xyz^
+||aiwhogny.com^
+||aiwlxmy.com^
+||aiwnxbbmig.com^
+||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^
+||aj2430.online^
+||aj2532.bid^
+||aj2550.bid^
+||aj2555.bid^
+||aj2627.bid^
+||aj3038.bid^
+||ajaiguhubeh.com^
+||ajaltoly.com^
+||ajar-substance.com^
+||ajarodds.com^
+||ajdbwugpyjhrm.com^
+||ajestigie.com^
+||ajfnee.com^
+||ajgzylr.com^
+||ajillionmax.com^
+||ajiwqmnh.com^
+||ajjawcxpao.com^
+||ajjhtetv87.com^
+||ajjwuunaxq.com^
+||ajkzd9h.com^
+||ajlwaseodqo.com^
+||ajmpeuf.com^
+||ajozrjh.com^
+||ajregrrcxhv.com^
+||ajrkm1.com^
+||ajscdn.com^
+||ajtmfkposamrcrx.com^
+||ajvjpupava.com^
+||ajvkakodvgpe.com^
+||ajvnragtua.com^
+||ajxx98.online^
+||ak-tracker.com^
+||akaiksots.com^
+||akaroafrypan.com^
+||akchapxw.com^
+||akdbr.com^
+||akeedser.com^
+||akenacngmnj.com^
+||akentaspectsof.com^
+||akgjovxbcptesco.com^
+||akgltsptchpq.com^
+||akikumu.com^
+||akilifox.com^
+||akinrevenueexcited.com^
+||akjasjanwhif.com^
+||akjorcnawqp.com^
+||akkvmkgdvokn.com^
+||aklaqdzukadh.com^
+||aklmjylwvkayv.top^
+||aklorswikk.com^
+||akmxts.com^
+||akqktwdk.xyz^
+||aksleaj.com^
+||aktwusgwep.com^
+||aktxwijitaqs.com^
+||akutapro.com^
+||akvpzgytzv.com^
+||akvqulocj.com^
+||akxwffsgijttvrc.com^
+||akychhluvbh.com^
+||akyrprsnnuk.com^
+||akzfxmgcq.com^
+||al-adtech.com^
+||alacrityimitation.com^
+||alaeshire.com^
+||alagaodealing.com^
+||alanibelen.com^
+||alardruther.top^
+||alargeredrubygsw.info^
+||alarmsubjectiveanniversary.com^
+||alas4kanmfa6a4mubte.com^
+||alaskan4kleeskai.com^
+||alasvow.com^
+||alban-mro.com^
+||albeejurare.top^
+||albeitinflame.com^
+||albeittuitionsewing.com^
+||albeitvoiceprick.com^
+||albireo.xyz^
+||albraixentor.com^
+||albumshrugnotoriety.com^
+||albusfreely.top^
+||albyegitvem.com^
+||albynoralism.com^
+||alcatza.com^
+||alchemysocial.com^
+||alchimybegins.com^
+||alcidkits.com^
+||alcovesoftenedenthusiastic.com^
+||alcroconawa.com^
+||aldolstelly.click^
+||aldosesmajeure.com^
+||aldragalgean.com^
+||alecclause.com^
+||alecmeantimehe.com^
+||alefrfobkoxbgaf.com^
+||alegnoackerg.com^
+||aleilu.com^
+||alepinezaptieh.com^
+||alertlogsemployer.com^
+||alertmouthplaice.com^
+||alespeonor.com^
+||aletrenhegenmi.com^
+||aleutexplait.com^
+||alexatracker.com^
+||alexisbeaming.com^
+||alfa-track.info^
+||alfa-track2.site^
+||alfasense.com^
+||alfatraffic.com^
+||alfelixstownrusis.info^
+||alfionecasave.com^
+||alfredvariablecavalry.com^
+||algg.site^
+||algiczonated.top^
+||algistemigre.shop^
+||algjqsuzialktg.com^
+||algolduckan.com^
+||algothitaon.com^
+||algovid.com^
+||alhypnoom.com^
+||alia-iso.com^
+||aliadvert.ru^
+||aliasesargueinsensitive.com^
+||aliasfoot.com^
+||alibisprocessessyntax.com^
+||alienateafterward.com^
+||alienateappetite.com^
+||alienatebarnaclemonstrous.com^
+||alienateclergy.com^
+||alienaterepellent.com^
+||aliensold.com^
+||alifafdlnjeruif.com^
+||alifeupbrast.com^
+||alightbornbell.com^
+||alignmentflattery.com^
+||alimonysmuggle.com^
+||alingrethertantin.info^
+||alipromo.com^
+||alitems.co^
+||alitems.com^
+||alitems.site^
+||aliveaspect.com^
+||alivebald.com^
+||alivedriftcommandment.com^
+||aliwjo.com^
+||aliyothvoglite.top^
+||alklinker.com^
+||alkqryamjo.com^
+||allabc.com^
+||allactualjournal.com^
+||allactualstories.com^
+||alladvertisingdomclub.club^
+||allahbumpkin.top^
+||allbzfnar.com^
+||allcommonblog.com^
+||allcommonstories.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^
+||allnesskepped.com^
+||allocatelacking.com^
+||allocationhistorianweekend.com^
+||allodsubussu.com^
+||allotnegate.com^
+||allotupwardmalicious.com^
+||allow-to-continue.com^
+||allowancepresidential.com^
+||allowflannelmob.com^
+||allowingjustifypredestine.com^
+||allowsmelodramaticswindle.com^
+||alloydigital.com^
+||allpornovids.com^
+||allskillon.com^
+||allsports4free.live^
+||allsports4free.online^
+||allstat-pp.ru^
+||alltopnewz.com^
+||alltopposts.com^
+||alludedapexdepression.com^
+||alludedaridboob.com^
+||alludestussal.top^
+||allure-ng.net^
+||allureencourage.com^
+||allureoutlayterrific.com^
+||allusionfussintervention.com^
+||allwownewz.com^
+||allyes.com^
+||allyprimroseidol.com^
+||almacz.com^
+||almareepom.com^
+||almasatten.com^
+||almetanga.com^
+||almightyexploitjumpy.com^
+||almightypush.com^
+||almightyroomsimmaculate.com^
+||almondusual.com^
+||almonsituate.com^
+||almostspend.com^
+||almstda.tv^
+||alnuinvisayan.com^
+||alodialreciter.com^
+||aloensaidhe.com^
+||aloftloan.com^
+||alonehepatitisenough.com^
+||alongsidelizard.com^
+||aloofformidabledistant.com^
+||alota.xyz^
+||aloudhardware.com^
+||aloveyousaidthe.info^
+||alovirs.com^
+||alpha-news.org^
+||alphabetforesteracts.com^
+||alphabetlayout.com^
+||alphabird.com^
+||alphagodaddy.com^
+||alpheratzscheat.top^
+||alphonso.tv^
+||alpidoveon.com^
+||alpine-vpn.com^
+||alpjpyaskpiw.com^
+||alpurs.com^
+||alreadyballetrenting.com^
+||alreadywailed.com^
+||alrightcorozo.com^
+||alrightlemonredress.com^
+||alrotdrfhsc.com^
+||alrzbskdwkwzm.com^
+||alsindustrate.info^
+||alsindustratebil.com^
+||alspearowa.com^
+||alstrome9riya10.com^
+||altaicunwired.top^
+||altairaquilae.top^
+||altarrousebrows.com^
+||altcoin.care^
+||alterassumeaggravate.com^
+||alterationappealprison.com^
+||alterhimdecorate.com^
+||alternads.info^
+||alternatespikeloudly.com^
+||alternativecpmgate.com^
+||alternativeprofitablegate.com^
+||altfafbih.com^
+||althov.com^
+||altitude-arena.com^
+||altitudeweetonsil.com^
+||altowriestwispy.com^
+||altpubli.com^
+||altrk.net^
+||altronopubacc.com^
+||altynamoan.com^
+||aluationiamk.info^
+||alulaeegbert.top^
+||alwayspainfully.com^
+||alwayswheatconference.com^
+||alwhichhereal.com^
+||alwhichhereallyw.com^
+||alwingulla.com^
+||alwubrhkxgqdiw.com^
+||alxbgo.com^
+||alxhiccwizce.com^
+||alxmmoodltpa.com^
+||alxsite.com^
+||alysson.de^
+||alzlwkeavakr.top^
+||alzlwkeavlvm.top^
+||alzlwkeavrlw.top^
+||am10.ru^
+||am11.ru^
+||am15.net^
+||amads.fun^
+||amahcoaxy.top^
+||amala-wav.com^
+||amalakale.com^
+||amalt-sqc.com^
+||amarceusan.com^
+||amateurcouplewebcam.com^
+||amattepush.com^
+||amazinelistrun.pro^
+||amazinelistrun.xyz^
+||amazon-adsystem.com^
+||amazon-cornerstone.com^
+||ambaab.com^
+||ambariafraid.shop^
+||ambfdkucm.com^
+||ambientplatform.vn^
+||ambiguitypalm.com^
+||ambiliarcarwin.com^
+||ambitiousdivorcemummy.com^
+||ambitiousmanufacturerscaffold.com^
+||amblesaflame.top^
+||ambolicrighto.com^
+||ambra.com^
+||ambuizeler.com^
+||ambushharmlessalmost.com^
+||amcmuhu.com^
+||amdfdpuzedih.com^
+||amelatrina.com^
+||amenbeansrepay.com^
+||amendableirritatingprotective.com^
+||amendablepartridge.com^
+||amendablesloppypayslips.com^
+||amendsgeneralize.com^
+||amendsrecruitingperson.com^
+||amenityleisurelydays.com^
+||ameofmuki.info^
+||ameoutofthe.info^
+||ameowli.com^
+||amesgraduatel.xyz^
+||amexcadrillon.com^
+||amfennekinom.com^
+||amgardevoirtor.com^
+||amgdgt.com^
+||amhippopotastor.com^
+||amhpbhyxfgvd.com^
+||amiabledelinquent.com^
+||amidoxypochard.com^
+||aminitymilling.click^
+||aminizehaskard.top^
+||aminopay.net^
+||amira-efz.com^
+||amirteeg.com^
+||amjjqlit.com^
+||amjoltiktor.com^
+||amjsiksirkh.com^
+||amkbpcc.com^
+||amlumineona.com^
+||ammankeyan.com^
+||ammits.com^
+||amnew.net^
+||amnoctowlan.club^
+||amnruvbmeoqp.com^
+||amntx1.net^
+||amnwpircuomd.com^
+||amoddishor.com^
+||amofqosgs.com^
+||amon1.net^
+||amonar.com^
+||amontp.com^
+||amorouslimitsbrought.com^
+||amorphousankle.com^
+||amortkanjis.shop^
+||amountdonutproxy.com^
+||amourethenwife.top^
+||amp.rd.linksynergy.com^
+||amp.services^
+||ampcr.io^
+||amplitudesheriff.com^
+||amplitudeundoubtedlycomplete.com^
+||amplitudewassnap.com^
+||ampugi334f.com^
+||ampxchange.com^
+||amqxvwmsfn.xyz^
+||amre.work^
+||amshroomishan.com^
+||amswadloonan.com^
+||amtracking01.com^
+||amtropiusr.com^
+||amuletcontext.com^
+||amunfezanttor.com^
+||amused-ground.com^
+||amusementrehearseevil.com^
+||amusementstepfatherpretence.com^
+||amusing-senior.com^
+||amvbwleayvbyr.top^
+||amvbwleayvyra.top^
+||amvbwleayvzbm.top^
+||amwaenayzjqle.top^
+||amwaenayzjwav.top^
+||amwsteackff.com^
+||amyaxgaqvoh.com^
+||amyfixesfelicity.com^
+||amylenedolman.com^
+||amzargfaht.com^
+||amzbtuolwp.com^
+||amzrjyzjolvab.top^
+||amzrjyzjolvkv.top^
+||anacampaign.com^
+||anacjpmrv.com^
+||anadignity.com^
+||anaemiaperceivedverge.com^
+||anahausatd.com^
+||analitits.com^
+||analogydid.com^
+||analysecrappy.com^
+||analyticbz.com^
+||analytics-active.net^
+||anamaembush.com^
+||anamestreat.top^
+||anamuel-careslie.com^
+||anansao2ay8yap09.com^
+||anapirate.com^
+||anastasia-international.com^
+||anastasiasaffiliate.com^
+||anatomyabdicatenettle.com^
+||anatomybravely.com^
+||anattospursier.com^
+||anaxialaphonia.com^
+||anceenablesas.com^
+||anceenablesas.info^
+||ancestor3452.fun^
+||ancestorpoutplanning.com^
+||ancestortrotsoothe.com^
+||anceteventur.info^
+||ancientconspicuousuniverse.com^
+||ancientsend.com^
+||ancznewozw.com^
+||andappjaxzfo.com^
+||anddescendedcocoa.com^
+||andhfaspitx.com^
+||andhkruuiigxmkd.com^
+||andhthrewdo.com^
+||andhthrewdow.com^
+||andohs.net^
+||andomedia.com^
+||andomediagroup.com^
+||andriesshied.com^
+||android-cleaners.com^
+||androundher.info^
+||andtheircleanw.com^
+||aneartuilles.top^
+||aneegroned.net^
+||anemenzemkwkm.top^
+||anemenznnkaka.top^
+||anentsyshrug.com^
+||aneorwd.com^
+||anetpkxx.com^
+||anewgallondevious.com^
+||anewrelivedivide.com^
+||anewwisdomrigour.com^
+||angaraunken.top^
+||angege.com^
+||angelesdresseddecent.com^
+||angelesfoldingpatsy.com^
+||angelsaidthe.info^
+||angieagavose.click^
+||anglended.club^
+||angletolerate.com^
+||anglezinccompassionate.com^
+||angrilyinclusionminister.com^
+||angryheadlong.com^
+||anguac.com^
+||anguishedjudgment.com^
+||anguishlonesome.com^
+||anguishmotto.com^
+||anguishworst.com^
+||angularamiablequasi.com^
+||angularconstitution.com^
+||anijhatiqseeob.com^
+||animateddiscredit.com^
+||animatedjumpydisappointing.com^
+||animaterecover.com^
+||animits.com^
+||animositybelovedresignation.com^
+||animosityknockedgorgeous.com^
+||animositysofa.com^
+||aninter.net^
+||anjosmryofa.com^
+||ankdoier.com^
+||ankghgcgygyfi.com^
+||ankkdgursk.com^
+||anldnews.pro^
+||anlytics.co^
+||anmdr.link^
+||anmgaxrujfru.com^
+||anmhtutajog.com^
+||anmiphglqn.com^
+||anmjqqtevhsqwb.com^
+||anmtifat6.com^
+||anncmq.com^
+||anncquyaxns.com^
+||annesuspense.com^
+||anniversaryblaspheme.com^
+||anniversarythingy.com^
+||annotationdiverse.com^
+||annotationmadness.com^
+||announcedseaman.com^
+||announcement317.fun^
+||announcementlane.com^
+||announceproposition.com^
+||announcinglyrics.com^
+||announcingusecourt.com^
+||annoyancejesustrivial.com^
+||annoyancepreoccupationgrowled.com^
+||annoyanceraymondexcepting.com^
+||annoynoveltyeel.com^
+||annulmentequitycereals.com^
+||annxwustakf.com^
+||anomalousdisembroildisembroilamy.com^
+||anomalousmelt.com^
+||anomalousporch.com^
+||anonymousads.com^
+||anonymoustrunk.com^
+||anopportunitytost.info^
+||anorexyskerry.top^
+||anpptedtah.com^
+||anseisjulus.com^
+||anselmbowwows.com^
+||ansusalina.com^
+||answeredthechi.org^
+||answerroad.com^
+||antagonizelabourer.com^
+||antananarbdivu.com^
+||antarcticfiery.com^
+||antarcticoffended.com^
+||antaresarcturus.com^
+||antcixn.com^
+||antcxk.com^
+||antecedentbees.com^
+||antecedentbuddyprofitable.com^
+||antennafutilecomplement.com^
+||antennaputyoke.com^
+||antennawritersimilar.com^
+||anteog.com^
+||anteroomcrap.com^
+||anthe-vsf.com^
+||anthemportalcommence.com^
+||anthonypush.com^
+||antiadblock.info^
+||antiadblocksystems.com^
+||antiaecroon.com^
+||antiagingbiocream.com^
+||antibioticborough.com^
+||antibot.me^
+||anticipatedlying.com^
+||anticipatedthirteen.com^
+||anticipateplummorbid.com^
+||anticipationit.com^
+||anticipationnonchalanceaccustomed.com^
+||antidotefoepersecution.com^
+||antidotesexualityorderly.com^
+||antijamburet.com^
+||antipathymenudeduce.com^
+||antiquespecialtyimpure.com^
+||antiquitytissuepod.com^
+||antiredcessant.com^
+||antisicollyba.top^
+||antivirussprotection.com^
+||antjgr.com^
+||antlerlode.com^
+||antlerpickedassumed.com^
+||antlikebor.com^
+||antoiew.com^
+||antonysurface.com^
+||antonywingraceless.com^
+||antpeelpiston.com^
+||antyoubeliketheap.com^
+||anuclsrsnbcmvf.xyz^
+||anvhgwjy.com^
+||anvilfaintmaiden.com^
+||anvkmi.com^
+||anwhitepinafore.info^
+||anxiouslyconsistencytearing.com^
+||anxiouslywonderexcitement.com^
+||anxkuzvfim.com^
+||anxlzaxtifhe.com^
+||anxomeetqgvvwt.xyz^
+||anybmfgunpu.xyz^
+||anybodyproper.com^
+||anybodysentimentcircumvent.com^
+||anydigresscanyon.com^
+||anyeaodpwonaf.com^
+||anyexists.com^
+||anymad.com^
+||anymind360.com^
+||anymoreappeardiscourteous.com^
+||anymorearmsindeed.com^
+||anymorecapability.com^
+||anymorehopper.com^
+||anymoresentencevirgin.com^
+||anyskjhi.com^
+||anysolely.com^
+||anythingamg.org^
+||anytimesand.com^
+||anyuazfpjzj.com^
+||anyvzvbmknqew.top^
+||anywaysreives.com^
+||anzabboktk.com^
+||aoalmfwinbsstec23.com^
+||aofppecbmordq.com^
+||aoihaizo.xyz^
+||aoredi.com^
+||aortismbutyric.com^
+||aoswoygld.com^
+||ap-srv.net^
+||ap3lorf0il.com^
+||apaboqrqbpa.com^
+||apairguyot.top^
+||apardonslaving.com^
+||apartemployee.com^
+||apartinept.com^
+||apartsermon.com^
+||apatheticdrawerscolourful.com^
+||apatheticformingalbeit.com^
+||apbieqqb.xyz^
+||apcatcltoph.com^
+||apcpaxwfej.com^
+||apeidol.com^
+||apertsleeve.top^
+||aperushmo.cam^
+||apescausecrag.com^
+||apesdescriptionprojects.com^
+||apesdrooping.com^
+||apglinks.net^
+||aphidsapprend.top^
+||api168168.com^
+||apiculirackman.top^
+||apidata.info^
+||apiecelee.com^
+||apistatexperience.com^
+||aplainmpatoio.com^
+||apnpr.com^
+||apnttuttej.com^
+||apocopewheeple.com^
+||apologiesbackyardbayonet.com^
+||apologiesneedleworkrising.com^
+||apologizeclosest.com^
+||apologizingrigorousmorally.com^
+||aporasal.net^
+||aporodiko.com^
+||apostlegrievepomp.com^
+||apostropheammunitioninjure.com^
+||apostrophepanediffer.com^
+||app.tippp.io^
+||app2up.info^
+||appads.com^
+||apparatusditchtulip.com^
+||apparelbrandsabotage.com^
+||apparentlyadverse.com^
+||apparest.com^
+||appbetnewapp.top^
+||appbravebeaten.com^
+||appcloudactive.com^
+||appcloudvalue.com^
+||appealinformationevent.com^
+||appealingyouthfulhaphazard.com^
+||appealtime.com^
+||appearancecustomerobliterate.com^
+||appearancefingerprintabet.com^
+||appearancegravel.com^
+||appearedcrawledramp.com^
+||appearednecessarily.com^
+||appearzillionnowadays.com^
+||appeaseprovocation.com^
+||appendad.com^
+||appendixballroom.com^
+||appendixbureaucracycommand.com^
+||appendixwarmingauthors.com^
+||apphomeforbests.com^
+||applabzzeydoo.com^
+||applandforbuddies.top^
+||applandlight.com^
+||applandsforbests.com^
+||applausebind.com^
+||apple.analnoe24.com^
+||appleservenumeric.com^
+||applesometimes.com^
+||applianceplatforms.com^
+||applicationmoleculepersonal.com^
+||applicationplasticoverlap.com^
+||applicationsattaindevastated.com^
+||applifycontent.com^
+||applifysolutions.com^
+||applifysolutions.net^
+||appmateforbests.com^
+||appnow.sbs^
+||appoineditardwide.com^
+||appointedchildorchestra.com^
+||appointeeivyspongy.com^
+||appollo-plus.com^
+||appraisalaffable.com^
+||apprefaculty.pro^
+||appresthinters.top^
+||approachconducted.com^
+||approachproperachieve.com^
+||appropriate-bag.pro^
+||appropriateloathefewer.com^
+||appropriatepurse.com^
+||approved.website^
+||apps1cdn.com^
+||appsget.monster^
+||appspeed.monster^
+||appsprelandlab.com^
+||appstorages.com^
+||appsyoga.com^
+||apptechnewz.com^
+||apptjmp.com^
+||apptquitesouse.com^
+||appwebview.com^
+||appyrinceas.com^
+||appyrincene.com^
+||appzery.com^
+||appzeyland.com^
+||appzjax.com^
+||aprilineffective.com^
+||apritifyapok.top^
+||apritvun.com^
+||apromoweb.com^
+||apsidalmungoos.top^
+||apsmediaagency.com^
+||apsoacou.xyz^
+||apsoopho.net^
+||apt-ice.pro^
+||aptdiary.com^
+||aptimorph.com^
+||aptitudeproprietor.com^
+||aptlydoubtful.com^
+||apus.tech^
+||apvdr.com^
+||apxlv.com^
+||apytbfdzy.com^
+||apzawhajrrci.com^
+||apzgcipacpu.com^
+||aq30me9nw.com^
+||aq7ua5ma85rddeinve.com^
+||aqaggxmhabf.com^
+||aqbusmueljfy.com^
+||aqcutwom.xyz^
+||aqdkciossswu.com^
+||aqewvatwqzoigh.com^
+||aqhz.xyz^
+||aqiefntjh.com^
+||aqjbfed.com^
+||aqkbyevrklvnw.top^
+||aqkkoalfpz.com^
+||aqnnysd.com^
+||aqppwatriodz.com^
+||aqptziligoqn.com^
+||aqqlwcuqtskbz.com^
+||aqrawvakvca.com^
+||aqrkrahkynta.com^
+||aqroxlquvshe.com^
+||aqspcbz.com^
+||aquentlytujim.com^
+||aqwihyjpglzdr.com^
+||aqxhcplhbqc.com^
+||arabdevastatingpatty.com^
+||arabinxerarch.top^
+||arablucidlygrease.com^
+||arabyfuegian.top^
+||aracts.com^
+||aralomomolachan.com^
+||araneidboruca.com^
+||araucangozell.com^
+||arbersunroof.com^
+||arbitrarypoppyblackmail.com^
+||arboredcalfret.com^
+||arbourrenewal.com^
+||arbourtalessterile.com^
+||arbutterfreer.com^
+||arbxhkix.xyz^
+||arcaczncolur.com^
+||arcadiavehemently.com^
+||arcedcoss.top^
+||archaicchop.com^
+||archaicgrilledignorant.com^
+||archaicin.com^
+||archbishoppectoral.com^
+||archedmagnifylegislation.com^
+||archerpointy.com^
+||archiewinningsneaking.com^
+||architecturecultivated.com^
+||architectureholes.com^
+||archlycadetclutch.com^
+||arcost54ujkaphylosuvaursi.com^
+||arcticwarningtraffic.com^
+||ardentlyexposureflushed.com^
+||ardentlyoddly.com^
+||ardoursmutine.top^
+||ardruddigonan.com^
+||ardschatota.com^
+||ardsklangr.com^
+||ardslediana.com^
+||ardspalkiator.com^
+||arduousyeast.com^
+||arduresyrians.com^
+||areahar.com^
+||areairo.com^
+||areajou.com^
+||areamindless.com^
+||arearfeased.top^
+||areasnap.com^
+||areelektrosstor.com^
+||areliux.cc^
+||arenahoosgow.com^
+||arenalitteraccommodation.com^
+||argeredru.info^
+||argfgtjsay.com^
+||arglingpistole.com^
+||argolemr.com^
+||argolicopaque.top^
+||argospelopid.com^
+||argostimies.top^
+||argsofyluvredra.com^
+||arguebakery.com^
+||arguerepetition.com^
+||argumentsadrenaline.com^
+||argumentsmaymadly.com^
+||arhymalojnzo.com^
+||arihtrkoxuvlm.xyz^
+||arilsoaxie.xyz^
+||arioiandroner.top^
+||ariotgribble.com^
+||aristianewr.club^
+||arithmeticifrancorous.com^
+||arithpouted.com^
+||arkadyczsk.com^
+||arkdcz.com^
+||arkfacialdaybreak.com^
+||arkfreakyinsufficient.com^
+||arkmedboo.live^
+||arkunexpectedtrousers.com^
+||arleavannya.com^
+||arlydsdibnjrvby.com^
+||armamentsummary.com^
+||armarilltor.com^
+||armedgroin.com^
+||armedtidying.com^
+||armiesinvolve.com^
+||armineambeers.top^
+||arminius.io^
+||arminuntor.com^
+||armisticeexpress.com^
+||armourhardilytraditionally.com^
+||armoursviolino.com^
+||army.delivery^
+||armypresentlyproblem.com^
+||arnchealpa.com^
+||arnditluplfa.com^
+||arnepurxlbsjiih.xyz^
+||arnffunhoos.com^
+||arnimalconeer.com^
+||arnofourgu.com^
+||aroidsguide.com^
+||aromabirch.com^
+||aromamidland.com^
+||aromatic-possibility.pro^
+||arosepageant.com^
+||aroundpayslips.com^
+||aroundridicule.com^
+||arousedimitateplane.com^
+||arousestatic.com^
+||aroyiise.xyz^
+||arqsafhutlam.com^
+||arquilavaan.com^
+||arragouts.com^
+||arrangeaffectedtables.com^
+||arrangementhang.com^
+||arrangementsinventorpublic.com^
+||arraysurvivalcarla.com^
+||arrearsdecember.com^
+||arrearstreatyexamples.com^
+||arriagepuly.top^
+||arrivaltroublesome.com^
+||arrivedcanteen.com^
+||arrivedeuropean.com^
+||arrivingallowspollen.com^
+||arrlnk.com^
+||arrnaught.com^
+||arrowpotsdevice.com^
+||arsahahada.com^
+||arsdizarhgag.com^
+||arsfoundhert.info^
+||arshelmeton.com^
+||arsnivyr.com^
+||arsonexchangefly.com^
+||arsoniststuffed.com^
+||arswabluchan.com^
+||artcsmgx.com^
+||artditement.info^
+||arterybasin.com^
+||arteryeligiblecatchy.com^
+||artevinesor.com^
+||arthyredir.com^
+||articlegarlandferment.com^
+||articlepawn.com^
+||articulatefootwearmumble.com^
+||artistictastesnly.info^
+||artistperhapscomfort.com^
+||artistspipe.top^
+||artlessdeprivationunfriendly.com^
+||artlessdevote.com^
+||artlikeratan.click^
+||artoas301endore.com^
+||artonsbewasand.com^
+||artoukfarepu.org^
+||artpever.com^
+||artreconnect.com^
+||artsygas.com^
+||aruyevdqsnd.xyz^
+||arvbjqabanaba.top^
+||arvigorothan.com^
+||arvyxowwcay.com^
+||arwartortleer.com^
+||arwhismura.com^
+||arwobaton.com^
+||arylidealchemy.com^
+||as5000.com^
+||asacdn.com^
+||asafesite.com^
+||asandcomemu.info^
+||asbaloney.com^
+||asbolinstartor.top^
+||asbulbasaura.com^
+||asbutiseemedli.com^
+||asccdn.com^
+||asce.xyz^
+||ascensionunfinished.com^
+||ascentflabbysketch.com^
+||ascentloinconvenience.com^
+||ascentstwats.com^
+||ascertainedcondescendinggag.com^
+||ascertainedthetongs.com^
+||ascertainintend.com^
+||ascraftan.com^
+||asdasdad.net^
+||asdf1.online^
+||asdf1.site^
+||asdfdr.cfd^
+||asdfix.com^
+||asdidmakingby.info^
+||asdkfefanvt.com^
+||asdpoi.com^
+||asecv.xyz^
+||aseegrib.com^
+||aseethegivers.top^
+||asemolgaa.com^
+||asespeonom.com^
+||asewlfjqwlflkew.com^
+||asf4f.us^
+||asfgeaa.lat^
+||asgccummig.com^
+||asgclick.com^
+||asgclickkl.com^
+||asgclickpp.com^
+||asgildedalloverw.com^
+||asgorebysschan.com^
+||ashamedbirchpoorly.com^
+||ashamedtriumphant.com^
+||ashameoctaviansinner.com^
+||ashasvsucocesis.com^
+||ashcdn.com^
+||ashhgo.com^
+||ashionismscol.info^
+||ashlarinaugur.com^
+||ashopsoo.net^
+||ashoreyuripatter.com^
+||ashoupsu.com^
+||ashsexistentertaining.com^
+||ashturfchap.com^
+||asiangfsex.com^
+||asidefeetsergeant.com^
+||askdomainad.com^
+||askedappear.com^
+||askersstylish.top^
+||askingsitting.com^
+||asklinklanger.com^
+||asklots.com^
+||askprivate.com^
+||asksquay.com^
+||aslaironer.com^
+||aslaprason.com^
+||asleavannychan.com^
+||aslnk.link^
+||asmetotreatwab.com^
+||asmileesidesu.info^
+||asmodeusfields.com^
+||asnincadar.com^
+||asnoibator.com^
+||asnothycan.info^
+||asnothycantyou.info^
+||aso1.net^
+||asoawhum.com^
+||asogkhgmgh.com^
+||asopn.com^
+||asoursuls.com^
+||asozordoafie.com^
+||aspaceloach.com^
+||asparagusburstscanty.com^
+||asparagusinterruption.com^
+||asparaguspallorspoken.com^
+||asparaguspopcorn.com^
+||asperencium.com^
+||asperityhorizontally.com^
+||aspignitean.com^
+||aspireetopee.com^
+||asqconn.com^
+||asrelatercondi.org^
+||asrety.com^
+||asricewaterho.com^
+||asrntiljustetyerec.info^
+||asrop.xyz^
+||asrowjkagg.com^
+||assailusefullyenemies.com^
+||assaiscucujus.shop^
+||assassinationsteal.com^
+||assaultmolecularjim.com^
+||assembleservers.com^
+||assentproduct.com^
+||assertedclosureseaman.com^
+||assertedelevateratio.com^
+||assertnourishingconnection.com^
+||assessagra.top^
+||assetize.com^
+||assholeamarin.top^
+||assignedeliminatebonfire.com^
+||assilagfilii.top^
+||assistancelawnthesis.com^
+||assistantasks.com^
+||assistantdroppedseries.com^
+||assistedadultrib.com^
+||assisteggs.com^
+||assobredrouked.com^
+||associationstoopedacid.com^
+||associationwish.com^
+||assodbobfad.com^
+||assortmentberry.com^
+||assortmentcriminal.com^
+||assortplaintiffwailing.com^
+||asstaraptora.com^
+||assuageexcel.com^
+||assuagefaithfullydesist.com^
+||assumeflippers.com^
+||assumptivepoking.com^
+||assuranceapprobationblackbird.com^
+||assurednesssalesmanmaud.com^
+||assuredtroublemicrowave.com^
+||assuremath.com^
+||assuretwelfth.com^
+||ast2ya4ee8wtnax.com^
+||astaicheedie.com^
+||astarboka.com^
+||astato.online^
+||astauche.xyz^
+||astehaub.net^
+||astemolgachan.com^
+||asterbiscusys.com^
+||asteriskwaspish.com^
+||asterrakionor.com^
+||astesnlyno.org^
+||astespurra.com^
+||asthepoityelth.com^
+||astivysauran.com^
+||astkyureman.com^
+||astnoivernan.com^
+||astoapsu.com^
+||astoecia.com^
+||astogepian.com^
+||astonishingpenknifeprofessionally.com^
+||astonishlandmassnervy.com^
+||astonishmentfuneral.com^
+||astoreslurs.top^
+||astra9dlya10.com^
+||astrokompas.com^
+||astronomybreathlessmisunderstand.com^
+||astronomycrawlingcol.com^
+||astronomytesting.com^
+||astscolipedeor.com^
+||astspewpaor.com^
+||astumbreonon.com^
+||asuipiirq.com^
+||asverymuc.org^
+||asverymucha.info^
+||asxeilpougog.com^
+||asyetaprovinc.org^
+||asylumclogunaccustomed.com^
+||atableofcup.com^
+||atacticserena.top^
+||atala-apw.com^
+||atamansdockize.com^
+||atampharosom.com^
+||atappanic.click^
+||atas.io^
+||atcelebitor.com^
+||atchshipsmoter.com^
+||atcoordinate.com^
+||atdeerlinga.com^
+||atdmaincode.com^
+||atdmt.com^
+||atdrilburr.com^
+||ateaudiblydriving.com^
+||atedlitytlement.info^
+||atelegendinflected.com^
+||atemda.com^
+||atentherel.org^
+||aterhouse.info^
+||aterhouseoyop.com^
+||aterhouseoyop.info^
+||aterroppop.com^
+||atethebenefitsshe.com^
+||atfhtqjeflq.com^
+||atgallader.com^
+||atgenesecton.com^
+||athbzeobts.com^
+||atheegrun.net^
+||atheismperplex.com^
+||atherthishinhe.com^
+||athitmontopon.com^
+||athivopou.com^
+||athletedurable.com^
+||athletethrong.com^
+||athlg.com^
+||athoaphu.xyz^
+||atholicncesispe.info^
+||athostouco.com^
+||athumiaspuing.click^
+||athvicatfx.com^
+||athwfadifqac.com^
+||athxiggufas.com^
+||athyimemediates.info^
+||aticalfelixstownrus.info^
+||aticalmaster.org^
+||aticatea.com^
+||atinsolutions.com^
+||ationpecialukizeiaon.info^
+||atiretrously.com^
+||ativesathyas.info^
+||atjigglypuffor.com^
+||atjogdfzivre.com^
+||atjtpbnwxmfavy.com^
+||atlhjtmjrj.com^
+||atlxpstsf.com^
+||atmalinks.com^
+||atmasroofy.com^
+||atmetagrossan.com^
+||atmewtwochan.com^
+||atmnjcinews.pro^
+||atmosphericurinebra.com^
+||atmtaoda.com^
+||ato.mx^
+||atomex.net^
+||atomicarot.com^
+||atonato.de^
+||atonefreeman.top^
+||atonementfosterchild.com^
+||atonementimmersedlacerate.com^
+||atoniaregracy.com^
+||atpanchama.com^
+||atpansagean.com^
+||atpawniarda.com^
+||atpclqff.com^
+||atraff.com^
+||atraichuor.com^
+||atriahatband.com^
+||atriblethetch.com^
+||atris.xyz^
+||atriumsmiddum.com^
+||atrkmankubf.com^
+||atrociouspsychiatricparliamentary.com^
+||atrocityfingernail.com^
+||atropaimitant.top^
+||atroposacclaim.com^
+||atsabwhkox.com^
+||atservineor.com^
+||atshcaogrlhi.com^
+||atshroomisha.com^
+||atsojqkzoqto.com^
+||attacarbo.com^
+||attachedkneel.com^
+||attacketslovern.info^
+||attaindisableneedlework.com^
+||attemptdruggedcarve.com^
+||attemptingstray.com^
+||attempttipsrye.com^
+||attendantsrescuediscrepancy.com^
+||attendedconnectionunique.com^
+||attendingtarget.com^
+||attentioniau.com^
+||attentionsoursmerchant.com^
+||attenuatenovelty.com^
+||attepigom.com^
+||attestationaudience.com^
+||attestationoats.com^
+||attestationovernightinvoluntary.com^
+||attestcribaccording.com^
+||attesthelium.com^
+||atthereandhth.com^
+||atthewon.buzz^
+||atthewonderfu.com^
+||atticshepherd.com^
+||attractioninvincibleendurance.com^
+||attractive-drawing.com^
+||attractivesurveys.com^
+||attractpicturespine.com^
+||attractscissor.com^
+||attractwarningkeel.com^
+||attrapincha.com^
+||attributedconcernedamendable.com^
+||attributedharnesssag.com^
+||attributedminded.com^
+||attributedrelease.com^
+||attritioncombustible.com^
+||attunebarberreality.com^
+||atukjpdh.xyz^
+||atvrurguhqin.com^
+||atwola.com^
+||atzekromchan.com^
+||au2m8.com^
+||auajifblipz.com^
+||auboalro.xyz^
+||auburn9819.com^
+||aucaikse.com^
+||auchoocm.com^
+||auchoons.net^
+||aucoudsa.net^
+||aucubatypica.com^
+||audiblereflectionsenterprising.com^
+||audiblysecretaryburied.com^
+||audiencebellowmimic.com^
+||audiencefuel.com^
+||audienceprofiler.com^
+||audienceravagephotocopy.com^
+||audionews.fm^
+||auditioneasterhelm.com^
+||auditioningantidoteconnections.com^
+||auditioningborder.com^
+||auditioningdock.com^
+||auditoriumclarifybladder.com^
+||auditoriumgiddiness.com^
+||auditorydetainriddle.com^
+||auditude.com^
+||audmrk.com^
+||audrault.xyz^
+||auesk.cfd^
+||aufeeque.com^
+||auforau.com^
+||aufr67i8sten.com^
+||auftithu.xyz^
+||augaiksu.xyz^
+||augailou.com^
+||augendsfrisky.top^
+||aughableleade.info^
+||augu3yhd485st.com^
+||augurersoilure.space^
+||august15download.com^
+||augustjadespun.com^
+||aujooxoo.com^
+||aukalerim.com^
+||aukarosizox.com^
+||aukroaze.xyz^
+||aukseseemyr.info^
+||auksizox.com^
+||aukveygibngnjg.com^
+||aulingimpora.club^
+||aullaysledder.top^
+||auloibunch.top^
+||aulrains.com^
+||aulricol.xyz^
+||aulsidakr.com^
+||aulteeby.net^
+||aultesou.net^
+||aultopurg.xyz^
+||aultseemedto.xyz^
+||aumaupoy.net^
+||aumsarso.com^
+||aumsookr.com^
+||aumtoost.net^
+||aunauque.net^
+||auneechuksee.net^
+||auneghus.net^
+||aungudie.com^
+||aunsagoa.xyz^
+||aunsaick.com^
+||aunstollarinets.com^
+||auntishmilty.com^
+||auphirtie.com^
+||auphoalt.com^
+||aupseelo.net^
+||aupsugnee.com^
+||aupteens.com^
+||aurdoagnoak.net^
+||aurgersoagnu.net^
+||aurgoast.com^
+||auroraveil.bid^
+||aurousroseola.com^
+||aursaign.net^
+||ausoafab.net^
+||ausomsup.net^
+||auspiceguile.com^
+||auspipe.com^
+||austaihauna.com^
+||austaits.xyz^
+||austaptool.net^
+||austeemsa.com^
+||austere-familiar.com^
+||austeritylegitimate.com^
+||austow.com^
+||autchoog.net^
+||auteboon.net^
+||autelamina.com^
+||authaptixoal.com^
+||authognu.com^
+||authookroop.com^
+||authoritativedollars.com^
+||authoritiesemotional.com^
+||authorizeddear.pro^
+||authorsallegationdeadlock.com^
+||authorsjustin.com^
+||auto-im.com^
+||autobiographysolution.com^
+||autochunkintriguing.com^
+||automatedtraffic.com^
+||automateyourlist.com^
+||automaticallyindecisionalarm.com^
+||automenunct.com^
+||autoperplexturban.com^
+||autopsyfowl.com^
+||autumncamping.com^
+||autumndrum.com^
+||auvdrovwbwsldt.com^
+||auvenebu.xyz^
+||auwjmphx.com^
+||auxiliarydonor.com^
+||auxiliaryspokenrationalize.com^
+||auxml.com^
+||avads.co.uk^
+||availableforester.com^
+||availablesyrup.com^
+||availplovery.top^
+||avajwlwlwkkmb.top^
+||avajwlwlwkvma.top^
+||avalancheofnews.com^
+||avalanchers.com^
+||avatarweb.site^
+||avazu.net^
+||avazutracking.net^
+||avbang3431.fun^
+||avbulb3431.fun^
+||avdebt3431.fun^
+||avebedencathy.info^
+||avenaryconcent.com^
+||aveneverseeno.info^
+||avengeburglar.com^
+||avengeghosts.com^
+||avenuewalkerchange.com^
+||average-champion.pro^
+||aversionmast.com^
+||aversionwives.com^
+||aversionworkingthankful.com^
+||avfqvyuqsdph.com^
+||avgads.space^
+||avgive3431.fun^
+||avglfookdjuj.com^
+||avhduwvirosl.com^
+||avhtaapxml.com^
+||aviationbe.com^
+||avichigangway.top^
+||aviculagolder.com^
+||aviewrodlet.com^
+||avjbjbeeraebj.top^
+||avjbjbeeramzv.top^
+||avjockjpiduc.com^
+||avkktuywj.xyz^
+||avloan3431.fun^
+||avmonk3431.fun^
+||avnmjtqu.com^
+||avobeucxscwj.com^
+||avoihyfziwbn.com^
+||avorgy3431.fun^
+||avouchamazeddownload.com^
+||avowappear.com^
+||avowdelicacydried.com^
+||avroad3431.fun^
+||avrom.xyz^
+||avrqaijwdqk.xyz^
+||avrrhodabbk.com^
+||avsink3431.fun^
+||avtbdnwqnwoasm.com^
+||avthelkp.net^
+||avtvcuofgz.com^
+||avucugkccpavsxv.xyz^
+||avupdrojsytrnej.xyz^
+||avuthoumse.com^
+||avvelwamqkbjb.top^
+||avvelwamqkzzw.top^
+||avview3431.fun^
+||avvxcexk.com^
+||avwgzujkit.com^
+||avwhipazsdco.com^
+||avwjyvzeymmb.top^
+||avwwphtnquacgd.com^
+||avygpim.com^
+||avzwkkmzkabyv.top^
+||avzwkkmzkayrm.top^
+||avzwkkmzkayvj.top^
+||awacspianist.top^
+||awaitbackseatprod.com^
+||awaitdetestableitem.com^
+||awaitifregularly.com^
+||awaitingutilize.com^
+||awakeclauseunskilled.com^
+||awakeexterior.com^
+||awakenedsour.com^
+||awardcynicalintimidating.com^
+||aware-living.pro^
+||awareallicin.top^
+||awarecatching.com^
+||awarenessfundraiserstump.com^
+||awarenessinstance.com^
+||awarenessunprofessionalcongruous.com^
+||awashemeers.com^
+||awasrqp.xyz^
+||awavjblaaekrb.top^
+||away-stay.com^
+||awaydefinitecreature.com^
+||awbbcre.com^
+||awbbjmp.com^
+||awbbsat.com^
+||awbrwrybywwew.top^
+||awcrpu.com^
+||awdfcuolboh.com^
+||awecr.com^
+||awecre.com^
+||awecrptjmp.com^
+||aweighmica.top^
+||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^
+||aweyqalylarj.top^
+||aweyqalyljbj.top^
+||awfullypersecution.com^
+||awfulresolvedraised.com^
+||awhajdorzawd.com^
+||awistats.com^
+||awkbkkqmeewkw.top^
+||awkiktwfvhqiwb.com^
+||awkkkpktq.com^
+||awkwardpurfles.com^
+||awkwardsuperstition.com^
+||awldcupu.com^
+||awledconside.xyz^
+||awlov.info^
+||awltovhc.com^
+||awmbed.com^
+||awmdelivery.com^
+||awmocpqihh.com^
+||awmplus.com^
+||awmserve.com^
+||awnexus.com^
+||awningstoffees.top^
+||awnwhocamewi.info^
+||awokeconscious.com^
+||awoudsoo.xyz^
+||awpcrpu.com^
+||awprt.com^
+||awptjmp.com^
+||awptlpu.com^
+||awrnkojhomxvqi.com^
+||aws-itcloud.net^
+||awsnjsduyhgpk.com^
+||awstaticdn.net^
+||awsurveys.com^
+||awtpguxqtf.com^
+||awtqbjylk.com^
+||awugxvrmsdalpx.com^
+||awutohkhu.com^
+||awvqfalackho.com^
+||awvracajcsu.com^
+||awvvhicirfti.com^
+||awwagqorqpty.com^
+||awwprjafmfjbvt.xyz^
+||awxgfiqifawg.com^
+||awytythbxujkz.com^
+||awzvpbg.com^
+||axalgyof.xyz^
+||axallarded.top^
+||axbofpnri.com^
+||axductile.com^
+||axeldivision.com^
+||axepallorstraits.com^
+||axhpkbvibdn.com^
+||axill.com^
+||axillovely.com^
+||axjfjdm.com^
+||axjndvucr.com^
+||axkwmsivme.com^
+||axlohcsruwak.com^
+||axlpackugrra.com^
+||axonix.com^
+||axpjzhbh.com^
+||axsnuwqg.com^
+||axtlqoo.com^
+||axvkdpcnadgdt.com^
+||axwmymrrctkd.com^
+||axwnmenruo.com^
+||axwofwowdram.com^
+||axwpawahnwux.com^
+||axxcqwxdcijxl.xyz^
+||axxxfam.com^
+||axxxfeee.lat^
+||axzptaji.com^
+||axzxkeawbo.com^
+||ay.delivery^
+||ay5u9w4jjc.com^
+||ayads.co^
+||ayaghlq.com^
+||ayahspollent.top^
+||ayarkkyjrmqzw.top^
+||ayboll.com^
+||aybvfvlyrtbskvy.com^
+||aycalfcwwgf.com^
+||aycrxa.com^
+||aydandelion.com^
+||ayga.xyz^
+||ayllnllwajjmn.top^
+||aymobi.online^
+||aynhlxbr0.com^
+||aypahalndxrxon.com^
+||ayprggvy.com^
+||ayrather.com^
+||ayudvbjbvdojt.com^
+||aywivflptwd.com^
+||ayxuadkeh.com^
+||ayyjenjkbnrya.top^
+||ayyjenjqlrbya.top^
+||ayzylwqazaemj.top^
+||ayzylwqazoqow.top^
+||azads.com^
+||azazyjjzbelwb.top^
+||azbaclxror.com^
+||azbjjbwkewqkr.top^
+||azblnfsuhaeuc.com^
+||azbobvahfokf.com^
+||azejckiv.com^
+||azenka.one^
+||azeriondigital.com^
+||azgdgypodyulx.com^
+||azj57rjy.com^
+||azjmp.com^
+||azkcqs.com^
+||azkwwrerlejqv.top^
+||azkwwrerlmebb.top^
+||azlmizbvgjfe.com^
+||azmjosvecyye.com^
+||azmsmufimw.com^
+||aznapoz.info^
+||azoaltou.com^
+||azoogleads.com^
+||azorbe.com^
+||azossaudu.com^
+||azotvby.com^
+||azpresearch.club^
+||azqhjzbuusjn.com^
+||azqqloblawabm.top^
+||azqqloborwwba.top^
+||azskk.com^
+||aztecash.com^
+||azulcw7.com^
+||azuredjaunt.top^
+||azvneyrknejew.top^
+||azwkjjkmbqvye.top^
+||azxdkucizr.com^
+||azxhlzxmrqc.com^
+||azyyyeyeqeazj.top^
+||b-5-shield.com^
+||b-m.xyz^
+||b014381c95cb.com^
+||b02byun5xc3s.com^
+||b0d2583d75.com^
+||b0oie4xjeb4ite.com^
+||b1181fb1.site^
+||b1298d230d.com^
+||b18a21ab3c9cb53.com^
+||b194c1c862.com^
+||b1dd039f40.com^
+||b21be0a0c8.com^
+||b225.org^
+||b2d43e2764.com^
+||b2o6b39taril.com^
+||b397db8f50.com^
+||b39bsi2iv.com^
+||b3b4e76625.com^
+||b3b526dee6.com^
+||b3mccglf4zqz.shop^
+||b3ra6hmstrioek54er.com^
+||b3stcond1tions.com^
+||b3z29k1uxb.com^
+||b41732fb1b.com^
+||b42rracj.com^
+||b4dda3f4a1.com^
+||b50faca981.com^
+||b57dqedu4.com^
+||b58ncoa1c07f.com^
+||b5942f941d.com^
+||b5c28f9b84.com^
+||b5e75c56.com^
+||b616ca211a.com^
+||b65415fde6.com^
+||b6f16b3cd2.com^
+||b70f0a4569.com^
+||b73uszzq3g9h.com^
+||b76751e155.com^
+||b7om8bdayac6at.com^
+||b7qmb255e.com^
+||b81oidrmy82w.com^
+||b8ce2eba60.com^
+||b8pfulzbyj7h.com^
+||b9f4882bac.com^
+||b9l55k525.com^
+||ba46b70722.com^
+||ba488608ee.com^
+||ba83df6e74.com^
+||baaomenaltho.com^
+||babbnrs.com^
+||babhanananym.top^
+||babinjectbother.com^
+||baboosloosh.top^
+||babun.club^
+||babyboomboomads.com^
+||babyish-tea.com^
+||babyniceshark.com^
+||babysittingbeerthrobbing.com^
+||babysittingrainyoffend.com^
+||baccarat112.com^
+||baccarat212.com^
+||bachelorfondleenrapture.com^
+||bachelorfranz.com^
+||bacishushaby.com^
+||backetkidlike.com^
+||backfireaccording.com^
+||backfiremountslippery.com^
+||backfirestomachreasoning.com^
+||backgroundcocoaenslave.com^
+||backla2z8han09.com^
+||backseatabundantpickpocket.com^
+||backseatmarmaladeconsiderate.com^
+||backseatrunners.com^
+||backssensorunreal.com^
+||backupcelebritygrave.com^
+||backwardkneesencroach.com^
+||bacmordijy.net^
+||baconbedside.com^
+||badeldestarticulate.com^
+||badgeclodvariable.com^
+||badgegirdle.com^
+||badgeimpliedblind.com^
+||badgerchance.com^
+||badjocks.com^
+||badrookrafta.com^
+||badsbads.com^
+||badsecs.com^
+||badsims.com^
+||badskates.com^
+||badskies.com^
+||badslopes.com^
+||badspads.com^
+||badtopwitch.work^
+||badujaub.xyz^
+||badword.xyz^
+||baect.com^
+||baffngyawtwc.com^
+||bagelseven.com^
+||bageltiptoe.com^
+||bagfulcoughwallow.com^
+||baggageconservationcaught.com^
+||baggalaresaid.com^
+||baghlachalked.com^
+||baghoorg.xyz^
+||bagiijdjejjcficbaag.world^
+||bagjuxtapose.com^
+||baglaubs.com^
+||bagletantle.top^
+||baguioattalea.com^
+||bahmemohod.com^
+||bahom.cloud^
+||bahswl.com^
+||baifaphoa.com^
+||bailedperiodic.com^
+||baileybenedictionphony.com^
+||bailoaso.xyz^
+||bailonushe.com^
+||bainushe.com^
+||bairnsvibrion.top^
+||baiseesh.net^
+||baithoph.net^
+||baitikoam.com^
+||baiweero.com^
+||baiweluy.com^
+||baiwhuga.net^
+||bajowsxpy.com^
+||bakabok.com^
+||bakatvackzat.com^
+||bakeronerousfollowing.com^
+||bakertangiblebehaved.com^
+||bakeryunprofessional.com^
+||baksunjwoa.com^
+||baktceamrlic.com^
+||bakteso.ru^
+||balconybudgehappening.com^
+||balconypeer.com^
+||baldappetizingun.com^
+||balderspeckle.click^
+||baldo-toj.com^
+||baldwhizhens.com^
+||baledenseabbreviation.com^
+||baleiambwee.com^
+||baletingo.com^
+||ballarduous.com^
+||ballastaccommodaterapt.com^
+||ballasttheir.com^
+||balldevelopedhangnail.com^
+||balldomcheders.top^
+||ballersclung.top^
+||ballinghelonin.com^
+||ballisticforgotten.com^
+||ballroomexhibitionmid.com^
+||ballroomswimmer.com^
+||balmexhibited.com^
+||baloneyunraked.com^
+||balphyra.com^
+||balvalur.com^
+||bam-bam-slam.com^
+||bambarmedia.com^
+||banalrestart.com^
+||banawgaht.com^
+||banclip.com^
+||bandageretaliateemail.com^
+||banddisordergraceless.com^
+||bande2az.com^
+||bandelcot.com^
+||bandoraclink.com^
+||bandsaislevow.com^
+||banerator.net^
+||banetabbeetroot.com^
+||bangedavenge.com^
+||bangedzipperbet.com^
+||bangingmeltcigarette.com^
+||bangrighteous.com^
+||bangtopads.com^
+||bangtyranclank.com^
+||banhq.com^
+||banistersconvictedrender.com^
+||banisterslighten.com^
+||bankerbargainingquickie.com^
+||bankerconcludeshare.com^
+||bankerpotatoesrustle.com^
+||bankervehemently.com^
+||bankingconcede.com^
+||bankingkind.com^
+||bankingpotent.com^
+||banneradsday.com^
+||banners5html2.com^
+||banquetunarmedgrater.com^
+||bantercubicle.com^
+||banterteeserving.com^
+||bantygoozle.top^
+||bapdvtk.com^
+||bappeewit.top^
+||baptrqyesunv.xyz^
+||bapunglue.top^
+||barbabridgeoverprotective.com^
+||barbecuedilatefinally.com^
+||barbeduseless.com^
+||barbmerchant.com^
+||bardatm.ru^
+||bardicjazzed.com^
+||barecurldiscovering.com^
+||bareelaborate.com^
+||barefitaiding.com^
+||barefootedleisurelypizza.com^
+||barelydresstraitor.com^
+||barelysobby.top^
+||barelytwinkledelegate.com^
+||baresi.xyz^
+||barfsmiaowpit.com^
+||bargainingbrotherhood.com^
+||bargainintake.com^
+||bargeagency.com^
+||bargedale.com^
+||bargingaricin.top^
+||barhalunkist.shop^
+||bariejow.top^
+||bariumsjeerers.top^
+||barkanpickee.com^
+||barlo.xyz^
+||barnabaslinger.com^
+||barnaclecocoonjest.com^
+||barnaclewiped.com^
+||barnmonths.com^
+||baronsurrenderletter.com^
+||barqueloo.click^
+||barrackssponge.com^
+||barren-date.pro^
+||barrenhatrack.com^
+||barrenusers.com^
+||barringjello.com^
+||barscreative1.com^
+||barsshrug.com^
+||barteebs.xyz^
+||barterproductionsbang.com^
+||bartondelicate.com^
+||bartonpriority.com^
+||basaarf.com^
+||basanrodham.top^
+||baseauthenticity.co.in^
+||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^
+||basionstraily.top^
+||basisscarcelynaughty.com^
+||basisvoting.com^
+||baskdisk.com^
+||basketballshameless.com^
+||basketexceptionfeasible.com^
+||baskgodless.com^
+||baskpension.com^
+||basleagues.top^
+||bassarazit.top^
+||bassoonavatara.com^
+||bastardminims.com^
+||bastarduponupon.com^
+||baste-znl.com^
+||bastingestival.com^
+||bastwmrkgs.com^
+||baszlo.com^
+||batatasendere.top^
+||bataviforsee.com^
+||batchhermichermicsecondly.com^
+||batcrack.icu^
+||batebalmy.com^
+||bathabed.com^
+||bathbrrvwr.com^
+||bathepoliteness.com^
+||batheunits.com^
+||bathroombornsharp.com^
+||bathtubpitcher.com^
+||batonferie.com^
+||battepush.com^
+||battiesnarras.com^
+||battleautomobile.com^
+||battledninos.top^
+||batwingexolete.top^
+||baubogla.com^
+||bauchleredries.com^
+||baunaurou.com^
+||bauptone.com^
+||bauptost.net^
+||bauvaikul.com^
+||bauviseph.com^
+||bauweethie.com^
+||bavxuhaxtqi.com^
+||bawickie.com^
+||bawixi.xyz^
+||bawlerhanoi.website^
+||baxascpkean.com^
+||baxotjdtesah.com^
+||bayamolupines.click^
+||baygallter.top^
+||baylnk.com^
+||bayshorline.com^
+||baywednesday.com^
+||bazamodov.ru^
+||bazao.xyz^
+||bbangads.b-cdn.net^
+||bbcrgate.com^
+||bbd834il.de^
+||bbdiknmwgyesw.com^
+||bbdobm.com^
+||bbgickdocf.xyz^
+||bbgtranst.com^
+||bbhxuqym.xyz^
+||bbiuowdofb.com^
+||bbjnttjqknnmf.com^
+||bbjtx9pwy.com^
+||bbkydnakc.com^
+||bbmrraevneqaz.top^
+||bbqckhmgboal.xyz^
+||bbrdbr.com^
+||bbsgsmmqviaob.xyz^
+||bbwzzwremrrmr.top^
+||bbyjgkkdihiyxy.com^
+||bbywwimafntyjbm.com^
+||bc16fd1a7f.com^
+||bc84617c73.com^
+||bcaakxxuf.com^
+||bcae944449.com^
+||bcaquzxajka.com^
+||bcd8072b72.com^
+||bceptemujahb.com^
+||bcfaonqj.com^
+||bcfimttr.com^
+||bchkhtyns.com^
+||bcjikwflahufgo.xyz^
+||bckqdynigv.com^
+||bclikeqt.com^
+||bcloudhost.com^
+||bcprm.com^
+||bcuiaw.com^
+||bcxcxixcwprccn.com^
+||bczzwakqyae.com^
+||bd33500074.com^
+||bd51static.com^
+||bdbovbmfu.xyz^
+||bddc935c97.com^
+||bdenwsfmnmhkk.com^
+||bdf7a07377.com^
+||bdfagcumunjzx.com^
+||bdhddyknhy.com^
+||bdhsahmg.com^
+||bdmbazqsboxooh.com^
+||bdqolehoomnyk.com^
+||bdreireqo.com^
+||bdyumwlf.com^
+||bdzhonovixyhkf.com^
+||bdzyqohhw.com^
+||be5fb85a02.com^
+||bea988787c.com^
+||beachanatomyheroin.com^
+||beakerweedjazz.com^
+||beakexcursion.com^
+||beakobjectcaliber.com^
+||beambroth.com^
+||beamedshipwreck.com^
+||beamierwaisted.com^
+||beanborrowed.com^
+||bearableforever.com^
+||bearableher.com^
+||bearableusagetheft.com^
+||bearagriculture.com^
+||bearbanepant.com^
+||beardinrather.com^
+||beardyapii.com^
+||bearerdarkfiscal.com^
+||beastintruder.com^
+||beastssmuggleimpatiently.com^
+||beaststokersleazy.com^
+||beatifulapplabland.com^
+||beatifulllhistory.com^
+||beauartisticleaflets.com^
+||beautifulasaweath.info^
+||beautifullyinflux.com^
+||beauty1.xyz^
+||beautyspumoid.top^
+||beavertron.com^
+||beaxewr.com^
+||beaziotclb.com^
+||bebayjoisted.com^
+||beblass.com^
+||bebloommulvel.com^
+||bebreloomr.com^
+||becamedevelopfailure.com^
+||beccc1d245.com^
+||bechatotan.com^
+||becheckbahima.top^
+||bechemult.top^
+||becketcoffee.com^
+||beckfaster.com^
+||beckoverreactcasual.com^
+||becomeapartner.io^
+||becomeobnoxiousturk.com^
+||becomesfusionpriority.com^
+||becomesnerveshobble.com^
+||becomesobtrusive.com^
+||becomeusances.shop^
+||becominggunpowderpalette.com^
+||becorsolaom.com^
+||becrustleom.com^
+||becuboneor.com^
+||bedaslonej.com^
+||bedaslonejul.cc^
+||bedbaatvdc.com^
+||bedevilglare.com^
+||bedirectuklyecon.com^
+||bedodrioer.com^
+||bedodrioon.com^
+||bedrapiona.com^
+||bedsideseller.com^
+||bedspictures.com^
+||bedvbvb.com^
+||bedwhimpershindig.com^
+||beechverandahvanilla.com^
+||beefcollections.com^
+||beefeggspin.com^
+||beefyespeciallydrunken.com^
+||beegotou.net^
+||beehomemade.com^
+||beemauhu.xyz^
+||beemolgator.com^
+||beenoper.com^
+||beeperdecisivecommunication.com^
+||beeporntube.com^
+||beepoven.com^
+||beeraggravationsurfaces.com^
+||beersstators.com^
+||beesforestallsuffer.com^
+||beeshanoozuk.com^
+||beestraitstarvation.com^
+||beestuneglon.com^
+||beetrootshady.com^
+||beetrootsquirtexamples.com^
+||beevakum.net^
+||beevalt.com^
+||beewakiy.com^
+||befirstcdn.com^
+||beforehandeccentricinhospitable.com^
+||beforehandopt.com^
+||befrx.com^
+||befujgfah.com^
+||begantotireo.xyz^
+||begaudycacatua.com^
+||beggarlyfilmingabreast.com^
+||beggarlymeatcan.com^
+||beginfrightsuit.com^
+||beginnerfurglow.com^
+||beginnerhooligansnob.com^
+||beginninggoondirections.com^
+||beginningirresponsibility.com^
+||beginningstock.com^
+||beginoppressivegreet.com^
+||begknock.com^
+||begracetindery.com^
+||beguat.com^
+||begwhistlinggem.com^
+||behalflose.com^
+||behalfpagedesolate.com^
+||behalfplead.com^
+||behavedforciblecashier.com^
+||behavelyricshighly.com^
+||behaviourquarrelsomelollipop.com^
+||beheadmuffleddetached.com^
+||beheldconformoutlaw.com^
+||behesttitus.com^
+||behim.click^
+||behindextend.com^
+||behindfebruary.com^
+||beholdcontents.com^
+||behoppipan.com^
+||beigecombinedsniffing.com^
+||beingajoyto.info^
+||beingsjeanssent.com^
+||beitandfalloni.com^
+||bejirachir.com^
+||bejolteonor.com^
+||beklefkiom.com^
+||beklinkor.com^
+||belamicash.com^
+||belatedsafety.pro^
+||belavoplay.com^
+||belaya2shu1ba1.com^
+||belengougha.com^
+||belfarewesbe.info^
+||belfrycaptured.com^
+||belfrynonfiction.com^
+||belgrekblackad.com^
+||belia-glp.com^
+||belickitungchan.com^
+||believableboy.com^
+||believedvarieties.com^
+||believemefly.com^
+||believeradar.com^
+||believersheet.com^
+||believersymphonyaunt.com^
+||beliketheappyri.info^
+||belittlepads.com^
+||bellacomparisonluke.com^
+||bellamyawardinfallible.com^
+||bellatrixmeissa.com^
+||bellmandrawbar.com^
+||bellowframing.com^
+||bellowtabloid.com^
+||bellpressinginspector.com^
+||belombrea.com^
+||belongedenemy.com^
+||belovedfrolic.com^
+||belovedset.com^
+||beltarklate.live^
+||beltwaythrust.com^
+||beludicolor.com^
+||belwrite.com^
+||bemachopor.com^
+||bemadsonline.com^
+||bemanectricr.com^
+||bemedichamchan.com^
+||bemobpath.com^
+||bemobtrcks.com^
+||bemobtrk.com^
+||bemocksmunched.com^
+||bemsongy.com^
+||benced.com^
+||benchsuited.com^
+||bendfrequency.com^
+||bendingroyaltyteeth.com^
+||beneathallowing.com^
+||beneathgirlproceed.com^
+||benefactorstoppedfeedback.com^
+||beneficialviewedallude.com^
+||benefitsshea.com^
+||benelph.de^
+||benengagewriggle.com^
+||benevolencepair.com^
+||benevolentrome.com^
+||benidorinor.com^
+||benignitydesirespring.com^
+||benignityprophet.com^
+||benignitywoofovercoat.com^
+||benonblkd.xyz^
+||benoopto.com^
+||benselgut.top^
+||bensonshowd.com^
+||benumelan.com^
+||beonixom.com^
+||beparaspr.com^
+||bepawrepave.com^
+||bephungoagno.com^
+||bepilelaities.com^
+||ber2g8e3keley.com^
+||berchchisel.com^
+||bereaveconsciousscuffle.com^
+||berenicepunch.com^
+||bergertubbie.com^
+||berideshaptin.com^
+||berkshiretoday.xyz^
+||berlipurplin.com^
+||berriescourageous.com^
+||berryheight.com^
+||berryhillfarmgwent.com^
+||berthsorry.com^
+||bertrammontleymontleyexists.com^
+||berush.com^
+||bescourpeined.top^
+||besguses.pro^
+||besidesparties.com^
+||beskittyan.com^
+||besmeargleor.com^
+||bespewrooibok.top^
+||besqspbpnucpwk.com^
+||best-offer-for-you.com^
+||best-prize.life^
+||best-protection4.me^
+||best-seat.pro^
+||best-video-app.com^
+||best-vpn-app.com^
+||best-vpn.click^
+||bestadbid.com^
+||bestadload.com^
+||bestadmax.com^
+||bestadsforyou.com^
+||bestadsonlyforyou.com^
+||bestadultaction.com^
+||bestaryua.com^
+||bestaybuzzed.website^
+||bestchainconnection.com^
+||bestclicktitle.com^
+||bestcond1tions.com^
+||bestcontentaccess.top^
+||bestcontentfacility.top^
+||bestcontentfee.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^
+||besteasyclick.com^
+||bestevermotorie.com^
+||bestexp1.com^
+||bestfunnyads.com^
+||bestladymeet.life^
+||bestloans.tips^
+||bestmmogame.com^
+||bestofmoneysurvey.top^
+||bestonlinecasino.club^
+||bestowgradepunch.com^
+||bestowsubplat.top^
+||bestprizerhere.life^
+||bestresulttostart.com^
+||bestrevenuenetwork.com^
+||bestsafefast.com^
+||besttracksolution.com^
+||bestvenadvertising.com^
+||bestwaterhouseoyo.info^
+||bestwinterclck.name^
+||bestxxxaction.com^
+||bestzba.com^
+||betads.xyz^
+||betahit.click^
+||betakeskings.top^
+||betalonflamechan.com^
+||betemolgar.com^
+||beterrakionan.com^
+||betforakiea.com^
+||betgorebysson.club^
+||betimbur.com^
+||betjoltiktor.com^
+||betklefkior.com^
+||betmasquerainchan.com^
+||betnidorinoan.net^
+||betnoctowlor.com^
+||betotodilea.com^
+||betotodileon.com^
+||betrayalmakeoverinstruct.com^
+||betrayedcommissionstocking.com^
+||betrayedrecorderresidence.com^
+||betrimethinyl.top^
+||betriolua.com^
+||betshucklean.com^
+||bett2you.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^
+||beverleyprowlpreparing.com^
+||bewailblockade.com^
+||bewailenquiredimprovements.com^
+||bewailindigestionunhappy.com^
+||bewarecontroversy.com^
+||bewareisopointless.com^
+||bewarevampiresister.com^
+||bewathis.com^
+||bewdnkh.com^
+||bewhigwithier.com^
+||bewitchadmiringconstraint.com^
+||bewoobaton.com^
+||bewsejqcbm.com^
+||bexinruwlkwe.com^
+||beyanmaan.com^
+||beylicbesmile.com^
+||bezwtpxx.com^
+||bf-ad.net^
+||bfast.com^
+||bfbkqmoxrh.com^
+||bfeflwuhyhxgw.com^
+||bfgacxuooced.com^
+||bflgokbupydgr.xyz^
+||bfovysc.com^
+||bfrghskgq.com^
+||bfutvoehfooh.com^
+||bfxqwgtwcyk.com^
+||bfxytxdpnk.com^
+||bg4nxu2u5t.com^
+||bgbkvawcctzqql.com^
+||bgbtqizsdziw.com^
+||bgecvddelzg.com^
+||bginrbancsr.com^
+||bgjsjep.com^
+||bgmycyoylcc.com^
+||bgnjefgkuebs.com^
+||bgrgkbnqdsvxc.com^
+||bgxwlomtebrtq.com^
+||bgyeouoavr.xyz^
+||bh3.net^
+||bhalukecky.com^
+||bharalhallahs.com^
+||bharsilked.com^
+||bhartianteact.com^
+||bhcont.com^
+||bhcostefja.com^
+||bhijizlez.com^
+||bhlom.com^
+||bhlph.com^
+||bhnhejwj.com^
+||bhnjwmega.com^
+||bhnmkauncgr.com^
+||bhohazozps.com^
+||bhotiyadiascia.com^
+||bhozjskhzfdkh.com^
+||bhqfnuq.com^
+||bhqvi.com^
+||bhuoeykefbnfgc.com^
+||bhwfvfevnqg.com^
+||bhxogodamtrcs.com^
+||biabowqi.com^
+||biancasunlit.com^
+||biaseddocumentationacross.com^
+||biasedpushful.com^
+||biaxalstiles.com^
+||bibasicbdrm.top^
+||bibbledendysis.top^
+||bibblerkabars.click^
+||biberonmacers.shop^
+||biblecollation.com^
+||biblesausage.com^
+||bibletweak.com^
+||bichosdamiana.com^
+||bicyclelistoffhandpaying.com^
+||bicyclelistpermanentlyenslave.com^
+||bicyclelistworst.com^
+||bid-engine.com^
+||bid.glass^
+||bidadx.com^
+||bidbadlyarsonist.com^
+||bidbeneficial.com^
+||bidbrain.app^
+||bidclickmedia.com^
+||bidderads.com^
+||bidderyaldose.top^
+||biddingfitful.com^
+||bidensdorsale.top^
+||bidfhimuqwij.com^
+||bidiology.com^
+||bidsxchange.com^
+||bidtheatre.com^
+||bidtimize.com^
+||bidvance.com^
+||bidverdrd.com^
+||bieldfacia.top^
+||biemedia.com^
+||bifnosblfdpslg.xyz^
+||biftoast.com^
+||bigamybigot.space^
+||bigappboi.com^
+||bigbasketshop.com^
+||bigbolz.com^
+||bigbootymania.com^
+||bigbricks.org^
+||bigchoicegroup.com^
+||bigeagle.biz^
+||bigelowcleaning.com^
+||biggainsurvey.top^
+||biggerluck.com^
+||biggestgainsurvey.top^
+||bigheartedresentfulailment.com^
+||bigneptunesept.com^
+||bigrourg.net^
+||bigvids.online^
+||bigvids.space^
+||bihake.com^
+||bihunekus.com^
+||bihussufoob.net^
+||bijwehk.com^
+||bijxpjgtdrgk.com^
+||bike-adsbidding.org^
+||bikeno.xyz^
+||bikesmachineryi.com^
+||bikramclyses.top^
+||bikrurda.net^
+||bilateralgodmother.com^
+||bilayershaughs.com^
+||bilgerak.com^
+||bilingualwalking.com^
+||bilkersteds.com^
+||billiardsdripping.com^
+||billiardsnotealertness.com^
+||billiardssequelsticky.com^
+||billionpops.com^
+||billionstarads.com^
+||billybobandirect.org^
+||billygroups.com^
+||billyhis.com^
+||billypub.com^
+||bilsoaphaik.net^
+||bilsyndication.com^
+||bimlocal.com^
+||bimorphtuna.top^
+||bin-layer.ru^
+||bin-tds.site^
+||binaryborrowedorganized.com^
+||binaryfailure.com^
+||binaryrecentrecentcut.com^
+||bincatracs.com^
+||bineukdwithmef.info^
+||bingoocy.com^
+||binomnet.com^
+||binomnet3.com^
+||binomtrcks.site^
+||bioces.com^
+||biographyaudition.com^
+||biolw.cloud^
+||biopsyheadless.com^
+||biopsyintruder.com^
+||biosda.com^
+||bipgialxcfvad.xyz^
+||biphic.com^
+||bipidoan.com^
+||biplihopsdim.com^
+||bipmwuhisvp.com^
+||biptolyla.com^
+||bipwmskhqe.com^
+||bird-getabid.net^
+||birdnavy.com^
+||biroads.com^
+||birqmiowxfh.com^
+||birthday3452.fun^
+||birthdayinhale.com^
+||biserka.xyz^
+||bisesacnodes.com^
+||bisetcroomia.click^
+||bisetsoliped.com^
+||bisleyserrano.com^
+||bissailre.com^
+||bissonprevoid.website^
+||biswcmtgrnk.com^
+||bit-ad.com^
+||bitbeat7.com^
+||biteneverthelessnan.com^
+||bitesized-commission.pro^
+||bitsspiral.com^
+||bittenlacygreater.com^
+||bitterborder.pro^
+||bitterdefeatmid.com^
+||bitterlynewspaperultrasound.com^
+||bitternessjudicious.com^
+||bitterportablerespectively.com^
+||bittygravely.com.com^
+||bittygravely.com^
+||bittyordinaldominion.com^
+||biturl.co^
+||bitx.tv^
+||biunialpawnie.top^
+||biuskye.com^
+||biznewsinsider.com^
+||bizographics.com^
+||bizonads-ssp.com^
+||bizoniatump.click^
+||bizrotator.com^
+||bj1110.online^
+||bj2550.com^
+||bjafafesg.com^
+||bjakku.com^
+||bjaxmaydcnal.xyz^
+||bjeellnaldl.xyz^
+||bjidwriorfkim.com^
+||bjiehnopho.com^
+||bjjkuoxidr.xyz^
+||bjjnovsnejwm.com^
+||bjmilicshimxym.com^
+||bjqug.xyz^
+||bjrgsjxb.xyz^
+||bjwgifte.com^
+||bjwqqohwtgbbs.com^
+||bjxiangcao.com^
+||bkcwdlfgopr.com^
+||bkhhijbvyq.com^
+||bkirfeu.com^
+||bkjhqkohal.com^
+||bkkejrvlnmbbr.top^
+||bklesfzb.com^
+||bklhnlv.com^
+||bkr5xeg0c.com^
+||bkrmyhynjddpl.com^
+||bktdmqdcvshs.xyz^
+||bkujacocdop.com^
+||bkuqgkjpqzofi.com^
+||bkyqhavuracs.com^
+||bkyratafrni.com^
+||bkzwzyznzqabk.top^
+||bkzwzyznzqjzl.top^
+||bl0uxepb4o.com^
+||bl230126pb.com^
+||blabbasket.com^
+||blackandwhite-temporary.com^
+||blackcurrantinadequacydisgusting.com^
+||blackenseaside.com^
+||blackentrue.com^
+||blacklinetosplit.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^
+||bladesteenycheerfully.com^
+||bladswetis.com^
+||blaghfpd.com^
+||blamads.com^
+||blamechevyannually.com^
+||bland-factor.pro^
+||bland-husband.com^
+||blanddish.pro^
+||blank-tune.pro^
+||blareclockwisebead.com^
+||blarnydines.com^
+||blastadoptedlink.com^
+||blastcahs.com^
+||blastedenfoil.top^
+||blastpainterclerk.com^
+||blastsufficientlyexposed.com^
+||blastworthwhilewith.com^
+||blatewave.top^
+||blatwalm.com^
+||blaze-media.com^
+||blazesomeplacespecification.com^
+||blazonstowel.com^
+||blbesnuff.digital^
+||bldvxzxdpsrjla.com^
+||bleachebbfed.com^
+||bleachimpartialtrusted.com^
+||bleandworldw.org^
+||bleatflirtengland.com^
+||bleedingofficecontagion.com^
+||blehcourt.com^
+||blemishwillingpunishment.com^
+||blendedbird.com^
+||blessedhurtdismantle.com^
+||blessgravity.com^
+||blesshunt.com^
+||blessinghookup.com^
+||blessingsome.com^
+||bletheequus.com^
+||blg-1216lb.com^
+||blicatedlitytl.info^
+||blidbqd.com^
+||blindefficiency.pro^
+||blindlyhap.top^
+||blindnessmisty.com^
+||blindnessselfemployedpremature.com^
+||blinkjork.com^
+||blinkpainmanly.com^
+||blinktowel.com^
+||blismedia.com^
+||blisscleopatra.com^
+||blissfulblackout.com^
+||blissfulclick.pro^
+||blissfuldes.com^
+||blissfulonline.com^
+||blisterpompey.com^
+||blistest.xyz^
+||bljyynzmlmnrl.top^
+||bllom.cloud^
+||blmibao.com^
+||blmwbzpma.com^
+||bloatrome.com^
+||blobjournalistunwind.com^
+||bloblohub.com^
+||blobsurnameincessant.com^
+||block-ad.com^
+||blockadsnot.com^
+||blockchain-ads.com^
+||blockchaintop.nl^
+||blockedadulatoryhotel.com^
+||blockingdarlingshrivel.com^
+||blockinggleamingmadeup.com^
+||blocksly.org^
+||blogger2020.com^
+||bloggerex.com^
+||blogherads.com^
+||blogostock.com^
+||blondeopinion.com^
+||blondhoverhesitation.com^
+||blondtheirs.com^
+||bloodagitatedbeing.com^
+||bloodlessarchives.com^
+||bloodmaintenancezoom.com^
+||blooks.info^
+||bloomsgoas.com^
+||blossomfertilizerproperly.com^
+||blowlanternradical.com^
+||blownabolishmentabbreviate.com^
+||blownsuperstitionabound.com^
+||blowssubplow.com^
+||blu5fdclr.com^
+||blubberobsessionsound.com^
+||blubberrivers.com^
+||blubberspoiled.com^
+||blubbertables.com^
+||bludgeentraps.com^
+||bludwan.com^
+||blue-biddingz.org^
+||blue99703.com^
+||blueadvertise.com^
+||blueberryastronomy.com^
+||bluedawning.com^
+||bluelinknow.com^
+||blueomatic.com^
+||blueparrot.media^
+||blueswordksh.com^
+||blueygeckoid.top^
+||bluffybluffysterility.com^
+||bluishgrunt.com^
+||bluitesqiegbo.xyz^
+||blunderadventurouscompound.com^
+||blurbreimbursetrombone.com^
+||blushbuiltonboard.com^
+||bmaafbjmya.com^
+||bmbmwiadmvx.com^
+||bmcdn1.com^
+||bmcdn2.com^
+||bmcdn3.com^
+||bmcdn4.com^
+||bmcdn5.com^
+||bmcdn6.com^
+||bmdmtsqmymthdx.com^
+||bmebkkzcb.com^
+||bmggqehmcvny.xyz^
+||bmgipyr.com^
+||bmjidc.xyz^
+||bmjlzyjwwmwyk.top^
+||bmjrzfxpd.com^
+||bmkkmlanqklma.top^
+||bmkz57b79pxk.com^
+||bmlcuby.com^
+||bmmauazi.com^
+||bmptbyb.com^
+||bmqtvmdg.xyz^
+||bmvjxiiijtebtu.com^
+||bmwrbwei.xyz^
+||bmwswvslswt.com^
+||bmycupptafr.com^
+||bmydajrkaw.com^
+||bmzarsyxmsg.com^
+||bn5x.net^
+||bnagilu.com^
+||bncloudfl.com^
+||bnczrbrhiacp.com^
+||bnevymqyjji.com^
+||bnfoeabisp.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^
+||bnivcpronr.com^
+||bnmjjwinf292.com^
+||bnmkl.com^
+||bnmnkib.com^
+||bnmtgboouf.com^
+||bnohewjt.com^
+||bnpmtoazgw.com^
+||bnr.sys.lv^
+||bnrdom.com^
+||bnrs.it^
+||bnrsis.com^
+||bnrslks.com^
+||bnserving.com^
+||bnster.com^
+||bnwmyguuzvk.com^
+||bnxiorj2a.com^
+||bo2ffe45ss4gie.com^
+||boabeeniptu.com^
+||boacheeb.com^
+||boahnoy.com^
+||boahoupi.com^
+||boakauso.com^
+||boalawoa.xyz^
+||boannre.com^
+||boannred.com^
+||boaphaps.net^
+||boaphoot.com^
+||boardmotion.xyz^
+||boardpress-b.online^
+||boardypocosen.click^
+||boarshrubforemost.com^
+||boastego.xyz^
+||boastemployer.com^
+||boastfive.com^
+||boasttrial.com^
+||boastwelfare.com^
+||boatheeh.com^
+||boatjadeinconsistency.com^
+||boatoamo.com^
+||bobabillydirect.org^
+||bobboro.com^
+||bobgames-prolister.com^
+||bobqucc.com^
+||bocoyoutage.com^
+||bodaichi.xyz^
+||bodaile.com^
+||bodelen.com^
+||bodieshomicidal.com^
+||bodilymust.com^
+||bodilypotatoesappear.com^
+||bodilywondering.com^
+||bodyguardencouraged.com^
+||bodyignorancefrench.com^
+||bodytasted.com^
+||boenedb.com^
+||boeneds.com^
+||boeojpmxvwbgn.com^
+||boffinsoft.com^
+||boffoadsfeeds.com^
+||bofhlzu.com^
+||bogrodius.com^
+||bogus-disk.com^
+||boharaf.com^
+||boheasceile.top^
+||boheir.com^
+||bohowhepsked.com^
+||bohpvdmwjl.com^
+||boilabsent.com^
+||boiledperseverance.com^
+||boilerefforlessefforlessregistered.com^
+||boilingloathe.com^
+||boilingtruce.com^
+||boilingviewed.com^
+||boilslashtasted.com^
+||boilwiggle.com^
+||boinkcash.com^
+||boisterousemblem.com^
+||bokeden.com^
+||bolagsubsept.top^
+||boldboycott.com^
+||boldinsect.pro^
+||boldscantyfrustrating.com^
+||boledrouth.top^
+||bollyocean.com^
+||bolofoak.net^
+||boloptrex.com^
+||bolrookr.com^
+||bolsek.ru^
+||bolssc.com^
+||bolteffecteddanger.com^
+||boltepse.com^
+||bonad.io^
+||bonafides.club^
+||bondagecoexist.com^
+||bondagetrack.com^
+||bondfondif.com^
+||boneporridge.com^
+||bonertraffic13.info^
+||bonertraffic14.info^
+||bonesinoffensivebook.com^
+||bongacams7.com^
+||bongaucm.xyz^
+||bongauns.xyz^
+||bongosstygian.click^
+||bonicus.com^
+||bonjonetwork.com^
+||bonnesporgy.top^
+||bonnettaking.com^
+||bonomans.com^
+||bonus-app.net^
+||bonuscontract.com^
+||bonusmaniac.com^
+||bonusshatter.com^
+||bonyspecialist.pro^
+||bonzai.ad^
+||boodaisi.xyz^
+||booddianoia.top^
+||boodymauves.com^
+||boogopee.com^
+||bookadil.com^
+||bookbannershop.com^
+||bookcrazystadium.com^
+||bookedbonce.top^
+||bookeryboutre.com^
+||bookletalternative.com^
+||bookletcanvass.com^
+||bookletfreshmanbetray.com^
+||bookmakers.click^
+||bookmsg.com^
+||bookpostponemoreover.com^
+||bookshelfcomplaint.com^
+||bookstaircasenaval.com^
+||bookstoreforbiddeceive.com^
+||boolevool.com^
+||boom-boom-vroom.com^
+||boomads.com^
+||boominfluxdrank.com^
+||boomouso.xyz^
+||boomspomard.shop^
+||boomwalkertraveller.com^
+||boongsmokeho.com^
+||boorsasteria.top^
+||booseed.com^
+||booshoune.com^
+||booshout.com^
+||boosiesnudd.top^
+||boost-next.co.jp^
+||boostcdn.net^
+||boostclic.com^
+||boostcpm.su^
+||booster-vax.com^
+||booster.monster^
+||boostog.net^
+||bootharchie.com^
+||bootstrap-framework.org^
+||bootstrap-js.com^
+||bootstraplugin.com^
+||bootvolleyball.com^
+||bootypleatpublisher.com^
+||boovoogie.net^
+||bop-bop-bam.com^
+||boptegre.com^
+||boqmjxtkwn.com^
+||borablejoky.shop^
+||bordsnewsjule.com^
+||boredombizarrerepent.com^
+||borehatchetcarnival.com^
+||borghgeog.com^
+||borhaj.com^
+||boringassistantincite.com^
+||boringbegglanced.com^
+||boriskink.com^
+||bornebeautify.com^
+||bornrefreshmentheater.com^
+||borofez.com^
+||bororango.com^
+||borotango.com^
+||boroup.com^
+||borrowdefeat.com^
+||borrowedtransition.com^
+||borrowingbalm.com^
+||borrowmarmotforester.com^
+||borumis.com^
+||borzjournal.ru^
+||bosda.xyz^
+||boshaulr.net^
+||bosodeterna.com^
+||bosomunidentifiedbead.com^
+||bosplyx.com^
+||bosquehaafs.top^
+||bossdescendentrefer.com^
+||bossyinternal.pro^
+||bostonwall.com^
+||bostopago.com^
+||bot-checker.com^
+||bothele.com^
+||bothererune.com^
+||botherlightensideway.com^
+||bothsemicolon.com^
+||bothwest.pro^
+||botsaunirt.com^
+||bottledfriendship.com^
+||bottledinfectionearthquake.com^
+||bottleschance.com^
+||bottlescharitygrowth.com^
+||bottleselement.com^
+||boudja.com^
+||boufikesha.net^
+||boughtjovialamnesty.com^
+||bouhaisaufy.com^
+||bouhoagy.net^
+||boulevardpilgrim.com^
+||bounceads.net^
+||bouncebidder.com^
+||bouncingbalconysuperior.com^
+||bouncy-collar.com^
+||bouncy-wheel.pro^
+||boundaryconcentrateobscene.com^
+||boundarygoose.com^
+||boundsinflectioncustom.com^
+||bouphaig.net^
+||bouptosaive.com^
+||bourrepardale.com^
+||boustahe.com^
+||bouvierbang.com^
+||bouwehee.xyz^
+||bouwhaici.net^
+||bovidsacate.com^
+||bowedcounty.com^
+||boweddemand.com^
+||bowerywill.com^
+||bowldescended.com^
+||bowlinfiorite.com^
+||bowlingconcise.com^
+||bowlprick.com^
+||bowlpromoteintimacy.com^
+||bowlsolicitor.com^
+||boxappellation.com^
+||boxernightdilution.com^
+||boxernipplehopes.com^
+||boxerparliamenttulip.com^
+||boxiti.net^
+||boxlikepavers.com^
+||boxlivegarden.com^
+||boxofficehelping.com^
+||boxofwhisper.com^
+||boxtopgirts.top^
+||boxvunkppus.com^
+||boycottcandle.com^
+||boydomsince.shop^
+||boyfriendtrimregistered.com^
+||boyishdefend.com^
+||boyishdetrimental.com^
+||boyishstatisticsdear.com^
+||boyughaye.com^
+||boyunakylie.com^
+||boywhowascr.info^
+||bp9l1pi60.pro^
+||bpaednxqd.com^
+||bpgeylke.xyz^
+||bpiomsgxkfphrg.com^
+||bpjgiwzzmgjp.com^
+||bpmvdlt.com^
+||bpmvkvb.com^
+||bpnygytgjt.com^
+||bponxqlit.com^
+||bptracking.com^
+||bptssoahsfoz.com^
+||bpwwsusgb.com^
+||bqeuffmdobmpoe.xyz^
+||bqiajdqye.com^
+||bqjoskqwuiisbs.com^
+||bqklioghtnqs.com^
+||bqkwfioyd.xyz^
+||bqpvduxtfhwsd.com^
+||bqscznsc.com^
+||bqszmacv.com^
+||bqxhgnf.com^
+||br3azil334nutsz.com^
+||braceletdistraughtpoll.com^
+||bracerulcered.top^
+||bracespickedsurprise.com^
+||braceudder.com^
+||bracketterminusalias.com^
+||brada.buzz^
+||bradleyscannertortoise.com^
+||bradleysolarconstant.com^
+||braflipperstense.com^
+||braggingbehave.com^
+||bragspiritualstay.com^
+||braidformulathick.com^
+||braidprosecution.com^
+||braidrainhypocrite.com^
+||braidsagria.com^
+||brainient.com^
+||brainlessshut.com^
+||brainlyads.com^
+||brainsdulc.com^
+||braintb.com^
+||brakercorvet.top^
+||brakesequator.com^
+||brakestrucksupporter.com^
+||braketoothbrusheject.com^
+||brakiefissive.com^
+||branchesdollar.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^
+||brandstds.com^
+||brandygobian.com^
+||branleranger.com^
+||brantafaking.top^
+||brasscurls.com^
+||brassstacker.com^
+||brasthingut.com^
+||bravetense.com^
+||bravotrk.com^
+||brawerverism.com^
+||brawlperennialcalumny.com^
+||brazenwholly.com^
+||brbupali.com^
+||brdhbgcp.com^
+||breadpro.com^
+||breadsincerely.com^
+||breadthneedle.com^
+||breakdownreprintsentimental.com^
+||breakfastinvitingdetergent.com^
+||breakfastsinew.com^
+||breakingarable.com^
+||breakingfeedz.com^
+||breakingreproachsuspicions.com^
+||breakthroughfuzzy.com^
+||breakupprediction.com^
+||breastfeedingdelightedtease.com^
+||breathelicense.com^
+||breathtakingdetachwarlock.com^
+||brecciastroke.top^
+||brechtembrowd.com^
+||bred4tula.com^
+||breechesbottomelf.com^
+||breechessteroidconsiderable.com^
+||breedergig.com^
+||breederpainlesslake.com^
+||breederparadisetoxic.com^
+||breedingpulverize.com^
+||breedselance.top^
+||breedtagask.com^
+||breezefraudulent.com^
+||brenn-wck.com^
+||brewailmentsubstance.com^
+||brewingjoie.com^
+||brewsuper.com^
+||breynvqbjwaz.top^
+||brfzpaffgni.com^
+||bricksconsentedhanky.com^
+||bridedeed.com^
+||bridesargean.click^
+||brideshieldstaircase.com^
+||bridgearchly.com^
+||bridgetrack.com^
+||brief-tank.pro^
+||briefaccusationaccess.com^
+||briefcasebuoyduster.com^
+||briefengineer.pro^
+||brieflizard.com^
+||briefready.com^
+||briesziphius.com^
+||brightenpleasurejest.com^
+||brighteroption.com^
+||brightonclick.com^
+||brightscarletclo.com^
+||brightshare.com^
+||brikinhpaxk.com^
+||brillianceherewife.com^
+||brimmallow.com^
+||brimmedbryozoa.com^
+||bringchukker.com^
+||bringclockwise.com^
+||bringglacier.com^
+||bringthrust.com^
+||brinkprovenanceamenity.com^
+||brioletredeyes.com^
+||bristlemarinade.com^
+||bristlepuncture.com^
+||britaininspirationsplendid.com^
+||brithungown.com^
+||britishbeheldtask.com^
+||britishdividechess.com^
+||britishensureplease.com^
+||britishgrease.com^
+||britishinquisitive.com^
+||brittleraising.com^
+||brksxofnsadkb.xyz^
+||brmwmmazmemmk.top^
+||bro.kim^
+||bro4.biz^
+||broadliquorsecretion.com^
+||broadsheetblaze.com^
+||broadsheetcounterfeitappeared.com^
+||broadsheetorsaint.com^
+||broadsheetspikesnick.com^
+||broadsimp.site^
+||broadsview.site^
+||brocardcored.com^
+||brocardgillar.com^
+||broced.co^
+||brocksjo.top^
+||brocode1s.com^
+||brocode2s.com^
+||brocode3s.com^
+||brocode4s.com^
+||brodmn.com^
+||brodownloads.site^
+||brogetcode1s.com^
+||brogetcode4s.cc^
+||broghpiquet.com^
+||broidensordini.com^
+||brokeloy.com^
+||brokemeritreduced.com^
+||brokennails.org^
+||brokerbabe.com^
+||brokercontinualpavement.com^
+||brokergesture.com^
+||brokerspunacquired.com^
+||brollmoocha.top^
+||bromidsluluai.com^
+||bromiosgemmula.shop^
+||bromoilnapalms.com^
+||bromusic.site^
+||bromusic3s.site^
+||bronchichogset.com^
+||broncogainer.top^
+||bronzeinside.com^
+||broochtrade.com^
+||brookbrutallovers.com^
+||brooknaturalists.com^
+||brookredheadpowerfully.com^
+||broomemulation.com^
+||broomsdoable.top^
+||bropu2.com^
+||broredir1s.site^
+||brothersparklingresolve.com^
+||broughtalienshear.com^
+||broughtenragesince.com^
+||broughtincompatiblewasp.com^
+||broweb.site^
+||brown-gas.com^
+||broworker4s.com^
+||broworker6s.com^
+||broworker7.com^
+||broworkers5s.com^
+||browse-boost.com^
+||browsedscaroid.com^
+||browserdownloadz.com^
+||browserr.top^
+||browsers.support^
+||browsesafe-page.info^
+||browsiprod.com^
+||browsobsolete.com^
+||brqhyzk.com^
+||brrpyuepv.com^
+||brtenusjkmgyb.com^
+||brtsumthree.com^
+||brucelead.com^
+||bruceleadx.com^
+||bruceleadx1.com^
+||brucineborneo.top^
+||bruisedpaperworkmetre.com^
+||bruiseslumpy.com^
+||bruisesromancelanding.com^
+||bruitedhurrahs.com^
+||brunchcreatesenses.com^
+||brunetteattendanceawful.com^
+||bruntstabulae.com^
+||brupu.com^
+||bruscharogers.top^
+||brutalconfer.com^
+||brutebaalite.top^
+||bruteknack.com^
+||brutestayer.top^
+||brutishlylifevoicing.com^
+||brvkzwjrjznaw.top^
+||brvuyvzdo.com^
+||brwahycubquqeu.xyz^
+||brwaraykbrmek.top^
+||brygella.com^
+||bryond.com^
+||bryovo.com^
+||bs50tds.com^
+||bsantycbjnf.com^
+||bsbrcdna.com^
+||bsfofnphcuj.com^
+||bsgbd77l.de^
+||bsgeneral.com^
+||bsginiha.com^
+||bshrdr.com^
+||bsilzzc.com^
+||bsjusnip.com^
+||bsolaoecm.xyz^
+||bsshcuxgxtovjv.com^
+||bswakciowtsmnm.com^
+||bsxqnbhahvjrrry.com^
+||bsyftapbp.com^
+||btagmedia.com^
+||btcnews.one^
+||btdirectnav.com^
+||btdnav.com^
+||btkwlsfvc.com^
+||btlpaobvgxihw.com^
+||btnativedirect.com^
+||btodsjr.com^
+||btpnative.com^
+||btpnav.com^
+||btpremnav.com^
+||btprmnav.com^
+||btrihnvkprgnbh.xyz^
+||bttrack.com^
+||btvhdscr.com^
+||btvuiqgio.xyz^
+||btxdbuaxn.com^
+||btxxxnav.com^
+||bu3le2lp4t45e6i.com^
+||buatru.xyz^
+||bubbledevotion.com^
+||bubblestownly.com^
+||bubbly-condition.pro^
+||bubrintta.com^
+||buccanslabby.top^
+||buckeyekantars.com^
+||buckumoore.com^
+||buckwheatchipwrinkle.com^
+||bucojjqcica.com^
+||budapebluest.com^
+||buddedmakua.top^
+||buddyassetstupid.com^
+||buddyguests.com^
+||budgepoachaction.com^
+||budgerbureaux.top^
+||budgetportrait.com^
+||budroups.xyz^
+||budsminepatent.com^
+||budvawshes.ru^
+||bueidvjdy.com^
+||buency.com^
+||buezsud.com^
+||buffalocommercialplantation.com^
+||buffcenturythreshold.com^
+||buffethypothesis.com^
+||buffetreboundfoul.com^
+||bugattest.com^
+||bugleczmoidgxo.com^
+||buglesembarge.top^
+||bugraubs.com^
+||bugs2022.com^
+||bugsattended.com^
+||bugsenemies.com^
+||bugstractorbring.com^
+||buhatfjrk9dje10eme.com^
+||buicks.xyz^
+||buikolered.com^
+||buildfunctionrainy.com^
+||buildnaq91.site^
+||buildneighbouringteam.com^
+||buildsmodeling.com^
+||builthousefor.com^
+||builtinintriguingchained.com^
+||builtinproceeding.com^
+||bujerdaz.com^
+||bukash2jf8jfpw09.com^
+||bulbbounds.com^
+||bulbofficial.com^
+||bulcqmteuc.com^
+||bulginglair.com^
+||bulkaccompanying.com^
+||bulkd.co^
+||bulky-battle.com^
+||bulkyfriend.com^
+||bull00shit.com^
+||bull3t.co^
+||bullads.net^
+||bulletinwarmingtattoo.com^
+||bulletprofitads.com^
+||bulletprofitpop.com^
+||bulletproxy.ch^
+||bulletrepeatedly.com^
+||bullionglidingscuttle.com^
+||bullionyield.com^
+||bullromney.shop^
+||bullyingmusetransaction.com^
+||bulochka.xyz^
+||bulrev.com^
+||bulserv.com^
+||bultaika.net^
+||bulyiel.com^
+||bumblecash.com^
+||bumlabhurt.live^
+||bummerentertain.com^
+||bumog.xyz^
+||bumpexchangedcadet.com^
+||bumphsquilla.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^
+||buoyant-force.pro^
+||buoyant-quote.pro^
+||buoycranberrygranulated.com^
+||buoydeparturediscontent.com^
+||bupatp.com^
+||bupbrosrn.com^
+||buqajvxicma.com^
+||buqbxdqurj.xyz^
+||buqkrzbrucz.com^
+||buram.xyz^
+||burbarkholpen.com^
+||bureauelderlydivine.com^
+||bureautrickle.com^
+||bureauxcope.casa^
+||burgea.com^
+||burghkharwa.com^
+||burglaryeffectuallyderange.com^
+||burglaryrunner.com^
+||burgomeg.com^
+||burialdiffer.com^
+||burialsupple.com^
+||burlapretorted.com^
+||burlyenthronebye.com^
+||burntarcherydecompose.com^
+||burntclear.com^
+||burstcravecraving.com^
+||burstingdipper.com^
+||burstyvaleta.top^
+||burydwellingchristmas.com^
+||bushesawaitfeminine.com^
+||bushibousy.click^
+||busilyenterprisingforetaste.com^
+||businessenviron.com^
+||businessessities.com^
+||businesslinenow.com^
+||businessmenmerchandise.com^
+||businessmensynonymmidwife.com^
+||buskerreshoes.website^
+||bussydetune.top^
+||bustlemiszone.com^
+||bustleravail.com^
+||bustling-substance.pro^
+||busychopdenounce.com^
+||busyexit.com^
+||busytunnel.com^
+||butalksuw9dj10.com^
+||butcherhashexistence.com^
+||butlerdelegate.com^
+||butrathakinrol.com^
+||butterflyitem.com^
+||butterflypronounceditch.com^
+||butterflyunkindpractitioner.com^
+||buttersource.com^
+||buttonprofane.top^
+||buxbaumiaceae.sbs^
+||buyadvupfor24.com^
+||buyblotch.com^
+||buyeasy.by^
+||buyfrightencheckup.com^
+||buylnk.com^
+||buyseoblog.com^
+||buythetool.co^
+||buyvisblog.com^
+||buzffovvq.com^
+||buzzardcraizey.com^
+||buzzdancing.com^
+||buzzingdiscrepancyheadphone.com^
+||buzzsawosi.com^
+||buzzvids-direct.com^
+||bvaklczasp.com^
+||bvaokbigs.com^
+||bvcsfcx.com^
+||bvepgbnjgdubvz.com^
+||bvlbcqcg.com^
+||bvmcdn.com^
+||bvmcdn.net^
+||bvoqzs.com^
+||bvtfutroyr.com^
+||bvudraqxpl.com^
+||bvyblnenz.com^
+||bwaerxjkaq.com^
+||bwbmyzvnjqwna.top^
+||bwgmymp.com^
+||bwnmwhblsf.com^
+||bwozo9iqg75l.shop^
+||bwpirrwsh.com^
+||bwpuoba.com^
+||bwtcilgll.com^
+||bwvqjqmlkezjk.top^
+||bwwhcljtytrpo.com^
+||bxacmsvmxb.com^
+||bxevkphcx.com^
+||bxikceucv.com^
+||bxmpcfzlllej.com^
+||bxpjpkldxrsss.xyz^
+||bxpwfdmmhlgccon.com^
+||bxrfbsrlerio.com^
+||bxrqdnkb.com^
+||bxsk.site^
+||bxvirhgaq.com^
+||bxvlyrw.com^
+||bxxvmjrpegqy.com^
+||byaiufr.com^
+||byambipoman.com^
+||byaronan.com^
+||byauyahgcobvjkq.com^
+||bybastiodoner.com^
+||bybmahbyaidix.com^
+||bybyjrnrqqqqr.top^
+||byccvtl.com^
+||bycelebian.com^
+||bydusclopsa.com^
+||byeej.com^
+||byfoongusor.com^
+||bygliscortor.com^
+||bygoneudderpension.com^
+||bygsworlowe.info^
+||byhoppipan.com^
+||byildmkzjyjx.com^
+||byluvdiscor.com^
+||bymyth.com^
+||bynix.xyz^
+||bypasseaseboot.com^
+||bypassmaestro.com^
+||byrkmeibah.com^
+||bytesdictatescoop.com^
+||bytesreunitedcedar.com^
+||bytogeticr.com^
+||byvammyzaljzl.top^
+||byvhtcpfoom.com^
+||byvmvfllobup.com^
+||byvngx98ssphwzkrrtsjhnbyz5zss81dxygxvlqd05.com^
+||byvpezdzmpureo.com^
+||bywntfg.com^
+||bywordmiddleagedpowder.com^
+||bywtdaelbjbhz.com^
+||byxcbixzvjclxz.com^
+||byyanmaor.com^
+||bzamusfalofn.com^
+||bzniungh.com^
+||bzoqrlkd.com^
+||bzsiyxkvehty.com^
+||bzuyxqrmndod.com^
+||bzwo2lmwioxa.com^
+||bzzmlqyzjrrw.top^
+||c-4fambt.com^
+||c00f653366.com^
+||c019154d29.com^
+||c01d3ac9cb.com^
+||c0594.com^
+||c0ae703671.com^
+||c0me-get-s0me.net^
+||c26817682b.com^
+||c2aef8ab51.com^
+||c2dbb597b0.com^
+||c43a3cd8f99413891.com^
+||c44wergiu87heghoconutdx.com^
+||c473f6ab10.com^
+||c5cdfd1601.com^
+||c67209d67f.com^
+||c67524ad03.com^
+||c67adca.com^
+||c71genemobile.com^
+||c7ee346412.com^
+||c7vw6cxy7.com^
+||c83cf15c4f.com^
+||c8f9398ccd.com^
+||c917ed5198.com^
+||c991aea613.com^
+||c9emgwai66zi.com^
+||c9l.xyz^
+||ca3b526022.com^
+||ca3m6ari9rllo.com^
+||ca4psell23a4bur.com^
+||ca548318cc.com^
+||ca5f66c8ef.com^
+||ca72472d7aee.com^
+||caahwq.com^
+||cabbagesemestergeoffrey.com^
+||cabbingdandled.com^
+||cabhwq.com^
+||cableddubbeh.top^
+||cabnnr.com^
+||cabombaskopets.life^
+||cabotblatant.top^
+||cachegorilla.com^
+||cachegorilla.net^
+||cachuadirked.top^
+||cacklesmalapi.top^
+||cackverbile.top^
+||cacvduyrybba.xyz^
+||cadbitff.com^
+||cadencedisruptgoat.com^
+||cadencesubject.com^
+||cadlsyndicate.com^
+||cadrctlnk.com^
+||cadsecs.com^
+||cadsimz.com^
+||cadskiz.com^
+||caeli-rns.com^
+||caesardamaging.com^
+||cafenehkikki.com^
+||cafeteriasobwaiter.com^
+||cafvyfdqedjc.xyz^
+||cagakzcwyr.com^
+||cageinattentiveconfederate.com^
+||cagerssoohong.com^
+||cagesscan.com^
+||caglaikr.net^
+||caglonseeh.com^
+||cagolgzazof.com^
+||cagothie.net^
+||cagwalxhlfqszv.com^
+||cahvpbsikxvvm.xyz^
+||caibtwnpvta.xyz^
+||caicuptu.xyz^
+||caigobou.com^
+||caimoasy.net^
+||cainauhi.xyz^
+||cairalei.com^
+||caitoasece.com^
+||caizutoh.xyz^
+||cajanggaun.top^
+||cajanwammus.top^
+||cajdldhaci.com^
+||cajggfj.com^
+||cajipdiqqjijeh.xyz^
+||cajrijrhov.com^
+||cajsritwoamx.com^
+||cakeprofessionally.com^
+||cakiglun.xyz^
+||calamitydisc.com^
+||calamityfortuneaudio.com^
+||calashanterin.top^
+||calasterfrowne.info^
+||calcpol.com^
+||calculateproducing.com^
+||calendarpedestal.com^
+||calepinphrasal.com^
+||calibrelugger.com^
+||calicutscrubby.top^
+||calksenfire.com^
+||callalelel.info^
+||calledoccultimprovement.com^
+||callmeooumou.com^
+||callprintingdetailed.com^
+||callyourinformer.com^
+||calmlyilldollars.com^
+||calmlyvacuumwidth.com^
+||calomelsiti.com^
+||caltertangintin.com^
+||calumnylightlyspider.com^
+||calvali.com^
+||camads.net^
+||camberchimp.com^
+||cambridgeinadmissibleapathetic.com^
+||cambridgeincompetenceresearch.com^
+||cameesse.net^
+||camelcappuccino.com^
+||camiocw.com^
+||cammpaign.com^
+||camouque.net^
+||campiernoggins.shop^
+||campingknown.com^
+||campjupiterjul.com^
+||camplacecash.com^
+||campootethys.com^
+||camprime.com^
+||camptrck.com^
+||camptwined.com^
+||campusmister.com^
+||cams.gratis^
+||camschat.net^
+||camshq.info^
+||camsitecash.com^
+||camstime.life^
+||camzap.com^
+||can-get-some.in^
+||can-get-some.net^
+||canadianbedevil.com^
+||canarystarkcoincidence.com^
+||cancriberths.com^
+||candiedguilty.com^
+||candiedtouch.com^
+||candiothoveled.com^
+||candleannihilationretrieval.com^
+||candyhiss.com^
+||candypeaches.com^
+||candyprotected.com^
+||candyschoolmasterbullying.com^
+||canededicationgoats.com^
+||canellecrazy.com^
+||canganzimbi.com^
+||cangatu.xyz^
+||canoemissioninjunction.com^
+||canoevaguely.com^
+||canonch.pro^
+||canoperation.com^
+||canopusacrux.com^
+||canopusacrux.top^
+||canramble.com^
+||cansdecyne.com^
+||canstrm.com^
+||canvassblanketjar.com^
+||canzosswager.com^
+||caoqebfaqnswc.com^
+||cap-cap-pop.com^
+||capableimpregnablehazy.com^
+||capaciousdrewreligion.com^
+||caperedlevi.com^
+||capetumbledcrag.com^
+||caphaiks.com^
+||caphrizing.com^
+||capitalhasterussian.com^
+||capitalistblotbits.com^
+||capitalistlukewarmdot.com^
+||capndr.com^
+||capounsou.com^
+||cappens-dreperor.com^
+||capricedes.com^
+||capricetheme.com^
+||capricewailinguniversity.com^
+||capricornplay.com^
+||caprizecaprizeretrievaltattoo.com^
+||capsulemelinda.top^
+||captainad.com^
+||captchafine.live^
+||captivatecustomergentlemen.com^
+||captivatepestilentstormy.com^
+||captivebleed.com^
+||captiveimpossibleimport.com^
+||captivityhandleicicle.com^
+||captureleaderdigestion.com^
+||capturescaldsomewhat.com^
+||capwilyunseen.com^
+||car-bidpush.net^
+||carackirish.shop^
+||caraganaarborescenspendula.com^
+||caravancomplimentenabled.com^
+||carbonads.com^
+||carcflma.de^
+||cardboardexile.com^
+||cardiwersg.com^
+||careersadorable.com^
+||careersletbacks.com^
+||careerslowblond.com^
+||carefoxhired.top^
+||carefree-ship.pro^
+||carelesssequel.com^
+||carelesstableinevitably.com^
+||caressleazy.com^
+||caresspincers.com^
+||careuropecreatures.com^
+||carfulsranquel.com^
+||cargodescent.com^
+||caribedkurukh.com^
+||caricaturechampionshipeye.com^
+||cariousimpatience.com^
+||cariousinevitably.com^
+||carlingquerent.com^
+||carlosappraisal.com^
+||carlossteady.com^
+||carmeleanurous.com^
+||carnivalaudiblelemon.com^
+||carnivalradiationwage.com^
+||caroakitab.com^
+||carousepygopod.com^
+||carpenterexplorerdemolition.com^
+||carpfreshtying.com^
+||carpi3fnusbetgu5lus.com^
+||carpincur.com^
+||carriedamiral.com^
+||carrierdestined.com^
+||carrydollarcrashed.com^
+||carryingfarmerlumber.com^
+||carsickpractice.com^
+||cartining-specute.com^
+||cartmansneest.com^
+||cartrigechances.com^
+||carungo.com^
+||carvagemidweek.shop^
+||carvedcoming.top^
+||carverfashionablegorge.com^
+||carverfowlsmourning.com^
+||carverfrighten.com^
+||carvermotto.com^
+||carverstingy.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^
+||cashewsforlife208.com^
+||cashibohs.digital^
+||cashieratrocity.com^
+||cashlayer.com^
+||cashmylinks.com^
+||cashtrafic.com^
+||cashtrafic.info^
+||casinohacksforyou.com^
+||casionest292flaudient.com^
+||casize.com^
+||caskcountry.com^
+||caspion.com^
+||casquesnookie.top^
+||cassetteenergyincoming.com^
+||cassetteflask.com^
+||cassettelancefriday.com^
+||cassettesandwicholive.com^
+||castanydm.com^
+||casterpretic.com^
+||castingmannergrim.com^
+||castleconscienceenquired.com^
+||castpallium.com^
+||casualhappily.com^
+||casualproof.com^
+||casumoaffiliates.com^
+||cataloguerepetition.com^
+||cataractdisinteresteddressing.com^
+||cataractencroach.com^
+||catastropheillusive.com^
+||catchymorselguffaw.com^
+||catcxao.com^
+||cateringblizzardburn.com^
+||catgride.com^
+||catharskeek.top^
+||cathedralforgiveness.com^
+||cathedralinthei.info^
+||cathrynslues.com^
+||catiligh.ru^
+||cationinin.com^
+||cationinina.one^
+||cattishfearfulbygone.com^
+||cattishhistoryexplode.com^
+||cattishinquiries.com^
+||cattleabruptlybeware.com^
+||cattledisplace.com^
+||catukhyistk.org^
+||catukhyistke.info^
+||catwalkoutled.com^
+||catwenbat.com^
+||catwrite.com^
+||catxkeopwc.com^
+||caubichofus.com^
+||caufirig.com^
+||caughtciv.com^
+||caugrush.com^
+||cauldronrepellentcanvass.com^
+||caulifloweraircraft.com^
+||cauliflowercutlerysodium.com^
+||cauliflowertoaster.com^
+||cauliflowervariability.com^
+||caulisnombles.top^
+||caunauptipsy.com^
+||caunaurou.com^
+||caunuscoagel.com^
+||causeyoubusywithlife.com^
+||causingfear.com^
+||causingguard.com^
+||causoque.xyz^
+||caustopa.net^
+||cauthaushoas.com^
+||cautionpursued.com^
+||cauvousy.net^
+||cauyuksehink.info^
+||cavalryoppression.com^
+||cavebummer.com^
+||caveestate.com^
+||cavewrap.care^
+||caviarconcealed.com^
+||cawedburial.com^
+||cawlavzzap.com^
+||caxist.com^
+||cayusesalaite.top^
+||cb61190372.com^
+||cb7f35d82c.com^
+||cba-fed-igh.com^
+||cba6182add.com^
+||cbbd18d467.com^
+||cbd2dd06ba.com^
+||cbdedibles.site^
+||cbfdzofxzgbgor.com^
+||cbfpiqq.com^
+||cbnkmisvop.com^
+||cbpslot.com^
+||cbtpfkilcv.com^
+||cbyqzt.xy^
+||cc-dt.com^
+||cc5dce551d.com^
+||cc72fceb4f.com^
+||ccaa0e51d8.com^
+||ccaahdancza.com^
+||ccdneniusruhebl.com^
+||ccdrofvofrfkqah.com^
+||ccgkudwutf.com^
+||ccgnxkvwn.com^
+||ccgtnryf.com^
+||ccgzcavzbmztk.com^
+||cchdbond.com^
+||ccjhtrymhhljk.com^
+||ccjzuavqrh.com^
+||ccmdcinut.com^
+||ccmiocw.com^
+||ccn08sth.de^
+||ccoybmnjw.com^
+||ccpckbb.com^
+||ccprrjr.com^
+||ccrkpsu.com^
+||cctuhqghljzdrv.com^
+||ccypzigf.com^
+||cczqyvuy812jdy.com^
+||cd490573c64f3f.com^
+||cd4d8554b1.com^
+||cd828.com^
+||cdbqmlngkmwkpvo.xyz^
+||cdceed.de^
+||cdctwm.com^
+||cddtsecure.com^
+||cdeaffjujxchf.com^
+||cdfcnngojhp.com^
+||cdhvrrlyrawrxqd.xyz^
+||cdiklrgwisnu.com^
+||cdm48c9bg.com^
+||cdn-adtrue.com^
+||cdn-server.cc^
+||cdn-server.top^
+||cdn-service.com^
+||cdn.house^
+||cdn.insurads.com^
+||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^
+||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^
+||cdojukbtib.com^
+||cdosagebreakfast.com^
+||cdpqtuityras.com^
+||cdrvrs.com^
+||cdryuoe.com^
+||cdsbnrs.com^
+||cdtbox.rocks^
+||cdtxegwndfduk.xyz^
+||cduygiph.com^
+||cdwbjlmpyqtv.com^
+||cdwmpt.com^
+||cdwmtt.com^
+||cdwyjuchsqvwa.xyz^
+||ce2c208e9f.com^
+||ceasechampagneparade.com^
+||ceasedheave.com^
+||ceaslesswisely.com^
+||ceawvx.com^
+||cecqypgynertbfd.com^
+||ced843cd18.com^
+||ceebikoph.com^
+||ceekougy.net^
+||ceeleeca.com^
+||ceemoptu.xyz^
+||ceeqgwt.com^
+||ceethipt.com^
+||ceezepegleze.xyz^
+||cefuthodob.com^
+||cegadazwdsp.com^
+||cegloockoar.com^
+||ceilingbruiseslegend.com^
+||cekgsyc.com^
+||celeb-ads.com^
+||celebnewsuggestions.com^
+||celebratedrighty.com^
+||celebratethreaten.com^
+||celebrationfestive.com^
+||celebroun.top^
+||celebsreflect.com^
+||celeftrmfyq.xyz^
+||celeritascdn.com^
+||celeryisolatedproject.com^
+||cellaraudacityslack.com^
+||cellarlocus.com^
+||cellarpassion.com^
+||cellojapanelmo.info^
+||cellspsoatic.com^
+||celsiusours.com^
+||cemaaxyhrcaf.com^
+||cematuran.com^
+||cementobject.com^
+||cemeterybattleresigned.com^
+||cemeterysimilar.com^
+||cemiocw.com^
+||cenaclesuccoth.com^
+||cendantofth.org^
+||ceneverdreams.org^
+||cennter.com^
+||centalkochab.com^
+||centerattractivehimself.com^
+||centeredfailinghotline.com^
+||centeredmotorcycle.com^
+||centralnervous.net^
+||centredrag.com^
+||centrenicelyteaching.com^
+||centurybending.com^
+||centwrite.com^
+||cepewelkin.com^
+||cer43asett2iu5m.com^
+||ceramicalienate.com^
+||cerceipremon.com^
+||cerealsrecommended.com^
+||cerealssheet.com^
+||ceremonyavengeheartache.com^
+||certainlydisparagewholesome.com^
+||certaintyurnincur.com^
+||certificaterainbow.com^
+||certified-apps.com^
+||certifiedstarveeminent.com^
+||cervixskips.com^
+||ceryldelaine.com^
+||ces2007.org^
+||ceschemicalcovenings.info^
+||cesebsir.xyz^
+||cesebtp.com^
+||cessationcorrectmist.com^
+||cessationhamster.com^
+||cessationrepulsivehumid.com^
+||cestibegster.com^
+||ceteembathe.com^
+||cevocoxuhu.com^
+||cexlaifqgw.com^
+||cexlwqgvstesfs.com^
+||cexucetum.com^
+||ceznscormatio.com^
+||cf433af11b.com^
+||cf76b8779a.com^
+||cf97134c89.com^
+||cfcloudcdn.com^
+||cfd546b20a.com^
+||cfeb0910c5.com^
+||cfgr1.com^
+||cfgr5.com^
+||cfgrcr1.com^
+||cfikgqraxgznj.com^
+||cfivfadtlr.com^
+||cfrkiqyrtai.xyz^
+||cfrsoft.com^
+||cftpolished4.top^
+||cftpolished5.top^
+||cfusionsys.com^
+||cgbaybqywso.com^
+||cgcobmihb.com^
+||cgeckmydirect.biz^
+||cgsjaulupnd.com^
+||cgupialoensa.com^
+||cgyqybeqthaeb.com^
+||chachors.net^
+||chadseer.xyz^
+||chaeffulace.com^
+||chaerel.com^
+||chafesnitchenglish.com^
+||chaghets.net^
+||chagrinprivata.top^
+||chaibsoacmo.com^
+||chaidsimsubs.net^
+||chaifortou.net^
+||chainads.io^
+||chainconnectivity.com^
+||chaindedicated.com^
+||chainsdixain.shop^
+||chaintopdom.nl^
+||chainwalladsery.com^
+||chainwalladsy.com^
+||chaiphuy.com^
+||chaiptut.xyz^
+||chaipungie.xyz^
+||chairgaubsy.com^
+||chairmansmile.com^
+||chaisefireballresearching.com^
+||chaistos.net^
+||chalaips.com^
+||chalehcere.com^
+||chalkedretrieval.com^
+||chalkedsuperherorex.com^
+||challengecircuit.com^
+||chambermaidthree.xyz^
+||chambershoist.com^
+||chambersinterdependententirely.com^
+||chambersthanweed.com^
+||chameleostudios.com^
+||champakimpaled.top^
+||chancecorny.com^
+||chancellorharrowbelieving.com^
+||chancellorstocky.com^
+||chanceylagune.shop^
+||changarreviver.com^
+||changedmuffin.com^
+||changinggrumblebytes.com^
+||changingof.com^
+||changoscressed.top^
+||channeldrag.com^
+||channelvids.online^
+||channelvids.space^
+||chantypitmen.click^
+||chaomemoria.top^
+||chapcompletefire.com^
+||chapseel.com^
+||characterizecondole.com^
+||characterrealization.com^
+||characterrollback.com^
+||charbonbrooms.top^
+||charedecrus.top^
+||chargeheadlight.com^
+||chargenews.com^
+||chargeplatform.com^
+||chargerepellentsuede.com^
+||chargesimmoderatehopefully.com^
+||chargingforewordjoker.com^
+||charicymill.com^
+||charitydestinyscornful.com^
+||charitypaste.com^
+||charleyobstructbook.com^
+||charmingblur.com^
+||charmingresumed.com^
+||charsubsistfilth.com^
+||charterporous.com^
+||chartersettlingtense.com^
+||charterunwelcomealibi.com^
+||chaseherbalpasty.com^
+||chassirsaud.com^
+||chassnincom.com^
+||chastehandkerchiefclassified.com^
+||chatheez.net^
+||chatmazeful.shop^
+||chats2023.online^
+||chattedhelio.top
+||chatterboxtardy.com^
+||chaubseet.com^
+||chauckee.net^
+||chauckoo.xyz^
+||chaudoubeets.net^
+||chaudrep.net^
+||chauffeurreliancegreek.com^
+||chaugnortuw.net^
+||chaugroo.net^
+||chauinubbins.com^
+||chauksoam.xyz^
+||chaulsan.com^
+||chaunsoops.net^
+||chaupsoz.net^
+||chaursug.xyz^
+||chaussew.net^
+||chautcho.com^
+||chawedsonrai.top^
+||chbujyjyvshtcr.com^
+||chdkxgjtwflba.com^
+||cheap-celebration.pro^
+||cheap-trip.pro^
+||cheapcoveringpearl.com^
+||cheapenleaving.com^
+||cheatingagricultural.com^
+||cheatinghans.com^
+||cheatingstiffen.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-198-b.buzz^
+||check-tl-ver-235-1.com^
+||check-tl-ver-268-a.buzz^
+||check-tl-ver-294-2.com^
+||check-tl-ver-294-3.com^
+||check-tl-ver-54-1.com^
+||check-tl-ver-54-3.com^
+||check-tl-ver-85-1.com^
+||check-tl-ver-85-2.com^
+||check-tl-ver-94-1.com^
+||checkaf.com^
+||checkbookdisgusting.com^
+||checkcdn.net^
+||checkinggenerations.com^
+||checkluvesite.site^
+||checkm8.com^
+||checkoutfree.com^
+||checkup02.biz^
+||checkupbankruptfunction.com^
+||checkupforecast.com^
+||checkyofeed.com^
+||cheebetoops.com^
+||cheecmou.com^
+||cheeghek.xyz^
+||cheekobsu.com^
+||cheekysleepyreproof.com^
+||cheelroo.net^
+||cheeltee.net^
+||cheemtoo.com^
+||cheepurs.xyz^
+||cheeradvise.com^
+||cheerful-resolution.com^
+||cheerfullyassortment.com^
+||cheerfullybakery.com^
+||cheerfulwaxworks.com^
+||cheeringashtrayherb.com^
+||cheerlessbankingliked.com^
+||cheeroredraw.com^
+||cheerysavouryridge.com^
+||cheerysequelhoax.com^
+||cheesyreinsplanets.com^
+||cheesythirtycloth.com^
+||cheetieaha.com^
+||cheewhoa.net^
+||chefattend.com^
+||chefishoani.com^
+||cheksoam.com^
+||chelsady.net^
+||chemistryscramble.com^
+||chemitug.net^
+||chemtoaxeehy.com^
+||chengaib.net^
+||cheno3yp5odt7iume.com^
+||chepsoan.xyz^
+||chequeholding.com^
+||cheqzone.com^
+||cherrynanspecification.com^
+||chetchen.net^
+||chetchoa.com^
+||chethgentman.live^
+||chettikmacrli.com^
+||chevetoelike.com^
+||chevyrailly.top^
+||cheweemtaig.com^
+||chewsrompedhemp.com^
+||chezenteric.top^
+||chezoams.com^
+||chfpgcbe.com^
+||chiantiriem.com^
+||chibaigo.com^
+||chibchasuffete.com^
+||chibritwasting.com^
+||chicks4date.com^
+||chicoamseque.net^
+||chiefegg.pro^
+||chieflyquantity.com^
+||chiglees.com^
+||chijauqybb.xyz^
+||chikaveronika.com^
+||childbirthprivaterouge.com^
+||childhoodtilt.com^
+||childishenough.com^
+||childlessporcupinevaluables.com^
+||childperfunctoryhunk.com^
+||childrenplacidityconclusion.com^
+||childrenweavestun.com^
+||childtruantpaul.com^
+||chiliadv.com^
+||chilicached.com^
+||chimamanndgaocozmi.com^
+||chimeddawt.top^
+||chimerscoshing.com^
+||chimneylouderflank.com^
+||china-netwave.com^
+||chinacontraryintrepid.com^
+||chinagranddad.com^
+||chinaslauras.com^
+||chioneflake.com^
+||chipleader.com^
+||chipmanksmochus.com^
+||chirppronounceaccompany.com^
+||chirtakautoa.xyz^
+||chitchooms.net^
+||chitika.net^
+||chitsnooked.com^
+||chl7rysobc3ol6xla.com^
+||chlift.com^
+||chmnscaurie.space^
+||chnmating.top^
+||cho7932105co3l2ate3covere53d.com^
+||choaboox.com^
+||choachim.com^
+||choacmax.xyz^
+||choaglee.com^
+||choaglocma.net^
+||choagrie.com^
+||choakalsimen.com^
+||choakaucmomt.com^
+||choapeek.com^
+||chockspunts.shop^
+||chocohjuanfhdhf.com^
+||chocolatebushbunny.com^
+||chocolatesingconservative.com^
+||choconart.com^
+||choiceencounterjackson.com^
+||choicesvendace.top^
+||chokedsmelt.com^
+||chokedstarring.com^
+||chokeweaknessheat.com^
+||chokupsupto.com^
+||cholatetapalos.com^
+||choocmailt.com^
+||choocmee.com^
+||choogeet.net^
+||choomsiesurvey.top^
+||choongou.com^
+||choongou.xyz^
+||chooptaun.net^
+||chooroogru.net^
+||chooseimmersed.com^
+||chooxaur.com^
+||choppedfraternityresume.com^
+||choppedtrimboulevard.com^
+||choppedwhisperinggirlie.com^
+||choptacache.com^
+||chordoay.xyz^
+||choreasjayhawk.top^
+||choreinevitable.com^
+||choruslockdownbumpy.com^
+||choseing.com^
+||chosenchampagnesuspended.com^
+||chosensoccerwriter.com^
+||chossoul.com^
+||choto.xyz^
+||chouchicky.com^
+||choudairtu.net^
+||chouftak.net^
+||choughigrool.com^
+||chouksee.xyz^
+||chounsee.xyz^
+||choupsee.com^
+||choutchi.net^
+||chouthep.net^
+||chozipeem.com^
+||chrantary-vocking.com^
+||chrif8kdstie.com^
+||chrisignateignatedescend.com^
+||chrisrespectivelynostrils.com^
+||christeningfathom.com^
+||christeningscholarship.com^
+||chrochr.com^
+||chroenl.com^
+||chrolae.com^
+||chrolal.com^
+||chronicads.com^
+||chroniclesugar.com^
+||chroococcoid.sbs^
+||chrothe.com^
+||chrysostrck.com^
+||chryvast.com^
+||chshcms.net^
+||chsrkred.com^
+||chtntr.com^
+||chubbymess.pro^
+||chuckledpulpparked.com^
+||chugaiwe.net^
+||chugsorlando.com^
+||chulhawakened.com^
+||chullohagrode.com^
+||chultoux.com^
+||chumsaft.com^
+||chunkstoreycurled.com^
+||chuptuwais.com^
+||churchalexis.com^
+||churchclassified.com^
+||churchkhela.site^
+||churchyardalludeaccumulate.com^
+||churci.com^
+||churnedflames.top^
+||chuxuwem.com^
+||chuxuwem.tv^
+||chvusgejxi.com^
+||chyjobopse.pro^
+||chylifycrisis.top^
+||ciajnlhte.xyz^
+||ciazdymfepv.com^
+||cicamica.xyz^
+||cickofou.com^
+||cideparenhem.com^
+||cidrulj.com^
+||ciedpso.com^
+||cifawsoqvawj.com^
+||cifqfyafsolzb.com^
+||cigaretteintervals.com^
+||cigarettenotablymaker.com^
+||cihoqvbqnbsv.com^
+||ciizxsdr.com^
+||ciksolre.net^
+||cilvhypjiv.xyz^
+||cima-club.club^
+||cimeterbren.top^
+||cimm.top^
+||cimoghuk.net^
+||cincherdatable.com^
+||cinelsneezer.shop^
+||cinemagarbagegrain.com^
+||cinemahelicopterwall.com^
+||cinuraarrives.com^
+||cipdn.com^
+||cipledecline.buzz^
+||cippusforebye.com^
+||ciqahsejb.com^
+||ciqzagzwao.com^
+||circuitingratitude.com^
+||circulationnauseagrandeur.com^
+||circumstanceshurdleflatter.com^
+||circumstantialplatoon.com^
+||circusinjunctionarrangement.com^
+||cirrateremord.com^
+||cirsoaksat.net^
+||cirtaisteept.net^
+||ciscoesfirring.guru^
+||cisfazpisju.com^
+||cisheeng.com^
+||cisiumducatus.shop^
+||cisiwa.site^
+||cissoidentera.top^
+||citadelpathstatue.com^
+||citatumpity.com^
+||citizenhid.com^
+||citizenshadowrequires.com^
+||cityadspix.com^
+||citycoordinatesnorted.com^
+||citydsp.com^
+||citysite.net^
+||civadsoo.net^
+||civetformity.com^
+||civilizationfearfulsniffed.com^
+||civilizationmoodincorporate.com^
+||civilizationperspirationhoroscope.com^
+||civilizationthose.com^
+||civith.com^
+||ciwedsem.xyz^
+||ciwhacheho.pro^
+||cixompoqpbgh.com^
+||cizujougneem.com^
+||cizzwykcug.com^
+||cj2550.com^
+||cjcbzqrwwi.com^
+||cjekfmidk.xyz^
+||cjewz.com^
+||cjhkmsguxlxgy.com^
+||cjkaihej.com^
+||cjlph.com^
+||cjnktmhcukfdcq.xyz^
+||cjqncwfxrfrwbdd.com^
+||cjrlsw.info^
+||cjrvsw.info^
+||cjt3w2kxrv.com^
+||cjvdfw.com^
+||cjviracrrlrzpc.com^
+||cjwdvcxscvtehvv.xyz^
+||cjxomyilmv.com^
+||cjyopjydlwkyu.com^
+||ckbynmeskffnn.com^
+||ckeyutgnwtsojbc.xyz^
+||ckfkigayvdb.com^
+||ckgsrzu.com^
+||ckiepxrgriwvbv.xyz^
+||ckjetuohm.com^
+||ckkpjtkqjqdnyom.xyz^
+||ckodsxyjdql.com^
+||ckofrnk.com^
+||ckrf1.com^
+||ckspodaotjotkn.com^
+||ckuwrlxngdrfk.com^
+||ckwvebqkbl.xyz^
+||ckynh.com^
+||ckywou.com^
+||cl0udh0st1ng.com^
+||clackbenefactor.com^
+||cladlukewarmjanitor.com^
+||cladp.com^
+||cladsneezesugar.com^
+||cladupius.com^
+||claggeduniter.com^
+||claim-reward.vidox.net^
+||claimcousins.com^
+||claimcutejustly.com^
+||claimedentertainment.com^
+||claimedinvestcharitable.com^
+||claimedthwartweak.com^
+||clairekabobs.com^
+||clampalarmlightning.com^
+||clangearnest.com^
+||clankexpelledidentification.com^
+||clanklastingfur.com^
+||clarifyeloquentblackness.com^
+||clarityray.com^
+||clashencouragingwooden.com^
+||claspdressmakerburka.com^
+||claspeddeceiveposter.com^
+||claspedtwelve.com^
+||claspsnuff.com^
+||classesfolksprofession.com^
+||classicbf.com^
+||classiccarefullycredentials.com^
+||classicguarantee.pro^
+||classickalunti.com^
+||classicsactually.com^
+||classicseight.com^
+||classisclawers.com^
+||clauseantarcticlibel.com^
+||clauseemploy.com^
+||clausepredatory.com^
+||clavialguttera.com^
+||clayapologizingappreciate.com^
+||clbaf.com^
+||clbjmp.com^
+||clcknads.pro^
+||clckpbnce.com^
+||clcktrck.com^
+||clckysudks.com^
+||cldlr.com^
+||cldlyuc.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^
+||clearancetastybroadsheet.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^
+||clevernt.com^
+||cleverwebserver.com^
+||clevv.com^
+||clewmcpaex.com^
+||clicadu.com^
+||click-cdn.com^
+||click.scour.com^
+||click4free.info^
+||clickadin.com^
+||clickagy.com^
+||clickalinks.xyz^
+||clickallow.net^
+||clickandanalytics.com^
+||clickaslu.com^
+||clickbigo.com^
+||clickbooth.com^
+||clickboothlnk.com^
+||clickcash.com^
+||clickcdn.co^
+||clickco.net^
+||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^
+||clicksondelivery.com^
+||clicksor.net^
+||clickterra.net^
+||clickthruhost.com^
+||clickthruserver.com^
+||clicktimes.bid^
+||clicktraceclick.com^
+||clicktracklink.com^
+||clicktrixredirects.com^
+||clicktroute.com^
+||clicktrpro.com^
+||clickupto.com^
+||clickurlik.com^
+||clickwhitecode.com^
+||clickwinks.com^
+||clickwork7secure.com^
+||clickxchange.com^
+||clictrck.com^
+||clientoutcry.com^
+||cliffaffectionateowners.com^
+||cliffestablishedcrocodile.com^
+||climatestandpoint.com^
+||climathschuyt.top^
+||climbedcag.top^
+||clinerybelfast.info^
+||clinkeasiestopponent.com^
+||clinkumfalsen.top^
+||clipperroutesevere.com^
+||cliqtag.net^
+||cliquedmuggish.top^
+||cliquesteria.net^
+||cliwxuqjbhg.xyz^
+||clixcrafts.com^
+||clixsense.com^
+||clixwells.com^
+||clkepd.com^
+||clknrtrg.pro^
+||clkofafcbk.com^
+||clkrev.com^
+||clksite.com^
+||clkslvmiwadfsx.xyz^
+||clmbtech.com^
+||clmcom.com^
+||clnk.me^
+||cloba.xyz^
+||clobberprocurertightwad.com^
+||clockwisefamilyunofficial.com^
+||clockwiseleaderfilament.com^
+||clodderpickmaw.com^
+||clogcheapen.com^
+||clogstepfatherresource.com^
+||clonesmesopic.com^
+||clonkfanion.com^
+||closeattended.com^
+||closed-consequence.com^
+||closedpersonify.com^
+||closestaltogether.com^
+||closeupclear.top^
+||clotezar.com^
+||clothcogitate.com^
+||clothepardon.com^
+||clothesexhausted.com^
+||clothesgrimily.com^
+||clothingsphere.com^
+||clothingtentativesuffix.com^
+||clotstupara.com^
+||clotthirstyshare.com^
+||cloud-stats.info^
+||cloudcnfare.com^
+||cloudconvenient.com^
+||clouddecrease.com^
+||cloudembed.net^
+||cloudflare.solutions^
+||cloudfrale.com^
+||cloudiiv.com^
+||cloudimagesa.com^
+||cloudimagesb.com^
+||cloudioo.net^
+||cloudlessjimarmpit.com^
+||cloudlessmajesty.com^
+||cloudlessverticallyrender.com^
+||cloudlogobox.com^
+||cloudpsh.top^
+||cloudtrack-camp.com^
+||cloudtraff.com^
+||cloudvideosa.com^
+||cloudypotsincluded.com^
+||clpeachcod.com^
+||clrstm.com^
+||cltmfstu.com^
+||cluethydash.com^
+||cluewesterndisreputable.com^
+||clumperrucksey.life^
+||clumsinesssinkingmarried.com^
+||clumsyflint.com^
+||clumsyshare.com^
+||cluodlfare.com^
+||clurvypxvji.com^
+||clusterdamages.top^
+||clutchlilts.com^
+||cluttercallousstopped.com^
+||cluttered-win.pro^
+||clvacjv.com^
+||clxlxmbtysabn.com^
+||clyqguyadnebts.com^
+||cm-trk3.com^
+||cm-trk5.com^
+||cmacnumpcaoe.com^
+||cmadserver.de^
+||cmbestsrv.com^
+||cmclean.club^
+||cmfads.com^
+||cmhoriu.com^
+||cmiccttljbth.com^
+||cmlwaup.com^
+||cmmcqcvwc.com^
+||cmpgfltxv.xyz^
+||cmpgns.net^
+||cmpsywu.com^
+||cmqjims.com^
+||cmrdr.com^
+||cms100.xyz^
+||cmtrkg.com^
+||cmxxbrblttmrfmg.com^
+||cn-rtb.com^
+||cn846.com^
+||cnahoscfk.xyz^
+||cnbxqqemvuubaf.com^
+||cndcfvmc.com^
+||cndynza.click^
+||cnfccdxhggrz.com^
+||cngcpy.com^
+||cnifypm.com^
+||cnmisflbwrnrtph.com^
+||cnnected.org^
+||cnquqbehksc.com^
+||cnt.my^
+||cntrafficpro.com^
+||cntrealize.com^
+||cntrktaieagnam.com^
+||co5457chu.com^
+||co5n3nerm6arapo7ny.com^
+||coaboowie.com^
+||coacaips.com^
+||coagrohos.com^
+||coalbandmanicure.com^
+||coalitionfits.com^
+||coaphauk.net^
+||coastdisinherithousewife.com^
+||coastlineahead.com^
+||coastlineaudiencemistletoe.com^
+||coastlinebravediffers.com^
+||coastlinejudgement.com^
+||coatassert.com^
+||coatedflamfew.click^
+||coationexult.com^
+||coatsanguine.com^
+||coatslilachang.com^
+||coawheer.net^
+||coaxcomet.com^
+||coaxpaternalcubic.com^
+||coaxwrote.com^
+||cobalten.com^
+||cobwebcomprehension.com^
+||cobwebhauntedallot.com^
+||cobweblockerdiana.com^
+||cobwebzincdelicacy.com^
+||cocaindeictic.com^
+||coccusjailors.top^
+||cocklacock.com^
+||cocklystats.top^
+||cockyinaccessiblelighter.com^
+||cockysnailleather.com^
+||cocoaadornment.com^
+||cocoaexpansionshrewd.com^
+||coconutfieryreferee.com^
+||coconutsumptuousreseptivereseptive.com^
+||cocoonelectronicsconfined.com^
+||cocoontonight.com^
+||cocosyeta.com^
+||coctwomp.com^
+||codedexchange.com^
+||codefund.app^
+||codefund.io^
+||codemylife.info^
+||codeonclick.com^
+||coderformylife.info^
+||codesbro.com^
+||codezap.com^
+||cododeerda.net^
+||coedmediagroup.com^
+||coefficienttolerategravel.com^
+||coendouspare.com^
+||coexistsafetyghost.com^
+||coffeeliketime.com^
+||coffeemildness.com^
+||coffingfannies.top^
+||cofounderspecials.com^
+||cogentpatientmama.com^
+||cogentwarden.com^
+||cogitatenun.com^
+||cogitatetrailsplendid.com^
+||cogmuymatmehjr.com^
+||cognatebenefactor.com^
+||cognateparsley.com^
+||cognitionmesmerize.com^
+||cognizancesteepleelevate.com^
+||cohabitrecipetransmitted.com^
+||cohade.uno^
+||cohawaut.com^
+||coherebehalf.com^
+||coherenceinvest.com^
+||coherencemessengerrot.com^
+||cohereoverdue.com^
+||coherepeasant.com^
+||coholy.com^
+||cohortgripghetto.com^
+||cohtsfkwaa.com^
+||coiffesfluer.top^
+||coinad.media^
+||coinadster.com^
+||coinblocktyrusmiram.com^
+||coinio.cc^
+||coinsmanning.com^
+||coinverti.com^
+||cokaigha.net^
+||cokepompositycrest.com^
+||colanbalkily.com^
+||colanderdecrepitplaster.com^
+||colarak.com^
+||colauxedochter.top^
+||cold-cold-freezing.com^
+||cold-priest.com^
+||coldflownews.com^
+||coldhardcash.com^
+||coldnessswarthyclinic.com^
+||coldvain.com^
+||colemalist.top^
+||colenhackbut.com^
+||colentkeruing.top^
+||colerajute.com^
+||colhickcommend.com^
+||coliassfeurytheme.com^
+||colintoxicate.com^
+||collapsecheering.com^
+||collapsecuddle.com^
+||collarchefrage.com^
+||collecl.cc^
+||collectbladders.com^
+||collectedroomfinancially.com^
+||collectingexplorergossip.com^
+||collectinggraterjealousy.com^
+||collection-day.com^
+||collectionspriestcardiac.com^
+||collectiveablygathering.com^
+||collectloopblown.com^
+||collectorcommander.com^
+||collectrum.com^
+||colleyporule.top^
+||collisionasheseliminate.com^
+||colloqlarum.com^
+||colloquialassassinslavery.com^
+||collowhypoxis.com^
+||colognenobilityfrost.com^
+||colognerelish.com^
+||colonialismmarch.com^
+||colonialismpeachy.com^
+||colonistnobilityheroic.com^
+||coloniststarter.com^
+||colonwaltz.com^
+||colorfulspecialinsurance.com^
+||colorhandling.com^
+||colorschemeas.com^
+||colossalanswer.com^
+||colourevening.com^
+||colourinitiative.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^
+||combinationpalmwhiskers.com^
+||combinedexterior.com^
+||combineencouragingutmost.com^
+||combinestronger.com^
+||combitly.com^
+||combotag.com^
+||combustibleaccuracy.com^
+||come-get-s0me.com^
+||come-get-s0me.net^
+||comeadvertisewithus.com^
+||comedianthirteenth.com^
+||comelybeefyage.com^
+||comementran.info^
+||comemumu.info^
+||comeplums.com^
+||cometadministration.com^
+||cometothepointaton.info^
+||comettypes.com^
+||comfortable-preparation.pro^
+||comfortablehealheadlight.com^
+||comfortabletypicallycontingent.com^
+||comfortclick.co.uk^
+||comfortlessspotsbury.com^
+||comfreeads.com^
+||comfyunhealthy.com^
+||comicplanet.net^
+||comicsdashboardcombustible.com^
+||comicsscripttrack.com^
+||comihon.com^
+||comilar-efferiff.icu^
+||comitalmows.com^
+||comityunvoid.com^
+||commamarrock.top^
+||commandmentcolinclub.com^
+||commandsorganizationvariations.com^
+||commarevelation.com^
+||commastick.com^
+||commendhalf.com^
+||commentaryinduce.com^
+||commentaryspicedeceived.com^
+||commercefrugal.com^
+||commercial-i30.com^
+||commercialvalue.org^
+||commiseratefiveinvitations.com^
+||commission-junction.com^
+||commissionkings.ag^
+||commissionlounge.com^
+||commitmentmeet.com^
+||committeedischarged.com^
+||committeeoutcome.com^
+||commodityallengage.com^
+||commongratificationtimer.com^
+||commongrewadmonishment.com^
+||commonvivacious.com^
+||comoxkitenge.com^
+||compactblackmailmossy.com^
+||comparativeexclusion.com^
+||comparativevegetables.com^
+||compareddiagram.com^
+||comparedsilas.com^
+||compareproprietary.com^
+||compassionatebarrowpine.com^
+||compassionaterough.pro^
+||compasspenitenthollow.com^
+||compellingperch.com^
+||compensationdeviseconnote.com^
+||compensationpropulsion.com^
+||compensationstout.com^
+||competencesickcake.com^
+||competentminorvex.com^
+||compiledonatevanity.com^
+||compileformality.com^
+||compilegates.com^
+||complainfriendshipperry.com^
+||complainstarlingsale.com^
+||complaintbasscounsellor.com^
+||complaintconsequencereply.com^
+||complaintsoperatorbrewing.com^
+||complainttattooshy.com^
+||complementimpassable.com^
+||complementinstancesvarying.com^
+||complete-afternoon.pro^
+||completelywrath.com^
+||complex-relationship.com^
+||complicatedincite.com^
+||complicationpillsmathematics.com^
+||complicationsupervise.com^
+||complimentarycalibertwo.com^
+||complimentingredientnightfall.com^
+||complimentworth.com^
+||compositeclauseviscount.com^
+||compositeoverdo.com^
+||compositeprotector.com^
+||compositereconnectadmiral.com^
+||composureenfold.com^
+||comprehendpaying.com^
+||comprehensionaccountsfragile.com^
+||comprehensive3x.fun^
+||comprehensiveunconsciousblast.com^
+||compresshumpenvious.com^
+||compresssavvydetected.com^
+||compriseparameters.com^
+||compromiseadaptedspecialty.com^
+||compulsiveimpassablehonorable.com^
+||computeafterthoughtspeedometer.com^
+||comradeglorious.com^
+||comradeorientalfinance.com^
+||comunicazio.com^
+||comurbate.com^
+||comymandars.info^
+||conative.network^
+||concealedcredulous.com^
+||concealmentbrainpower.com^
+||conceitedarmpit.com^
+||conceitedfedapple.com^
+||conceitslidpredicate.com^
+||conceivedtowards.com^
+||conceivedunpredictable.com^
+||conceiveequippedhumidity.com^
+||concentrationmajesticshoot.com^
+||concentrationminefield.com^
+||conceptarithmetic.com^
+||conceptualizefact.com^
+||concerneddisinterestedquestioning.com^
+||concernedwhichever.com^
+||conclusionsmushyburn.com^
+||concord.systems^
+||concoursegrope.com^
+||concrete-cabinet.pro^
+||concreteapplauseinefficient.com^
+||concreteprotectedwiggle.com^
+||condemnrissole.com^
+||condensedconvenesaxophone.com^
+||condensedmassagefoul.com^
+||condensedspoon.com^
+||condescendingcertainly.com^
+||conditioneavesdroppingbarter.com^
+||condles-temark.com^
+||condodgy.com^
+||condofeijoa.top^
+||condolencespicturesquetracks.com^
+||condolencessumcomics.com^
+||condoleparticipationfable.com^
+||conductiveruthless.com^
+||conductmassage.com^
+||conductoraspirinmetropolitan.com^
+||conduit-banners.com^
+||conduit-services.com^
+||conetizable.com^
+||confabureas.com^
+||confdatabase.com^
+||confectioneryconnected.com^
+||confectionerycrock.com^
+||conferencelabourerstraightforward.com^
+||conferencesimply.com^
+||confergiftargue.com^
+||confessioneurope.com^
+||confesssagacioussatisfy.com^
+||confessundercover.com^
+||confesswrihte.top^
+||confidence-x.com^
+||confidentexplanationillegal.com^
+||confideshrinebuff.com^
+||confidethirstyfrightful.com^
+||configurationluxuriantinclination.com^
+||confinecrisisorbit.com^
+||confinedexception.com^
+||confinehindrancethree.com^
+||confirmationefficiency.com^
+||confirmationevidence.com^
+||confirmationyoungsterpaw.com^
+||confirmexplore.com^
+||conformcashier.com^
+||conformityblankshirt.com^
+||conformityproportion.com^
+||confounddistressedrectangle.com^
+||confrontationdrunk.com^
+||confrontationlift.com^
+||confrontationwanderer.com^
+||confrontbitterly.com^
+||confused-camera.com^
+||confusetellee.top^
+||confvtt.com^
+||congratulationsgraveseem.com^
+||congressaffrayghosts.com^
+||congressbench.com^
+||congressvia.com^
+||congruousannualplanner.com^
+||conjeller-chikemon.com^
+||connectad.io^
+||connectedchaise.com^
+||connectignite.com^
+||connectingresort.com^
+||connectionsdivide.com^
+||connectionsoathbottles.com^
+||connectreadoasis.com^
+||connecttoday.eu^
+||connextra.com^
+||connotethembodyguard.com^
+||conoret.com^
+||conqueredallrightswell.com^
+||conquereddestination.com^
+||conquerleaseholderwiggle.com^
+||conquestafloat.com^
+||conquestdrawers.com^
+||consargyle.com^
+||conscienciaecompletude.com^
+||consciousness2.fun^
+||consciousnessmost.com^
+||consciousslice.com^
+||consecutionwrigglesinge.com^
+||consensusarticles.com^
+||consensushistorianarchery.com^
+||consensusindustryrepresentation.com^
+||conservationdisposable.com^
+||conservationlumber.com^
+||consessionconsessiontimber.com^
+||considerate-brief.pro^
+||consideratepronouncedcar.com^
+||consideringscallion.com^
+||consistedlovedstimulate.com^
+||consistinedibleconnections.com^
+||consistpromised.com^
+||consmo.net^
+||consoupow.com^
+||conspiracyore.com^
+||constableleapedrecruit.com^
+||constellationdelightfulfull.com^
+||constellationtrafficdenounce.com^
+||consternationbale.com^
+||consternationmysticalstuff.com^
+||constintptr.com^
+||constituentcreepingabdicate.com^
+||constitutekidnapping.com^
+||constraingood.com^
+||constraintarrearsadvantages.com^
+||constructbrought.com^
+||constructionjeffben.com^
+||constructionrejection.com^
+||constructivesmoking.com^
+||constructpiece.com^
+||constructpoll.com^
+||constructpreachystopper.com^
+||consukultinge.info^
+||consukultingeca.com^
+||consultantpatientslaughter.com^
+||consultantvariabilitybandage.com^
+||consultation233.fun^
+||consultingballetshortest.com^
+||contagiongrievedoasis.com^
+||contagionwashingreduction.com^
+||containingwaitdivine.com^
+||containssubordinatecologne.com^
+||containswasoccupation.com^
+||contalyze.com^
+||contaminatefollow.com^
+||contaminatespontaneousrivet.com^
+||contehos.com^
+||contekehissing.top^
+||contemplatepuddingbrain.com^
+||contemplatethwartcooperation.com^
+||contemporarytechnicalrefuge.com^
+||content-ad.net^
+||content-rec.com^
+||contentabc.com^
+||contentango.com^
+||contentango.online^
+||contentcave.co.kr^
+||contentclick.co.uk^
+||contentcrocodile.com^
+||contentedinterimregardless.com^
+||contentedsensationalprincipal.com^
+||contentjs.com^
+||contentmentchef.com^
+||contentmentfairnesspesky.com^
+||contentmentwalterbleat.com^
+||contentmentweek.com^
+||contentproxy10.cz^
+||contentr.net^
+||contentshamper.com^
+||contextweb.com^
+||continentalaileendepict.com^
+||continentalfinishdislike.com^
+||continentcoaximprovement.com^
+||continuallycomplaints.com^
+||continuallyninetysole.com^
+||continuation423.fun^
+||continue-installing.com^
+||continuedhostilityequipped.com^
+||continuousformula.com^
+||continuousowenspaniard.com^
+||continuousselfevidentinestimable.com^
+||contradiction2.fun^
+||contradictionclinch.com^
+||contradictshaftfixedly.com^
+||contributorfront.com^
+||contributorshaveangry.com^
+||contried.com^
+||contrivancefrontage.com^
+||controversialarableprovide.com^
+||controversydeliveredpoetry.com^
+||conumal.com^
+||convalescemeltallpurpose.com^
+||convdlink.com^
+||convenienceappearedpills.com^
+||conveniencepickedegoism.com^
+||convenientcertificate.com^
+||conventforgotten.com^
+||conventional-nurse.pro^
+||conventionalrestaurant.com^
+||conventionalsecond.pro^
+||convers.link^
+||conversationwaspqueer.com^
+||convertedbumperbiological.com^
+||convertedhorace.com^
+||convertmb.com^
+||convictedpavementexisting.com^
+||convincedpotionwalked.com^
+||convrse.media^
+||convsweeps.com^
+||conyak.com^
+||cooeyeddarbs.com^
+||coogauwoupto.com^
+||coogumak.com^
+||coojaiku.com^
+||cookerybands.com^
+||cookerywrinklefad.com^
+||cookieless-data.com^
+||cookinghither.com^
+||cookingsorting.com^
+||cool.sunporno.com^
+||coolappland.com^
+||coolappland1.com^
+||coolehim.xyz^
+||coolerpassagesshed.com^
+||coolestblockade.com^
+||coolestdecoic.click^
+||coolestreactionstems.com^
+||coolherein.com^
+||coolingstiffenlegend.com^
+||cooljony.com^
+||coollyadmissibleclack.com^
+||coolnesswagplead.com^
+||cooloffer.cfd^
+||coolpornvids.com^
+||coolserving.com^
+||coolstreamsearch.com^
+||coolthkerner.com^
+||coolungceil.top^
+||coombomniana.top^
+||coonandeg.xyz^
+||cooperateboneco.com^
+||cooperativechuckledhunter.com^
+||coordinatereopen.com^
+||cooserdozens.top^
+||cooshouz.xyz^
+||coosifyshibar.shop^
+||coosync.com^
+||cootlogix.com^
+||coovouch.com^
+||copacet.com^
+||copalmsagency.com^
+||copeaxe.com^
+||copemorethem.live^
+||copesfirmans.com^
+||copiedglittering.com^
+||copieraback.com^
+||copieranewcaller.com^
+||copiercarriage.com^
+||coppercranberrylamp.com^
+||coptisphraser.top^
+||copyrightmonastery.com^
+||coqfsqikizcd.com^
+||cor8ni3shwerex.com^
+||coralsurveyed.com^
+||cordclck.cc^
+||cordinghology.info^
+||core.dimatter.ai^
+||coreevolutionadulatory.com^
+||coreexperiment.com^
+||corenotabilityhire.com^
+||coreportions.com^
+||corgompaup.com^
+||corgouzaptax.com^
+||corixaraphide.top^
+||corneey.com^
+||corneredsedatetedious.com^
+||cornerscheckbookprivilege.com^
+||cornersindecisioncertified.com^
+||cornflowercopier.com^
+||cornflowershallow.com^
+||coronafly.ru^
+||coronationinjurynoncommittal.com^
+||corpsehappen.com^
+||corpsesrgen.top^
+||corpulentoverdoselucius.com^
+||correctionsnailnestle.com^
+||correlationcocktailinevitably.com^
+||correspondaspect.com^
+||corroticks285affrierson.com^
+||corruptclients.com^
+||corruptsolitaryaudibly.com^
+||corveseiren.com^
+||cosedluteo.com^
+||cosesgabbles.top^
+||cosiequiapo.com^
+||cosignpresentlyarrangement.com^
+||cosmatitacker.top^
+||cosmeticlevy.com^
+||cosmeticsgenerosity.com^
+||cosmicpartially.com^
+||costaquire.com^
+||costhandbookfolder.com^
+||coststunningconjure.com^
+||costumefilmimport.com^
+||cosysuppressed.com^
+||cotatholt.net^
+||cotchaug.com^
+||coticoffee.com^
+||cotorosmileway.top^
+||cottersguayabi.click^
+||cottoidearldom.com^
+||cottoncabbage.com^
+||cottondivorcefootprint.com^
+||cotwcpcjcrjfj.xyz^
+||coudswamper.com^
+||couhiboa.com^
+||coulaupsoa.net^
+||couldmisspell.com^
+||couldobliterate.com^
+||coumasha.xyz^
+||counaupsi.com^
+||councernedasesi.com^
+||counciladvertising.net^
+||counsellinggrimlyengineer.com^
+||counsellingrouge.com^
+||countdownlogic.com^
+||countdownwildestmargarine.com^
+||countenancepeculiaritiescollected.com^
+||counteractpull.com^
+||counterfeitbear.com^
+||counterfeitnearby.com^
+||countertrck.com^
+||countessrestrainasks.com^
+||countriesnews.com^
+||countrynot.com^
+||countybananasslogan.com^
+||countypuddleillusion.com^
+||coupageoutrant.guru^
+||couplestupidity.com^
+||coupsonu.net^
+||coupteew.com^
+||couptoug.net^
+||courageimportancedirections.com^
+||courageousaway.com^
+||courierembedded.com^
+||couriree.xyz^
+||coursebonfire.com^
+||coursebrushedassume.com^
+||courteous-development.com^
+||courteous-double.com^
+||courthousedefective.com^
+||courthouselaterfunctions.com^
+||courtroomboyfriend.com^
+||cousingypsy.com^
+||cousinscostsalready.com^
+||couwainu.xyz^
+||couwhivu.com^
+||couwooji.xyz^
+||coveredbetting.com^
+||coveredsnortedelectronics.com^
+||coveredstress.com^
+||covettunica.com^
+||covivado.club^
+||cow-timerbudder.org^
+||cowerscrowers.top^
+||cowroidforril.click^
+||cowtpvi.com^
+||coxaripply.top^
+||coxiesthubble.com^
+||coxziptwo.com^
+||cozeswracks.com^
+||cpa-optimizer.online^
+||cpa3iqcp.de^
+||cpabeyond.com^
+||cpaclicks.com^
+||cpaconvtrk.net^
+||cpalabtracking.com^
+||cpaoffers.network^
+||cpaokhfmaccu.com^
+||cpaway.com^
+||cpays.com^
+||cpcmart.com^
+||cpcvabi.com^
+||cpl1.ru^
+||cplayer.pw^
+||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^
+||cppkmmthkpttbb.com^
+||cpqgyga.com^
+||cpsbgpeenci.com^
+||cpuim.com^
+||cpvads.com^
+||cpvadvertise.com^
+||cpvlabtrk.online^
+||cpx24.com^
+||cpxadroit.com^
+||cpxckfridcxst.com^
+||cpxdeliv.com^
+||cpxinteractive.com^
+||cpzafxhkt.com^
+||cpzqvkjrcymhv.com^
+||cqdalradz.com^
+||cqdaznl.com^
+||cqddhfjl.com^
+||cqeomumqwx.com^
+||cqfqrvghjgu.com^
+||cqhqvgwcypx.xyz^
+||cqkhdhrpo.com^
+||cqlsewa.com^
+||cqlupb.com^
+||cqmmacgxqhmk.com^
+||cqngirxstgeeg.com^
+||cqnknplsx.com^
+||cqnmtmqxecqvyl.com^
+||cqpiumcjacb.com^
+||cqqmwkkkfntjr.com^
+||cqrvwq.com^
+||cqwajn.com^
+||cr-brands.net^
+||cr.adsappier.com^
+||cr00.biz^
+||cr08.biz^
+||cr09.biz^
+||craccusduchery.com^
+||crackbroadcasting.com^
+||crackquarrelsomeslower.com^
+||cracktraumatic.com^
+||crackyunfence.com^
+||cradspbsdarltng.com^
+||craftsmancaptivity.com^
+||craftsmangraygrim.com^
+||crafty-math.com^
+||craharice.com^
+||crajeon.com^
+||crakbanner.com^
+||crakedquartin.com^
+||crambidnonutilitybayadeer.com^
+||crampcrossroadbaptize.com^
+||crampincompetent.com^
+||crankyderangeabound.com^
+||crashexecute.com^
+||crateralbumcarlos.com^
+||craterwhsle.com^
+||crateshoover.com^
+||craveidentificationanoitmentanoitment.com^
+||crawledlikely.com^
+||crayfishremindembroider.com^
+||crayfishshepherd.com^
+||crayonreareddreamt.com^
+||crazy-baboon.com^
+||crazyhell.com^
+||crazylead.com^
+||crbbgate.com^
+||crcgrilses.com^
+||crdefault.link^
+||crdefault1.com^
+||crdfifmrm.com^
+||creaghtain.com^
+||creamssicsite.com^
+||creaperu.com^
+||createsgummous.com^
+||creative-bars1.com^
+||creative-serving.com^
+||creativecdn.com^
+||creativedisplayformat.com^
+||creativefix.pro^
+||creativeformatsnetwork.com^
+||creativesumo.com^
+||creativetourlips.com^
+||creatorpassenger.com^
+||creaturescoinsbang.com^
+||creaturespendsfreak.com^
+||crechecatholicclaimed.com^
+||crectipumlu.com^
+||credentialsfont.com^
+||credentialstrapdoormagnet.com^
+||credibilitystakehemisphere.com^
+||credibilityyowl.com^
+||creditbitesize.com^
+||creditorapido.xyz^
+||credotrigona.com^
+||credulityicicle.com^
+||creeksettingbates.com^
+||creepercard.com^
+||creeperfutileforgot.com^
+||creepyassist.pro^
+||creepybuzzing.com^
+||crematedarkerdwight.com^
+||crengate.com^
+||crentexgate.com^
+||creojnpibos.com^
+||crepeyindited.top^
+||crepeymurat.shop^
+||crepgate.com^
+||creptdeservedprofanity.com^
+||cresfpho2ntesepapillo3.com^
+||crestfallenwall.com^
+||crestislelocation.com^
+||cretgate.com^
+||crevicedepressingpumpkin.com^
+||crevnrela.com^
+||crewedbangup.com^
+||cribbewildered.com^
+||cribwarilyintentional.com^
+||criesresentstrangely.com^
+||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^
+||criticismheartbroken.com^
+||criticizewiggle.com^
+||crjpgate.com^
+||crjpingate.com^
+||crlkyzwra.com^
+||crm4d.com^
+||crmentjg.com^
+||crmpt.livejasmin.com^
+||crnhbkd.com^
+||crninkvhariuh.com^
+||croakedrotonda.com^
+||croceussmitter.click^
+||crochetmedimno.top^
+||crockejection.com^
+||crockerycrowdedincidentally.com^
+||crockuncomfortable.com^
+||crocopop.com^
+||crokerhyke.com^
+||cromq.xyz^
+||crookrally.com^
+||croplake.com^
+||crossroadoutlaw.com^
+||crossroadparalysisnutshell.com^
+||crossroadsubquery.com^
+||crossroadzealimpress.com^
+||crouchyearbook.com^
+||crowdeddisk.pro^
+||crowdgravity.com^
+||crowdnextquoted.com^
+||crptentry.com^
+||crptgate.com^
+||crrepo.com^
+||crsope.com^
+||crsspxl.com^
+||crtracklink.com^
+||crubtokopat.top^
+||crucishockled.top^
+||crudedelicacyjune.com^
+||crudelouisa.com^
+||crudemonarchychill.com^
+||crudequeenrome.com^
+||cruel-national.pro^
+||cruiserx.net^
+||cruisetitleclosed.com^
+||crumblerefunddiana.com^
+||crumbrationally.com^
+||crumbtypewriterhome.com^
+||crummerexisted.com^
+||crummygoddess.com^
+||crumplylenient.com^
+||crunchslipperyperverse.com^
+||crunchylashins.com^
+||crushingconflict.pro^
+||crvxhuxcel.com^
+||crxekxjpiktykjb.com^
+||crxmaotidrf.xyz^
+||crxxfgswiq.com^
+||cryingforanythi.com^
+||cryingforthemoo.info^
+||cryjun.com^
+||cryonickru.com^
+||cryorganichash.com^
+||cryptoatom.care^
+||cryptobeneluxbanner.care^
+||cryptomaster.care^
+||cryptomcw.com^
+||cryptonewsdom.care^
+||cryptotyc.care^
+||cschyogh.com^
+||csdf4dn.pro^
+||csfabdtmrs.com^
+||csggmxrbt.com^
+||cshbyjjgdtc.com^
+||csjuq.com^
+||cskmfxhxhjrskl.com^
+||cspdimfa.com^
+||csqgebok.com^
+||csqtsjm.com^
+||csrrxwd.com^
+||cssuvtbfeap.com^
+||ctasnet.com^
+||ctationsele.info^
+||ctengine.io^
+||cteozuek9.com^
+||cteripre.com^
+||cthbkxcvksx.com^
+||cthisismoych.com^
+||cthkgodgy.com^
+||ctiarbwaxam.com^
+||ctiascaqkn.com^
+||ctiawbxvhajg.com^
+||ctiotjobkfu.com^
+||ctm-media.com^
+||ctnsnet.com^
+||ctoosqtuxgaq.com^
+||ctosrd.com^
+||ctpdegbeqlejw.com^
+||ctrlaltdel99.com^
+||ctrtrk.com^
+||ctsdwm.com^
+||ctubhxbaew.com^
+||ctvnfeta.com^
+||ctvnmxl.com^
+||ctykxlvztyy.com^
+||cu9kqki45.com^
+||cubchillysail.com^
+||cubeletrewater.shop^
+||cubeuptownpert.com^
+||cubgeographygloomily.com^
+||cubicnought.com^
+||cucaftultog.net^
+||cuckooretire.com^
+||cuculf.name^
+||cuddlethehyena.com^
+||cudgeletc.com^
+||cudgelsupportiveobstacle.com^
+||cuefootingrosy.com^
+||cueistratting.com^
+||cuesingle.com^
+||cuevastrck.com^
+||cufultahaur.com^
+||cugeeksy.net^
+||cuhlsl.info^
+||cuifspyvuril.com^
+||cuisineenvoyadvertise.com^
+||cuisineomnipresentinfinite.com^
+||culass.com^
+||cullemple-motline.com^
+||culmedpasses.cam^
+||cultergoy.com^
+||culturalcollectvending.com^
+||cumbersomeastonishedsolemn.com^
+||cumbersomebonus.com^
+||cumbersomesteedominous.com^
+||cumjroatzga.com^
+||cupboardbangingcaptain.com^
+||cupidirresolute.com^
+||cupidonmedia.com^
+||cupidrecession.com^
+||cupidtriadperpetual.com^
+||cupindisputable.com^
+||cuplikenominee.com^
+||cupoabie.net^
+||cupswiss.com^
+||cupulaeveinal.top^
+||curaripeiktha.top^
+||curledbuffet.com^
+||curlingtyphon.com^
+||curlsl.info^
+||curlsomewherespider.com^
+||curlyhomes.com^
+||curnberthed.com^
+||currantsummary.com^
+||currencychillythoughtless.com^
+||currencyoffuture.com^
+||curriculture.com^
+||curryoxygencheaper.com^
+||cursecrap.com^
+||cursedspytitanic.com^
+||cursegro.com^
+||curseintegralproduced.com^
+||cursormedicabnormal.com^
+||cursorsympathyprime.com^
+||curveyberberi.com^
+||curvyalpaca.cc^
+||cuseccharm.com^
+||cusecwhitten.com^
+||cushingpouncet.top^
+||cushionblarepublic.com^
+||cusilbwq.xyz
+||cuslsl.info^
+||cuspedeogaean.top^
+||custodybout.com^
+||custodycraveretard.com^
+||custodycrutchfaintly.com^
+||customads.co^
+||customapi.top^
+||customarydesolate.com^
+||customsalternative.com^
+||customselliot.com^
+||cuterbond.com^
+||cuterintegrationcrock.com^
+||cutescale.online^
+||cutesyapaise.com^
+||cutsauvo.net^
+||cuttingdemeanoursuperintend.com^
+||cuttingstrikingtells.com^
+||cuttlefly.com^
+||cuwlmupz.com^
+||cuyynol.com^
+||cuzsgqr.com^
+||cvastico.com^
+||cvcvotjyasdtil.com^
+||cvixthukvgac.com^
+||cvjfmrrgyrqnsnw.xyz^
+||cvkilmfhorl.com^
+||cvkxfsnvpjvcw.com^
+||cvmeayhfo.com^
+||cvnpbsqyiy.com^
+||cvqgnkeqme.com^
+||cvrkjnaoazazh.com^
+||cvuduufdewm.com^
+||cvuvoljuqlkeuc.com^
+||cvxwaslonejulyha.info^
+||cvyimypsjxca.com^
+||cwhrfkpniuvkn.xyz^
+||cwixbvnnndpe.xyz^
+||cwlvmsvmqqgzb.com^
+||cwobfddy.com^
+||cwqljsecvr.com^
+||cwrlnhyfheafllk.xyz^
+||cwuaxtqahvk.com^
+||cxafxdkmusqxsa.xyz^
+||cxeiymnwjyyi.xyz^
+||cxfrmhsj.com^
+||cxgicdcfou.com^
+||cxgneqyaox.com^
+||cxgnymgd.xyz^
+||cxhhvmkwfh.com^
+||cxhqpbwmyfskzt.com^
+||cxiebfdqydf.com^
+||cxkhadk.com^
+||cxmnsbrbdmxoyd.com^
+||cxnadcribh.com^
+||cxotiggg.com^
+||cxrfoubqoxnk.com^
+||cxuipktdlwtimj.com^
+||cxvgpiwlmi.com^
+||cxwqeehw.com^
+||cyacoxsgxjdylpy.com^
+||cyamidfenbank.life^
+||cyan92010.com^
+||cyathosaloesol.top^
+||cybershieldfortress.buzz^
+||cybersugardrew.com^
+||cybertronads.com^
+||cybkit.com^
+||cycledaction.com^
+||cycleworked.com^
+||cyclistforgotten.com^
+||cyclosgrocer.click^
+||cycndlhot.xyz^
+||cydippeespy.com^
+||cyeqeewyr.com^
+||cygnus.com^
+||cyilxkpkf.com^
+||cykcxgsvg.com^
+||cylindrical-form.com^
+||cylnkee.com^
+||cylsszrrfbkgjf.com^
+||cymqhqxuchas.com^
+||cyneburg-yam.com^
+||cynem.xyz^
+||cynicochred.shop^
+||cynoidfudging.shop^
+||cypresslocum.com^
+||cypressreel.com^
+||cyprie.com^
+||cyuyvjwyfvn.com^
+||cyvjmnu.com^
+||cyyhkeknmbe.com^
+||czaraptitude.com^
+||czedgingtenges.com^
+||czfpgkujv.com^
+||czfyaemtweo.com^
+||czh5aa.xyz^
+||czvdyzt.com^
+||czwxrnv.com^
+||czyoxhxufpm.com^
+||d-agency.net^
+||d03804f2c8.com^
+||d05571f85f.com^
+||d08l9a634.com^
+||d0main.ru^
+||d13babd868.com^
+||d15a035f27.com^
+||d1x9q8w2e4.xyz^
+||d24ak3f2b.top^
+||d26e83b697.com^
+||d29gqcij.com^
+||d2d7bba154.com^
+||d2e3e68fb3.com^
+||d2ship.com^
+||d36f31688a.com^
+||d37914770f.com^
+||d3befd5a11.com^
+||d3c.life^
+||d3c.site^
+||d3da127b69.com^
+||d43849fz.xyz^
+||d44501d9f7.com^
+||d483501b04.com^
+||d4b138a7aa.com^
+||d4c7df9561.com^
+||d52a6b131d.com^
+||d56cfcfcab.com^
+||d592971f36.com^
+||d59936b940.com^
+||d5chnap6b.com^
+||d6030fe5c6.com^
+||d65a1fbe58.com^
+||d6f8c08166.com^
+||d78eee025b.com^
+||d7c6491da0.com^
+||d7e13aeb98.com^
+||d871f74395.com^
+||d9db994995.com^
+||d9fb2cc166.com^
+||da-ads.com^
+||da066d9560.com^
+||da77842b9c.com^
+||da927u0bs.com^
+||daailynews.com^
+||dabblercissies.com^
+||daboovip.xyz^
+||daccroi.com^
+||dacmaiss.com^
+||dacmursaiz.xyz^
+||dacnmevunbtu.com^
+||dacpibaqwsa.com^
+||dadsats.com^
+||dadsimz.com^
+||dadslimz.com^
+||dadsoks.com^
+||dadzidmisbmja.com^
+||daedaelousscri.com^
+||daejyre.com^
+||daffaite.com^
+||daffyfleecy.top^
+||daggerwantedliterally.com^
+||dagnurgihjiz.com^
+||dahdnicllhos.com^
+||daiboit.com^
+||daicagrithi.com^
+||daichoho.com^
+||daichukoah.net^
+||daicoaky.net^
+||daikeethoo.com^
+||daikorm.com^
+||dailyalienate.com^
+||dailyc24.com^
+||dailychronicles2.xyz^
+||dailyvids.space^
+||daimfkgotytcqld.com^
+||daintydragged.com^
+||daintyinternetcable.com^
+||daiphero.com^
+||dairebougee.com^
+||dairouzy.net^
+||dairyworkjourney.com^
+||daistii.com^
+||daiteshu.net^
+||daithithapta.net^
+||daiwheew.com^
+||daizoode.com^
+||dajkq.com^
+||dajswiacllfy.com^
+||dakjddjerdrct.online^
+||dalecigarexcepting.com^
+||dalecta.com^
+||daleperceptionpot.com^
+||dallavel.com^
+||dallthroughthe.info^
+||daltongrievously.com^
+||daluxmurwthhk.com^
+||dalyai.com^
+||dalyio.com^
+||dalymix.com^
+||dalysb.com^
+||dalysh.com^
+||dalysv.com^
+||damagecontributionexcessive.com^
+||damaged-fix.pro^
+||damagedmissionaryadmonish.com^
+||dameadept.com^
+||damedamehoy.xyz^
+||damgurwdblf.xyz^
+||damnightmareleery.com^
+||dampapproach.com^
+||dampedvisored.com^
+||damptouch.com^
+||dana123.com^
+||danaineirrupt.top^
+||dancefordamazed.com^
+||dandelionnoddingoffended.com^
+||dandinterpersona.com^
+||dandyblondewinding.com^
+||dandylowestpalsy.com^
+||danesuffocate.com^
+||dangerfiddlesticks.com^
+||dangeridiom.com^
+||dangerinsignificantinvent.com^
+||dangerouslyprudent.com^
+||dangerousratio.pro^
+||dangerswitty.com^
+||dangingspuggy.top^
+||danmounttablets.com^
+||dantasg.com^
+||dantbritingd.club^
+||danzhallfes.com^
+||daphnews.com^
+||dapper.net^
+||dapperdeal.pro^
+||dapro.cloud^
+||dapsotsares.com^
+||daptault.com^
+||daqpmkraxkwnny.com^
+||darcycapacious.com^
+||darcyjellynobles.com^
+||darghinruskin.com^
+||daringcooper.com^
+||daringsupport.com^
+||dariolunus.com^
+||darkandlight.ru^
+||darkdepthdriller.top^
+||darkercoincidentsword.com^
+||darkerillegimateillegimateshade.com^
+||darkerprimevaldiffer.com^
+||darknesschamberslobster.com^
+||darksmartproprietor.com^
+||darlingfrightenunit.com^
+||darnvigour.com^
+||darrylfuranes.top^
+||dartonim.com^
+||darvorn.com^
+||darwinpoems.com^
+||dasensiblem.org^
+||dasesiumworkhovdimi.info^
+||dashbida.com^
+||dashbo15myapp.com^
+||dashboardartistauthorized.com^
+||dashedclownstubble.com^
+||dashedheroncapricorn.com^
+||dashersbatfish.guru^
+||dashgreen.online^
+||dashingdaredmeeting.com^
+||dasperdolus.com^
+||data-data-vac.com^
+||data-jsext.com^
+||data-px.services^
+||datajsext.com^
+||datanoufou.xyz^
+||datatechdrift.com^
+||datatechone.com^
+||datatechonert.com^
+||date-5-c.com^
+||date-till-late.us^
+||date2day.pro^
+||date4sex.pro^
+||dateddeed.com^
+||datesnsluts.com^
+||datesviewsticker.com^
+||dateszone.net^
+||datetrackservice.com^
+||datewhisper.life^
+||datexurlove.com^
+||datherap.xyz^
+||dating-banners.com^
+||dating-roo3.site^
+||dating2cloud.org^
+||dating2you.net^
+||dating2you.org^
+||dating4you.org^
+||datingcentral.top^
+||datingiive.net^
+||datingkoen.site^
+||datingpush.space^
+||datingstyle.top^
+||datingtoday.top^
+||datingtopgirls.com^
+||datingvr.ru^
+||datisirashest.top^
+||daughterinlawrib.com^
+||daughtersarbourbarrel.com^
+||daughterstinyprevailed.com^
+||daugloon.net^
+||daukshewing.com^
+||dauntgolfconfiscate.com^
+||dauntroof.com^
+||dauptoawhi.com^
+||dausoofo.net^
+||dautegoa.xyz^
+||davycrile.com^
+||dawirax.com^
+||dawmal.com^
+||dawndadmark.live^
+||dawnfilthscribble.com^
+||dawplm.com^
+||dawtsboosted.com^
+||daybeamposit.com^
+||daybreakarchitecture.com^
+||daysmenformat.top^
+||daysstone.com^
+||daytimeentreatyalternate.com^
+||dayznews.biz^
+||daz3rw5a5k4h.com^
+||dazeactionabet.com^
+||dazedarticulate.com^
+||dazedengage.com^
+||dazeoffhandskip.com^
+||dazhantai.com^
+||db20da1532.com^
+||db72c26349.com^
+||dbaomgnsahy.com^
+||dbbsrv.com^
+||dbclix.com^
+||dberthformttete.com^
+||dbgqgmqqc.com^
+||dbizrrslifc.com^
+||dbnxlpbtoqec.com^
+||dbqlghadltookjo.xyz^
+||dbr9gtaf8.com^
+||dbtbfsf.com^
+||dbvpikc.com^
+||dc-feed.com^
+||dcfnihzg81pa.com^
+||dcjaefrbn.xyz^
+||dcjeeqwrhg.com^
+||dclakbrifusivy.com^
+||dclfuniv.com^
+||dcsewjll.com^
+||dctkubltpbtt.com^
+||dcybyvmtwgnp.com^
+||dd0122893e.com^
+||dd1xbevqx.com^
+||dd4ef151bb.com^
+||dd9l0474.de^
+||ddagyoyucaqay.com^
+||ddctoqpfve.com^
+||dddashasledopyt.com^
+||ddddynf.com^
+||dddomainccc.com^
+||ddhjxakewpp.com^
+||ddkf.xyz^
+||ddqfgamwnhp.com^
+||ddrsemxv.com^
+||ddtvskish.com^
+||ddvfydfjupzj.com^
+||ddvqunmyabzb.com^
+||ddylxccl.xyz^
+||ddzk5l3bd.com^
+||dead-put.com^
+||deadlyrelationship.com^
+||deadmentionsunday.com^
+||deafening-benefit.pro^
+||dealbuzznews.com^
+||dealcurrent.com^
+||dealgodsafe.live^
+||deallyighabove.info^
+||dealsfor.life^
+||dealtbroodconstitutional.com^
+||dearestimmortality.com^
+||dearfiring.com^
+||dearlystoop.com^
+||deasandcomemunic.com^
+||deatchshipsmotor.com^
+||debatableslippers.com^
+||debateconsentvisitation.com^
+||debauchavailable.com^
+||debauchinteract.com^
+||debaucky.com^
+||debeftib.com^
+||debitslopenoncommittal.com^
+||deboisedivel.com^
+||debrisstern.com^
+||debsis.com^
+||debtminusmaternal.com^
+||debtsbosom.com^
+||debtsevolve.com^
+||debutpanelquizmaster.com^
+||decademical.com^
+||decadenceestate.com^
+||decatyldecane.com^
+||decaytreacherous.com^
+||decbusi.com^
+||deceittoured.com^
+||deceivedbulbawelessaweless.com^
+||decemberaccordingly.com^
+||decencyjessiebloom.com^
+||decencysoothe.com^
+||decenthat.com^
+||decentpatent.com^
+||decentpension.com^
+||deceptionhastyejection.com^
+||decide.dev^
+||decidedlychips.com^
+||decidedlyenjoyableannihilation.com^
+||decidedlylipstick.com^
+||decidedmonsterfarrier.com^
+||decisionmark.com^
+||decisionnews.com^
+||decisivewade.com^
+||deckdistant.com^
+||deckedsi.com^
+||decknetwork.net^
+||declarcercket.org^
+||declareave.com^
+||declaredtraumatic.com^
+||declarefollowersuspected.com^
+||declinebladdersbed.com^
+||declinedmaniacminister.com^
+||declinelotterymitten.com^
+||declinewretchretain.com^
+||declk.com^
+||decoctionembedded.com^
+||decomposedismantle.com^
+||decoraterepaired.com^
+||decorationhailstone.com^
+||decordingholo.org^
+||decossee.com^
+||decpo.xyz^
+||decreasetome.com^
+||decreertenet.website^
+||decrepitgulpedformation.com^
+||decstasc.com^
+||decswci.com^
+||dedicatedmedia.com^
+||dedicatedsummarythrone.com^
+||dedicatenecessarilydowry.com^
+||dedicationfits.com^
+||dedicationflamecork.com^
+||deductionobtained.com^
+||dedukicationan.info^
+||deebcards-themier.com^
+||deecqem892bg5er.com^
+||deedeedthowel.top^
+||deedeedwinos.com^
+||deedeisasbeaut.info^
+||deedtampertease.com^
+||deefauph.com^
+||deeginews.com^
+||deehalig.net^
+||deejehicha.xyz^
+||deemcompatibility.com^
+||deemconpier.com^
+||deemfriday.com^
+||deemwidowdiscourage.com^
+||deepboxervivacious.com^
+||deeperhundredpassion.com^
+||deephicy.net^
+||deepirresistible.com^
+||deepmetrix.com^
+||deepnewsjuly.com^
+||deeppinche.top^
+||deeprootedladyassurance.com^
+||deeprootedpasswordfurtively.com^
+||deeprootedstranded.com^
+||deepsaifaide.net^
+||deethout.net^
+||deewansturacin.com^
+||deezusty.net^
+||defacebunny.com^
+||defactokudo.top^
+||defaultspurtlonely.com^
+||defeatedadmirabledivision.com^
+||defeatpercharges.com^
+||defeature.xyz^
+||defenceblake.com^
+||defencelessrancorous.com^
+||defendantlucrative.com^
+||defendsrecche.top^
+||defenselessweather.com^
+||defenseneckpresent.com^
+||defensive-bad.com^
+||deferapproximately.com^
+||deferjobfeels.com^
+||deferrenewdisciple.com^
+||defiancebelow.com^
+||defiancefaithlessleague.com^
+||deficiencyluckrapt.com^
+||deficiencypiecelark.com^
+||deficitsilverdisability.com^
+||definedbootnervous.com^
+||definedlaunching.com^
+||definitial.com^
+||defpush.com^
+||defybrick.com^
+||degenerateabackjaguar.com^
+||degeneratecontinued.com^
+||degeronium.com^
+||degg.site^
+||deghooda.net^
+||degradationrethink.com^
+||degradationtransaction.com^
+||degradeexpedient.com^
+||degreebristlesaved.com^
+||degrew.com^
+||degutu.xyz^
+||dehimalowbowohe.info^
+||dehortaval.top^
+||deitynosebleed.com^
+||dekanser.com^
+||deksoolr.net^
+||del-del-ete.com^
+||delaterfons.com^
+||delayeddisembroildisembroil.com^
+||delayedmall.pro^
+||delfsrld.click^
+||delicateomissionarched.com^
+||delicatereliancegodmother.com^
+||delicious-slip.pro^
+||delightacheless.com^
+||delightedheavy.com^
+||delightedintention.com^
+||delightedplash.com^
+||delightedprawn.com^
+||delightful-page.pro^
+||delightspiritedtroop.com^
+||deligrassdull.com^
+||deliman.net^
+||deline-sunction.com^
+||deliquencydeliquencyeyesight.com^
+||deliquencydeliquencygangenemies.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^
+||dellareboant.com^
+||delmarviato.com^
+||delnapb.com^
+||delookiinasfier.cc^
+||deloplen.com^
+||deloton.com^
+||deltarockies.com^
+||deltraff.com^
+||deludeweb.com^
+||delusionaldiffuserivet.com^
+||delusionpenal.com^
+||delutza.com^
+||demand.supply^$script
+||demanding-application.pro^
+||demba.xyz^
+||demeanourgrade.com^
+||dementeddug.com^
+||dementedstalesimultaneous.com^
+||demiseskill.com^
+||democracyendlesslyzoo.com^
+||democracyseriously.com^
+||democraticflushedcasks.com^
+||demolishforbidhonorable.com^
+||demolishskyscrapersharp.com^
+||demonstrationbeth.com^
+||demonstrationsurgical.com^
+||demonstrationtimer.com^
+||demonstudent.com^
+||demoteexplanation.com^
+||denariibrocked.com^
+||denarocepa.com^
+||denayphlox.top^
+||denbeigemark.com^
+||dencejvlq.com^
+||dendranthe4edm7um.com^
+||dendrito.name^
+||deneorphan.com^
+||denetsuk.com^
+||dengelmeg.com^
+||denialrefreshments.com^
+||deniedsolesummer.com^
+||denoughtanot.info^
+||denounceburialbrow.com^
+||denouncecomerpioneer.com^
+||densouls.com^
+||dental-drawer.pro^
+||dentalillegally.com^
+||denunciationsights.com^
+||denycrayon.com^
+||deostr.com^
+||deparn.com^
+||departedcomeback.com^
+||departedsilas.com^
+||departgross.com^
+||departmentcomplimentary.com^
+||departmentscontinentalreveal.com^
+||departtrouble.com^
+||departurealtar.com^
+||dependablepumpkinlonger.com^
+||dependablestaredpollution.com^
+||dependeddebtsmutual.com^
+||dependentdetachmentblossom.com^
+||dependentwent.com^
+||dependpinch.com^
+||dephasevittate.com^
+||depictdeservedtwins.com^
+||depirsmandk5.com^
+||depitfondues.top^
+||depleteappetizinguniverse.com^
+||deploremythsound.com^
+||deployads.com^
+||deploymentblessedheir.com^
+||deporttideevenings.com^
+||depositgreetingscommotion.com^
+||depositpastel.com^
+||depotdesirabledyed.com^
+||depravegypsyterrified.com^
+||depreciateape.com^
+||depreciatelovers.com^
+||depressedchamber.com^
+||depressionfemaledane.com^
+||depriveretirement.com^
+||depsougnefta.com^
+||deptem.com^
+||deptigud.xyz^
+||derevya2sh8ka09.com^
+||deridebleatacheless.com^
+||deridenowadays.com^
+||deridetapestry.com^
+||derisiveflare.com^
+||derisiveheartburnpasswords.com^
+||derivativelined.com^
+||deriveddeductionguess.com^
+||derivedrecordsstripes.com^
+||dermswraist.top^
+||derowalius.com^
+||derriregliss.top^
+||dersouds.com^
+||desabrator.com^
+||descargarpartidosnba.com^
+||descendantdevotion.com^
+||descendentwringthou.com^
+||descentsafestvanity.com^
+||descrepush.com^
+||described.work^
+||descriptionheels.com^
+||descriptionhoney.com^
+||descz.ovh^
+||desekansr.com^
+||desertsquiverinspiration.com^
+||desertsutilizetopless.com^
+||deserveannotationjesus.com^
+||deservedbreast.com^
+||deservessafety.com^
+||desgolurkom.com^
+||deshourty.com^
+||designatejay.com^
+||designerdeclinedfrail.com^
+||designernoise.com^
+||designeropened.com^
+||designingbadlyhinder.com^
+||designingpupilintermediary.com^
+||designsrivetfoolish.com^
+||desireddelayaspirin.com^
+||desiregig.com^
+||desiremolecule.com^
+||deskfrontfreely.com^
+||deslatiosan.com^
+||deslimepitier.top^
+||desorbbluffed.com^
+||despairrim.com^
+||despanpouran.com^
+||desperateambient.com^
+||despicablereporthusband.com^
+||despitethriftmartial.com^
+||desponddietist.com^
+||despotbenignitybluish.com^
+||despotfifteen.com^
+||dessertgermdimness.com^
+||dessillucian.com^
+||dessly.ru^
+||destinationoralairliner.com^
+||destinedsponsornominate.com^
+||destinysfavored.xyz^
+||destituteuncommon.com^
+||destroyedspear.com^
+||destructionhybrids.com^
+||desugeng.xyz^
+||desvibravaom.com^
+||detachedbates.com^
+||detachedknot.com^
+||detachmentoccasionedarena.com^
+||detailedshuffleshadow.com^
+||detailexcitement.com^
+||detectedpectoral.com^
+||detectiveestrange.com^
+||detectivesbaseballovertake.com^
+||detectivesexception.com^
+||detectivespreferably.com^
+||detectmus.com^
+||detectvid.com^
+||detentionquasipairs.com^
+||detentsclonks.com^
+||detergenthazardousgranddaughter.com^
+||detergentkindlyrandom.com^
+||deterioratebinheadphone.com^
+||deterioratesadly.com^
+||determineworse.com^
+||deterrentpainscodliver.com^
+||detestgaspdowny.com^
+||detour.click^
+||deturbcordies.com^
+||deupfpxwdzxs.com^
+||devastatedshorthandpleasantly.com^
+||devdelto.info^
+||deveincyanids.com^
+||developedse.info^
+||developmentbulletinglorious.com^
+||developmentgoat.com^
+||devilnonamaze.com^
+||devilwholehorse.com^
+||deviseoats.com^
+||deviseundress.com^
+||devolutiondiffident.com^
+||devolutionrove.com^
+||devoteerouge.top^
+||devotionhesitatemarmalade.com^
+||devotionhundredth.com^
+||devoutdoubtfulsample.com^
+||devoutgrantedserenity.com^
+||devoutprinter.com^
+||dewartilty.top^
+||dewerpicry.top^
+||dewincubiatoll.com^
+||dewreseptivereseptiveought.com^
+||dewycliffs.top^
+||dexchangeinc.com^
+||deximedia.com^
+||dexplatform.com^
+||dexpredict.com^
+||deybshwg.com^
+||deyubo.uno^
+||dezaleyarmless.com^
+||dfchevbeuydwq.com^
+||dfciiiafweiag.com^
+||dfd55780d6.com^
+||dfdgfruitie.xyz^
+||dfdzflttbjh.com^
+||dfepsqnbje.com^
+||dffa09cade.com^
+||dffhhqka.com^
+||dfgbalon.com^
+||dfionytxsva.com^
+||dfkoqeunyv.com^
+||dfnetwork.link^
+||dfpstitialtag.com^
+||dfptcslvqbn.com^
+||dfsdkkka.com^
+||dftjcofe.com^
+||dfuaqw.com^
+||dfvlaoi.com^
+||dfyui8r5rs.click^
+||dgafgadsgkjg.top^
+||dgamapxs.com^
+||dgcgugid.com^
+||dggwqknub.com^
+||dgjyqdkxmxq.com^
+||dgkajwnbrazepe.com^
+||dgkmdia.com^
+||dglerduxehr.com^
+||dgmaustralia.com^
+||dgodkrsmuilnqk.com^
+||dgojzjdb.com^
+||dgpcdn.org^
+||dgptxzz.com^
+||dgqu3g706.com^
+||dgtbjoswrqu.com^
+||dgtklmbypacjq.com^
+||dgttkthhgjm.com^
+||dgxmvglp.com^
+||dh956.com^
+||dhadbeensoattr.info^
+||dhfkavse.com^
+||dhhuakggx.xyz^
+||dhiqatrinx.com^
+||dhkecbu.com^
+||dhkrftpc.xyz^
+||dhobisbeiges.top^
+||dhobybailli.com^
+||dhobyovaloid.com^
+||dhodskwqmwafkn.com^
+||dhoma.xyz^
+||dhoteechaute.top^
+||dhroerbsjaymyck.com^
+||dhuimjkivb.com^
+||di7stero.com^
+||diabeteprecursor.com^
+||diagramtermwarrant.com^
+||diagramwrangleupdate.com^
+||dialistunfunny.top^
+||dialling-abutory.com^
+||dialoguemarvellouswound.com^
+||dialogueshipwreck.com^
+||diametersunglassesbranch.com^
+||diamondmodapk.com^
+||diamondtraff.com^
+||dianomioffers.co.uk^
+||diapsidwigwag.top^
+||dibrachndoderm.com^
+||dibsemey.com^
+||dicesstipo.com^
+||diceunacceptable.com^
+||dicheeph.com^
+||dichoabs.net^
+||dicinging.co.in^
+||dicknearbyaircraft.com^
+||diclotrans.com^
+||dicolicbarrer.top^
+||dicouksa.com^
+||dicreativeideas.org^
+||dictatepantry.com^
+||dictationtense.com^
+||dictatormiserablealec.com^
+||dictatorsanguine.com^
+||dictionarycoefficientapparently.com^
+||dictumstortil.com^
+||dicyiish.com^
+||diddylinable.top^
+||didodadn.com^
+||didthere.com^
+||diedpractitionerplug.com^
+||diedstubbornforge.com^
+||diench.com^
+||dieriresowed.guru^
+||dietarydecreewilful.com^
+||dietarygroomchar.com^
+||dietschoolvirtually.com^
+||dietteddefied.com^
+||differencedisinheritpass.com^
+||differencenaturalistfoam.com^
+||differenchi.pro^
+||differentevidence.com^
+||differentlydiscussed.com^
+||differfundamental.com^
+||differpurifymustard.com^
+||differsassassin.com^
+||differsprosperityprotector.com^
+||difficultydilapidationsodium.com^
+||difficultyearliestclerk.com^
+||difficultyefforlessefforlessthump.com^
+||difficultyhobblefrown.com^
+||diffidentniecesflourish.com^
+||diffusedpassionquaking.com^
+||difice-milton.com^
+||difyferukentasp.com^
+||digadser.com^
+||digestionethicalcognomen.com^
+||digestionheartlesslid.com^
+||dightedhereto.top^
+||digiadzone.com^
+||diginamis.com^
+||digital2cloud.com^
+||digitaldsp.com^
+||digitalmediapp.com^
+||dignifiedclipbum.com^
+||dignityhourmulticultural.com^
+||dignityprop.com^
+||dignityunattractivefungus.com^
+||digqvvtb.com^
+||diguver.com^
+||digyniahuffle.com^
+||diingsinspiri.com^
+||diixqvrpoqs.com^
+||dikeaxillas.com^
+||dikkoplida.cam^
+||diktatslopseed.com^
+||dilatenine.com^
+||dilateriotcosmetic.com^
+||dilip-xko.com^
+||dillselias.top^
+||dilruwha.net^
+||dilutegulpedshirt.com^
+||dilutemylodon.top^
+||dilutesnoopzap.com^
+||dilutionavailstoker.com^
+||dimedoncywydd.com^
+||dimeearnestness.com^
+||dimeeghoo.com^
+||dimessing-parker.com^
+||dimfarlow.com^
+||dimlmhowvkrag.xyz^
+||dimlyconfidential.com^
+||dimmestlasts.top^
+||dimnaamebous.com^
+||dimnatriazin.com^
+||dimnessinvokecorridor.com^
+||dimnessslick.com^
+||dimpleclassconquer.com^
+||dimpoaghoorg.net^
+||dimpuxoh.net^
+||dinecogitateaffections.com^
+||dinejav11.fun^
+||dinerbreathtaking.com^
+||dinerinvite.com^
+||dinerpropagandatoothbrush.com^
+||dinghologyden.org^
+||dingswonden.info^
+||diningconsonanthope.com^
+||diningjumbofocused.com^
+||diningprefixmyself.com^
+||diningroombutt.com^
+||diningsovereign.com^
+||dinnedgidjee.top^
+||dinnercreekawkward.com^
+||dinomicrummies.com^
+||dinseegny.com^
+||diosminlissome.com^
+||dioxidtoluyls.com^
+||diplnk.com^
+||diplomatomorrow.com^
+||dippersanankes.click^
+||dippingearlier.com^
+||dippingunstable.com^
+||diptaich.com^
+||dipusdream.com^
+||dipxmakuja.com^
+||diqnioryshzpge.com^
+||direct-specific.com^
+||directaclick.com^
+||directcpmfwr.com^
+||directcpmrev.com^
+||directdexchange.com^
+||directflowlink.com^
+||directleads.com^
+||directlycoldnesscomponent.com^
+||directlymilligramresponded.com^
+||directmahalla.top^
+||directnavbt.com^
+||directorym.com^
+||directoutside.pro^
+||directrankcl.com^
+||directresulto.org^
+||directrev.com^
+||directtaafwr.com^
+||directtrack.com^
+||directtrck.com^
+||diromalxx.com^
+||dirtrecurrentinapptitudeinapptitude.com^
+||dirty.games^
+||dirtyasmr.com^
+||dirvimctifiz.com^
+||disable-adverts.com^
+||disableadblock.com^
+||disabledincomprehensiblecitizens.com^
+||disabledmembership.com^
+||disabledsurpassrecollection.com^
+||disablepovertyhers.com^
+||disabr.com^
+||disadvantagenaturalistrole.com^
+||disagreeableallen.com^
+||disagreeopinionemphasize.com^
+||disappearanceinspiredscan.com^
+||disappearancetickfilth.com^
+||disappearedpuppetcovered.com^
+||disappearingassertive.com^
+||disappearingassurance.com^
+||disappearterriblewalked.com^
+||disappointedquickershack.com^
+||disappointingbeef.com^
+||disappointingcharter.com^
+||disappointingupdatependulum.com^
+||disapprovalpulpdiscourteous.com^
+||disarmbookkeeper.com^
+||disastrousdetestablegoody.com^
+||disastrousfinal.pro^
+||disavowhers.com^
+||disbeliefenvelopemeow.com^
+||disbeliefplaysgiddiness.com^
+||disccompose.com^
+||discernibletickpang.com^
+||dischargecompound.com^
+||dischargedcomponent.com^
+||dischargeinsularbroadly.com^
+||dischargemakerfringe.com^
+||disciplecousinendorse.com^
+||disciplineagonywashing.com^
+||disciplineinspirecapricorn.com^
+||discloseapplicationtreason.com^
+||discloseprogramwednesday.com^
+||disclosestockingsprestigious.com^
+||discomantles.com^
+||discomforttruant.com^
+||disconnectedponder.com^
+||disconnectthirstyron.com^
+||discontenteddiagnosefascinating.com^
+||discospiritirresponsible.com^
+||discounts4shops.com^
+||discountstickersky.com^
+||discourseoxidizingtransfer.com^
+||discoverethelwaiter.com^
+||discoverybarricaderuse.com^
+||discoveryreedpiano.com^
+||discreditgutter.com^
+||discreetchurch.com^
+||discreetmotortribe.com^
+||discretionpollclassroom.com^
+||discussedfacultative.com^
+||discussedirrelevant.com^
+||discussedpliant.com^
+||discussingmaze.com^
+||disdainsneeze.com^
+||diseaseexternal.com^
+||diseaseplaitrye.com^
+||disembarkappendix.com^
+||disembroildisembroilassuredwitchcraft.com^
+||disfiguredirt.com^
+||disfiguredrough.pro^
+||disfigurestokerlikelihood.com^
+||disgracefulforeword.com^
+||disguised-dad.com^
+||disguisedgraceeveryday.com^
+||disgustassembledarctic.com^
+||disgustedawaitingcone.com^
+||disgustingscuffleaching.com^
+||dishcling.com^
+||disheartensunstroketeen.com^
+||dishesha.net^
+||dishevelledoughtshall.com^
+||dishoneststuff.pro^
+||dishonourfondness.com^
+||dishwaterconcedehearty.com^
+||disillusionromeearlobe.com^
+||disingenuousdismissed.com^
+||disingenuousfortunately.com^
+||disingenuousmeasuredere.com^
+||disingenuoussuccessfulformal.com^
+||disinheritbottomwealthy.com^
+||disintegratenose.com^
+||disintegrateredundancyfen.com^
+||diskaa.com^
+||dislikequality.com^
+||disloyalmeddling.com^
+||dismalcompassionateadherence.com^
+||dismalthroat.pro^
+||dismantlepenantiterrorist.com^
+||dismantleunloadaffair.com^
+||dismastrostra.com^
+||dismaybrave.com^
+||dismaytestimony.com^
+||dismissabuse.com^
+||dismissedsmoothlydo.com^
+||dismisssalty.com^
+||dismountpoint.com^
+||dismountroute.com^
+||dismountthreateningoutline.com^
+||disobediencecalculatormaiden.com^
+||disorderbenign.com^
+||disovrfc.xyz^
+||disowp.info^
+||disparityconquer.com^
+||disparitydegenerateconstrict.com^
+||dispatchfeed.com^
+||dispbaktun.com^
+||dispelhighest.com^
+||dispensedessertbody.com^
+||dispersecottage.com^
+||disperserepeatedly.com^
+||dispersereversewanderer.com^
+||displacecanes.com^
+||displaceprivacydemocratic.com^
+||displaycontentnetwork.com^
+||displaycontentprofit.com^
+||displayedfoot.com^
+||displayfly.com^
+||displayformatcontent.com^
+||displayformatrevenue.com^
+||displayinterads.com^
+||displaynetworkcontent.com^
+||displaynetworkprofit.com^
+||displayvertising.com^
+||displeaseddietstair.com^
+||displeasedprecariousglorify.com^
+||displeasedwetabridge.com^
+||displeasurethank.com^
+||disploot.com^
+||dispop.com^
+||disposableearnestlywrangle.com^
+||disposalangrily.com^
+||disposalsirbloodless.com^
+||disposedbeginner.com^
+||disputeretorted.com^
+||disputetrot.com^
+||disqualifygirlcork.com^
+||disquietstumpreducing.com^
+||disreputabletravelparson.com^
+||disrespectpreceding.com^
+||disrootaffa.com^
+||dissatisfactiondoze.com^
+||dissatisfactionparliament.com^
+||dissatisfactionrespiration.com^
+||dissemblebendnormally.com^
+||dissimilarskinner.com^
+||dissipatecombinedcolon.com^
+||dissipatedifficulty.com^
+||dissipateetiquetteheavenly.com^
+||dissolvedessential.com^
+||dissolveretinue.com^
+||dissolvetimesuspicions.com^
+||distancefilmingamateur.com^
+||distancemedicalchristian.com^
+||distant-session.pro^
+||distantbelly.com^
+||distantsoil.com^
+||distilinborn.com^
+||distinct-bicycle.com^
+||distinguishedshrug.com^
+||distinguishtendhypothesis.com^
+||distorteddead.pro^
+||distortunfitunacceptable.com^
+||distractedavail.com^
+||distractfragment.com^
+||distractiontradingamass.com^
+||distraughtsexy.com^
+||distressamusement.com^
+||distressedsoultabloid.com^
+||distributionfray.com^
+||distributionland.website^
+||distributionrealmoth.com^
+||districtm.ca^
+||districtm.io^
+||districtshortmetal.com^
+||distrustacidaccomplish.com^
+||distrustawhile.com^
+||distrustuldistrustulshakencavalry.com^
+||disturbancecoldlilac.com^
+||disturbanceinventoryshiver.com^
+||disturbedaccruesurfaces.com^
+||disturbingacceptabledisorganized.com^
+||distyleprankle.top^
+||dit-dit-dot.com^
+||ditchbillionrosebud.com^
+||ditdotsol.com^
+||dittyinsects.com^
+||ditwrite.com^
+||divedresign.com^
+||divergeimperfect.com^
+||diverhaul.com^
+||diversityspaceship.com^
+||divertbywordinjustice.com^
+||divetroubledloud.com^
+||dividedbecameinquisitive.com^
+||dividedkidblur.com^
+||dividedscientific.com^
+||divideinch.com^
+||dividetribute.com^
+||divingshown.com^
+||divinitygasp.com^
+||divinitygoggle.com^
+||divisionprogeny.com^
+||divorcebelievable.com^
+||divorceseed.com^
+||divortrelict.top^
+||divvyprorata.com^
+||dizainejerrie.top^
+||dizdarsedgier.com^
+||dizziesferri.com^
+||dizzyporno.com^
+||dizzyshe.pro^
+||dj-updates.com^
+||dj2550.com^
+||djadoc.com^
+||djfiln.com^
+||djfuieotdlo.com^
+||djfwtdwiybiq.com^
+||djldrhxb.com^
+||djmwwdrznntss.com^
+||djmwxpsijxxo.xyz^
+||djosbhwpnfxmx.com^
+||djphnuhkbjf.com^
+||djqacscl.com^
+||djqitgfjfu.com^
+||djsdmdbwlpbab.com^
+||djssdvbo.com^
+||dkagiqnjsdoqli.com^
+||dkbgcxltwljdua.com^
+||dkesqebismkqec.com^
+||dkihlqwmd.com^
+||dkrbus.com^
+||dkrely.com^
+||dkrqyly.com^
+||dkrxtdnlg.com^
+||dkuekrwiwr.com^
+||dl-rms.com^
+||dlazblsihdoi.com^
+||dle-news.xyz^
+||dledthebarrowb.com^
+||dlfvgndsdfsn.com^
+||dljuejfp.com^
+||dlkdfuun.com^
+||dlqfkzykxqicn.com^
+||dlqxdonofwsfes.xyz^
+||dlski.space^
+||dlxohfxenojlpb.com^
+||dmabpmokxcgm.com^
+||dmayindallmypi.com^
+||dmehoamo.com^
+||dmemndrjim.com^
+||dmetherearlyinhes.info^
+||dmeukeuktyoue.info^
+||dmiredindeed.com^
+||dmiredindeed.info^
+||dmlkzmg.com^
+||dmm-video.online^
+||dmnprx.com^
+||dmoldsusvkpa.xyz^
+||dmowvblljmkqx.com^
+||dmrdnujvzo.com^
+||dmrtx.com^
+||dmsktmld.com^
+||dmuqumodgwm.com^
+||dmvbdfblevxvx.com^
+||dmvporebntt.com^
+||dmzjmp.com^
+||dn9.biz^
+||dnavexch.com^
+||dnavtbt.com^
+||dncnudcrjprotiy.xyz^
+||dnemkhkbsdbl.com^
+||dnfs24.com^
+||dnjsiye.com^
+||dnlgrxhfcsjhcto.com^
+||dnnwebuxps.com^
+||dnpnemyntetpj.com^
+||dnswinq.com^
+||dntaiiifdbwno.com^
+||dnvgecz.com^
+||doaboowa.com^
+||doaipomer.com^
+||doajauhopi.xyz^
+||doaltariaer.com^
+||doappcloud.com^
+||doastaib.xyz^
+||doblazikena.com^
+||dochouts.net^
+||dockaround.com^
+||dockboulevardshoes.com^
+||dockdeity.com^
+||doctorenticeflashlights.com^
+||doctorhousing.com^
+||doctorpost.net^
+||doctoryoungster.com^
+||documentaryextraction.com^
+||documentaryselfless.com^
+||dodgefondness.com^
+||dodgyvertical.com^
+||dodouhoa.com^
+||doesbitesizeadvantages.com^
+||doflygonan.com^
+||dofrogadiera.com^
+||dog-realtimebid.org^
+||dogcollarfavourbluff.com^
+||dogconcurrencesauce.com^
+||doggyunderline.com^
+||doghasta.com^
+||dogiedimepupae.com^
+||dogolurkr.com^
+||dogprocure.com^
+||dogt.xyz^
+||dogwrite.com^
+||doidbymr.com^
+||dokaboka.com^
+||dokondigit.quest^
+||dokseptaufa.com^
+||dolatiaschan.com^
+||dolefulcaller.com^
+||dolefulitaly.com^
+||dolefulwelcoming.com^
+||dolemeasuringscratched.com^
+||dolentbahisti.com^
+||doleplasticimpending.com^
+||doleyorpinc.website^
+||dollarade.com^
+||dollargrimlytommy.com^
+||dollartopsail.top^
+||dollsdeclare.com^
+||dolohen.com^
+||doloroj.com^
+||dolphinabberantleaflet.com^
+||dolphincdn.xyz^
+||domainanalyticsapi.com^
+||domaincaptured.com^
+||domaincntrol.com^
+||domainparkingmanager.it^
+||domakuhitaor.com^
+||domankeyan.com^
+||dombnrs.com^
+||domccktop.com^
+||domdex.com^
+||domeclosureassert.com^
+||domenictests.top^
+||domesticsomebody.com^
+||domfehu.com^
+||domicileperil.com^
+||domicilereduction.com^
+||dominaepleck.top^
+||dominaeusques.com^
+||dominantcodes.com^
+||dominantroute.com^
+||dominatedisintegratemarinade.com^
+||domineshodder.top^
+||dominikpers.ru^
+||domnlk.com^
+||dompeterapp.com^
+||domslc.com^
+||donateentrailskindly.com^
+||donateyowl.shop^
+||donationobliged.com^
+||donceystutqzh.com^
+||donecooler.com^
+||donecperficiam.net^
+||donemagbuy.live^
+||donescaffold.com^
+||donferiae.click^
+||doninjaskr.com^
+||donkstar1.online^
+||donkstar2.online^
+||donneesskilder.top^
+||donttbeevils.de^
+||donyandmark.xyz^
+||doobaupu.xyz^
+||doochoor.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^
+||doormanbafflemetal.com^
+||doormantdoormantbumpyinvincible.com^
+||doormantdoormantunfaithful.com^
+||doorstepexcepting.com^
+||doostauge.com^
+||doostozoa.net^
+||doozersunkept.com^
+||dopansearor.com^
+||dope.autos^
+||dopecurldizzy.com^
+||dopmmzn.com^
+||dopor.info^
+||doprinplupr.com^
+||doptik.ru^
+||doraikouor.com^
+||dorasuther.top^
+||dorimnews.com^
+||dorkingvoust.com^
+||dorothydrawing.com^
+||dortmark.net^
+||doruffleton.com^
+||doruffletr.com^
+||dosagebreakfast.com^
+||dosamurottom.com^
+||doscarredwi.org^
+||dosconsiderate.com^
+||doseadraa.com^
+||dositsil.net^
+||dosliggooor.com^
+||dossestarairi.shop^
+||dossmanaventre.top^
+||dotaillowan.com^
+||dotandads.com^
+||dotappendixrooms.com^
+||dotchaudou.com^
+||dotcom10.info^
+||dotdealingfilling.com^
+||dotedsuccula.top^
+||dotgxcnq.com^
+||dothepashandelthingwebrouhgtfromfrance.top^
+||dotsrv.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^
+||doufoacu.net^
+||dougale.com^
+||douglaug.net^
+||douhooke.net^
+||doukoula.com^
+||doumuleet.net^
+||douoblelimpup.com^
+||doupionwhils.com^
+||doupseejog.com^
+||doupsout.xyz^
+||doupteethaiz.xyz^
+||dourashandbow.shop^
+||douthosh.net^
+||douwhawez.com^
+||doveexperttactical.com^
+||dovictinian.com^
+||doweralrostra.com^
+||down1oads.com^
+||download-adblock-zen.com^
+||download-adblock360.com^
+||download-ready.net^
+||download4.cfd^
+||download4allfree.com^
+||downloadboutique.com^
+||downloading-addon.com^
+||downloading-extension.com^
+||downloadmobile.pro^
+||downloadwiselyfaintest.com^
+||downloadyt.com^
+||downlon.com^
+||downparanoia.com^
+||downstairsnegotiatebarren.com^
+||downtowndisapproval.com^
+||downtransmitter.com^
+||downwardstreakchar.com^
+||dowrylatest.com^
+||dowtyler.com^
+||doydplivplr.com^
+||dozenactually.com^
+||dozubatan.com^
+||dozzlegram-duj-i-280.site^
+||dpahlsm.com^
+||dpdnav.com^
+||dphpycbr.com^
+||dphunjimnkyadh.com^
+||dpmsrv.com^
+||dpnktkmxjfdd.com^
+||dprtb.com^
+||dpseympatijgpaw.com^
+||dpstack.com^
+||dptwwmktgta.com^
+||dpyaxzpudhp.com^
+||dpzgwzjledx.com^
+||dqdrsgankrum.org^
+||dqeaa.com^
+||dqeiooxvtbiyl.com^
+||dqfhudpnwdk.com^
+||dqgmtzo.com^
+||dqhezw.com^
+||dqhoikghxts.com^
+||dqjkzrx.com^
+||dqjlhidethq.com^
+||dqnvcjcyx.com^
+||dqnxkfbhreaas.com^
+||dqrpajecblodtqd.com^
+||dqsvzptpd.com^
+||dqtzmkwzvoidi.com^
+||dqvnpbs.com^
+||dqxifbm.com^
+||dqypqewirrf.com^
+||dqzsejvbr.com^
+||dr0.biz^
+||dr22.biz^
+||dr6.biz^
+||dr7.biz^
+||drabimprovement.com^
+||draftbeware.com^
+||dragbarinsuper.top^
+||dragdisrespectmeddling.com^
+||dragfault.com^
+||draggedgram.com^
+||draggedindicationconsiderable.com^
+||dragnag.com^
+||drainlot.com^
+||drako2sha8de09.com^
+||dralintheirbr.com^
+||dramamutual.com^
+||dramasoloist.com^
+||dramaticagreementsalt.com^
+||dramshaplite.com^
+||dranktonsil.com^
+||drapefabric.com^
+||drasticdrama.com^
+||dratejiggly.top^
+||dratingmaject.com^
+||draughtpoisonous.com^
+||drawbackcaptiverusty.com^
+||drawbacksubdue.com^
+||draweesoutkiss.com^
+||drawerenter.com^
+||drawerfontactual.com^
+||drawergypsyavalanche.com^
+||drawingsingmexican.com^
+||drawingsugarnegative.com^
+||drawingwaved.com^
+||drawingwheels.com^
+||drawnperink.com^
+||drawx.xyz^
+||drayedbonity.top^
+||draystownet.com^
+||drctcldfbfwr.com^
+||drctcldfe.com^
+||drctcldfefwr.com^
+||drctcldff.com^
+||drctcldfffwr.com^
+||dreadbreakupsomeone.com^
+||dreadfullyclarifynails.com^
+||dreadfulprofitable.com^
+||dreadluckdecidedly.com^
+||dreadshavingmammal.com^
+||dreambooknews.com^
+||dreamintim.net^
+||dreamnews.biz^
+||dreamsaukn.org^
+||dreamskilometre.com^
+||dreamsofcryingf.com^
+||dreamsoppressive.com^
+||dreamteamaffiliates.com^
+||drearlyknifes.com^
+||drearypassport.com^
+||drenchsealed.com^
+||dressceaseadapt.com^
+||dressedfund.com^
+||dresserbirth.com^
+||dresserderange.com^
+||dresserfindparlour.com^
+||dressingdedicatedmeeting.com^
+||dressmakerdecisivesuburban.com^
+||dressmakertumble.com^
+||dreyeli.info^
+||drfaultlessplays.com^
+||drfpbnfxuqion.com^
+||drgcnsnohnf.com^
+||dribbleads.com^
+||dribturbot.com^
+||drided.com^
+||driedanswerprotestant.com^
+||driedcollisionshrub.com^
+||drillcompensate.com^
+||drinksbookcaseconsensus.com^
+||dripgleamborrowing.com^
+||drivenicysecretive.com^
+||drivercontinentcleave.com^
+||drivewayilluminatedconstitute.com^
+||drivewayperrydrought.com^
+||drivingfoot.website^
+||drivingkeas.top^
+||drizzleexperimentdysentery.com^
+||drizzlefirework.com^
+||drizzlepose.com^
+||drizzlerules.com^
+||drjkwbfqcvr.com^
+||drkness.net^
+||dromoicassida.com^
+||dronediscussed.com^
+||dronetmango.com^
+||droopingfur.com^
+||droopingrage.com^
+||dropdoneraining.com^
+||droppalpateraft.com^
+||droppingforests.com^
+||droppingprofessionmarine.com^
+||dropsclank.com^
+||dropsyworked.click^
+||drownbossy.com^
+||drowrenomme.com^
+||drpggagxsz.com^
+||drsmediaexchange.com^
+||drubbersestia.com^
+||drublylamboy.top^
+||druggedforearm.com^
+||druguniverseinfected.com^
+||drummerconvention.com^
+||drummercorruptprime.com^
+||drummercrouchdelegate.com^
+||drumskilxoa.click^
+||drumusherhat.com^
+||drunkardashamethicket.com^
+||drunkarddecentmeals.com^
+||drunkendecembermediocre.com^
+||drunkindigenouswaitress.com^
+||drust-gnf.com^
+||drvkypkfm.com^
+||dryerslegatos.com^
+||ds3.biz^
+||ds7hds92.de^
+||dsadghrthysdfadwr3sdffsdaghedsa2gf.xyz^
+||dsdkpgjyvdv.com^
+||dsethimdownthmo.com^
+||dsfjhfhyry2hh8jo09.com^
+||dsixipuj.com^
+||dslsgbrckqshuep.com^
+||dsmrnsngvnrc.xyz^
+||dsmvkbfzp.com^
+||dsnextgen.com^
+||dsnfeddmxnsfq.com^
+||dsnkkjmxogwtpju.com^
+||dsoodbye.xyz^
+||dsp.wtf^
+||dsp5stero.com^
+||dspmega.com^
+||dspmulti.com^
+||dspultra.com^
+||dssdv.com^
+||dsstrk.com^
+||dstimaariraconians.info^
+||dsultra.com^
+||dswqtkpk.com^
+||dsxwcas.com^
+||dt4ever.com^
+||dt51.net^
+||dtadnetwork.com^
+||dtbfpygjdxuxfbs.xyz^
+||dtdngmhvscvm.com^
+||dtedpypskgbdap.com^
+||dthablbrl.com^
+||dthechildren.org^
+||dtheharityhild.info^
+||dthepeoplewhoc.org^
+||dthipkts.com^
+||dtkhbsictxpu.com^
+||dtkmflxaqwobno.com^
+||dtmpub.com^
+||dtmvpkn.com^
+||dtnacqswcieufy.com^
+||dtobyiiuktxvp.com^
+||dtpeqgfaps.com^
+||dtprofit.com^
+||dtqbqmzzbeck.com^
+||dtqlltmmyb.com^
+||dtscdn.com^
+||dtscout.com^
+||dtsedge.com^
+||dtssrv.com^
+||dtsuqeneaipu.com^
+||dtsxqguwovhg.com^
+||dttaupjvj.com^
+||dtx.click^
+||dtyathercockrem.com^
+||dtybyfo.com^
+||dtylhedgelnham.com^
+||dualmarket.info^
+||dualp.xyz^
+||duamilsyr.com^
+||dubdetectioniceberg.com^
+||dubdiggcofmo.com^
+||dubggge.com^
+||dubnoughtheadquarter.com^
+||dubshub.com^
+||dubunwiseobjections.com^
+||dubvacasept.com^
+||dubzenom.com^
+||ducallydamar.com^
+||duchough.com^
+||duckannihilatemulticultural.com^
+||duckedabusechuckled.com^
+||ducksintroduce.com^
+||duckswillsmoochyou.com^
+||ductclickjl.com^
+||ductedcestoid.top^
+||ductquest.com^
+||ducubchooa.com^
+||dudialgator.com^
+||dudleyjoyful.com^
+||dudleynutmeg.com^
+||dudragonitean.com^
+||dudslubesviol.com^
+||duesirresponsible.com^
+||duetads.com^
+||dufflesmorinel.com^
+||dufjgdjeyo.com^
+||dufrom.com^
+||duftoagn.com^
+||dugapiece.com^
+||duggreat.com^
+||duglompu.xyz^
+||dugothitachan.com^
+||dugraukeeck.net^
+||duhafaroalub.com^
+||duhthvtcgp.com^
+||duili-mtp.com^
+||duimspruer.life^
+||dujcubbzog.com^
+||duk0m1mlu.com^
+||dukesubsequent.com^
+||dukicationan.org^
+||dukingdraon.com^
+||dukirliaon.com^
+||dukkxpf.com^
+||dulativergs.com^
+||duldxuonx.com^
+||dulillipupan.com^
+||dulladaptationcontemplate.com^
+||dullstory.pro^
+||dulojet.com^
+||dulsesglueing.com^
+||dulwajdpoqcu.com^
+||dumbpop.com^
+||dummieseardrum.com^
+||dumpaudible.com^
+||dumpconfinementloaf.com^
+||dumpilydieted.click^
+||dumplingclubhousecompliments.com^
+||dumplingdirewomen.com^
+||dunderaffiliates.com^
+||dunemanslaughter.com^
+||dungeonisosculptor.com^
+||dungmamma.com^
+||dunnedemicant.com^
+||dupelipperan.com^
+||duplicateallycomics.com^
+||duplicateankle.com^
+||duplicatebecame.com^
+||duplicatepokeheavy.com^
+||duponytator.com^
+||durableordinarilyadministrator.com^
+||durike.com^
+||durith.com^
+||dursocoa.com^
+||dust-0001.delorazahnow.workers.dev^
+||dustersee.com^
+||dustratebilate.com^
+||dustupsstekan.com^
+||dustymural.com^
+||dustywrenchdesigned.com^
+||dusunfloraer.com^
+||dutalonflameer.com^
+||dutorterraom.com^
+||dutydynamo.co^
+||dutygoddess.com^
+||dutythursday.com^
+||duvuerxuiw.com^
+||duwtkigcyxh.com^
+||duwvinarma.com^
+||duxesboddagh.com^
+||duxlveokumpmd.com^
+||duzbhonizsk.com^
+||duzmevl.com^
+||dvaminusodin.net^
+||dvbwfdwae.com^
+||dvcgzygp.com^
+||dvdpzpjoipwkmm.com^
+||dvfmdgdk.com^
+||dvigutying.top^
+||dvkxchzb.com^
+||dvvemmg.com^
+||dvypar.com^
+||dvzkkug.com^
+||dwellingmerrimentrecorder.com^
+||dwellingsensationalthere.com^
+||dwellsew.com^
+||dwetwdstom1020.com^
+||dwfupceuqm.com^
+||dwglkwpyuwbd.com^
+||dwhitdoedsrag.org^
+||dwightadjoining.com^
+||dwightbridesmaid.com^
+||dwiovmamhb.com^
+||dwithmefeyauknal.info^
+||dwlgdzzltdekr.com^
+||dwlmjxf.com^
+||dwqjaehnk.com^
+||dwuxbazvi.com^
+||dwvbfnqrbif.com^
+||dwvxmfscptajtll.com^
+||dwwpofwebdwm.com^
+||dxbsdetipqzbp.com^
+||dxhbdttlvchrgsh.com^
+||dxmjyxksvc.com^
+||dxotbknruf.com
+||dxouwbn7o.com^
+||dxryshpgyeu.com^
+||dxtv1.com^
+||dxuuvxweynac.com^
+||dyhvtkijmeg.xyz^
+||dyhxduicfngnumo.xyz^
+||dyingconjunction.com^
+||dylop.xyz^
+||dylwqfrdb.com^
+||dynamicadx.com^
+||dynamicapl.com^
+||dynamicjsconfig.com^
+||dynamitedata.com^
+||dynpaa.com^
+||dynspt.com^
+||dynsrvbaa.com^
+||dynsrvdea.com^
+||dynsrvtbg.com^
+||dynsrvtyu.com^
+||dynssp.com^
+||dyoiqojlyntvy.com^
+||dyptanaza.com^
+||dyqjndui.com^
+||dysenteryappeal.com^
+||dysfunctionalrecommendation.com^
+||dytabqo.com^
+||dyuscbmabg.xyz^
+||dyysxwjeyfiysrs.com^
+||dz4ad.com^
+||dzeoiizhixuyvg.com^
+||dzhjmp.com^
+||dzienkudrow.com^
+||dzigzdbqkc.com^
+||dzijggsdx.com^
+||dzjv9gbu8a.com^
+||dzkpopetrf.com^
+||dzliege.com^
+||dzoavjjfet.com^
+||dzprcdskxn.com^
+||dzsorpf.com^
+||dzubavstal.com^
+||dzuowpapvcu.com^
+||dzyvhrhdgms.com^
+||e-cougar.fr^
+||e0a79821ec.com^
+||e0ad1f3ca8.com^
+||e0e5bc8f81.com^
+||e2bec62b64.com^
+||e2ertt.com^
+||e2s77vndh.com^
+||e36e2058e8.com^
+||e437040a9a.com^
+||e46271be93.com^
+||e4nglis56hcoo5nhou6nd.com^
+||e55b290040.com^
+||e59f087ae4.com^
+||e5asyhilodice.com^
+||e6400a77fa.com^
+||e67jpj6to.com^
+||e67repidwnfu7gcha.com^
+||e6wwd.top^
+||e702fa7de9d35c37.com^
+||e732bfae2a.com^
+||e770af238b.com^
+||e8100325bc.com^
+||e822e00470.com^
+||e9c1khhwn4uf.com^
+||e9d13e3e01.com^
+||ea011c4ae4.com^
+||ea6353e47e0ab3f78.com^
+||eabids.com^
+||eabithecon.xyz^
+||eablnikfbevgyi.com^
+||eabrgisajgzahx.com^
+||eac0823ca94e3c07.com^
+||eacdn.com^
+||eacfiii.com^
+||eachiv.com^
+||eachunwilling.com^
+||eadaqfkkrprf.com^
+||eaed8c304f.com^
+||eafb9d5abc.com^
+||eagainedameri.com^
+||eageoahba.com^
+||eagleapi.io^
+||eaglebout.com^
+||eaglestats.com^
+||eaglingauslaut.com^
+||eajpryc.com^
+||eakelandorder.com^
+||eakelandorders.org^
+||ealeo.com^
+||eallywasnothy.com^
+||eamqbaqzaerzb.top^
+||eamsanswer.com^
+||eanangelsa.info^
+||eanddescri.com^
+||eanlingtumfie.com^
+||eanrzzvvmjqm.top^
+||eanwhitepinafor.com^
+||eardepth-prisists.com^
+||eargentssep.one^
+||earinglestpeoples.info^
+||earlapssmalm.com^
+||earlierdimrepresentative.com^
+||earlierindians.com^
+||earliesthuntingtransgress.com^
+||earlinessone.xyz^
+||earlyfortune.pro^
+||earnestadornment.com^
+||earnestnessmodifiedsealed.com^
+||earnify.com^
+||earningsgrandpa.com^
+||earningstwigrider.com^
+||earphonespulse.com^
+||earplugmolka.com^
+||earringsatisfiedsplice.com^
+||earthquakehomesinsulation.com^
+||eas696r.xyz^
+||easeavailandpro.info^
+||easegoes.com^
+||easeinternmaterialistic.com^
+||easelegbike.com^
+||easelgivedolly.com^
+||easerefrain.com^
+||eashasvsucoc.info^
+||easierroamaccommodation.com^
+||easilysafety.com^
+||eastergurgle.com^
+||eastfeukufu.info^
+||eastfeukufunde.com^
+||eastrk-dn.com^
+||eastrk-lg.com^
+||eastyewebaried.info^
+||easy-dating.org^
+||easyaccess.mobi^
+||easyad.com^
+||easyads28.mobi^
+||easyads28.pro^
+||easyfag.com^
+||easyflirt-partners.biz^
+||easygoingamaze.com^
+||easygoingasperitydisconnect.com^
+||easygoinglengthen.com^
+||easygoingseducingdinner.com^
+||easygoingtouchybribe.com^
+||easymrkt.com^
+||easysemblyjusti.info^
+||eatasesetitoefa.info^
+||eatengossipyautomobile.com^
+||eaterdrewduchess.com^
+||eatmenttogeth.com^
+||eatssetaria.top^
+||eaudigonal.top^
+||eavailandproc.info^
+||eavesdroplimetree.com^
+||eavesofefinegoldf.info^
+||eavfrhpnqbpkdqb.com^
+||eawp2ra7.top^
+||eaxhsjrlq.com^
+||eayeewlvmeqel.top^
+||eazyleads.com^
+||eb36c9bf12.com^
+||eb5232b35d.com^
+||ebannertraffic.com^
+||ebb174824f.com^
+||ebcfjgnjw.com^
+||ebd.cda-hd.co^
+||ebdlthbijshfj.com^
+||ebdokvydrvqvrak.xyz^
+||ebdrxqox.com^
+||ebetoni.com^
+||ebhgnulpctws.com^
+||ebkthjkvp.com^
+||eblastengine.com^
+||ebnarnf.com^
+||ebolat.xyz^
+||ebonizerebake.com^
+||ebonyrecognize.com^
+||ebooktheft.com^
+||ebsbqexdgb.xyz^
+||ebuzzing.com^
+||ebwvjkvd.com^
+||ebz.io^
+||ec1e2c92b3.com^
+||ec2867edc4.com^
+||ecaursedeegh.com^
+||echaruropygi.com^
+||echevintrunnel.top^
+||echinusandaste.com^
+||echiovlhu.com^
+||echoachy.xyz^
+||echocultdanger.com^
+||echoeshamauls.com^
+||echopixelwave.net^
+||echskbpghlc.com^
+||echtibuivwyd.com^
+||eciivxqtur.com^
+||ecipientconcertain.info^
+||ecityonatallcol.info^
+||eckleinlienic.click^
+||eclebgjz.com^
+||eclkmpbn.com^
+||eclkmpsa.com^
+||ecoastandhei.org^
+||econenectedith.info^
+||economyhave.com^
+||econsistentlyplea.com^
+||econtinuedidg.com^
+||ecortb.com^
+||ecoulsou.xyz^
+||ecpms.net^
+||ecrwqu.com^
+||ecstatic-rope.pro^
+||ecsxtrhfgvs.com^
+||ectsofcukorpor.com^
+||ecusemis.com^
+||ecvjrxlrql.com^
+||ecxgjqjjkpsx.com^
+||ecypliujlkuh.com^
+||ecyxbhvnntj.com^
+||eda153603c.com^
+||edaciousedaciousflaxalso.com^
+||edaciousedacioushandkerchiefcol.com^
+||edaciousedaciousindexesbrief.com^
+||edacityedacitycorrespondence.com^
+||edacityedacityhandicraft.com^
+||edacityedacitystrawcrook.com^
+||edaightutaitlastwe.info^
+||edalloverwiththinl.info^
+||edallthroughthe.info^
+||edbehindforhewa.info^
+||edbritingsynt.info^
+||eddmfazptxl.com^
+||edeybivah.com^
+||edgar2al2larngpoer.com^
+||edgbas.com^
+||edgevertise.com^
+||edgychancymisuse.com^
+||edibleinvite.com^
+||edifiedpristaw.top^
+||edingrigoguter.com^
+||edioca.com^
+||edirectuklyeco.info^
+||editalcaulked.top^
+||edition25.com^
+||editionoverlookadvocate.com^
+||editneed.com^
+||edkgdruoreys.com^
+||edkjpwvfy.com^
+||edlilu.com^
+||ednewsbd.com^
+||edodtfnyfpf.com^
+||edoumeph.com^
+||edrevenuedur.xyz^
+||edrubyglo.buzz^
+||edshhhfsawod.com^
+||edstevermotorie.com^
+||edthechildrenandthe.info^
+||edtheparllase.com^
+||edtotigainare.info^
+||edttfiou.com^
+||edttmar.com^
+||edu-lib.com^
+||edua29146y.com^
+||educatedcoercive.com^
+||educationalapricot.com^
+||educationalroot.com^
+||educationrailway.website^
+||educedsteeped.com^
+||edutechlearners.com^
+||edverys.buzz^
+||edvfwlacluo.com^
+||edvjvadg.com^
+||edvruqmrjvlg.com^
+||edvxygh.com^
+||edwfdhkgnx.com^
+||edzuahkymbureo.com^
+||edzwmobmj.com^
+||ee625e4b1d.com^
+||ee6a35c1eeee.com^
+||eeab79bf10.com^
+||eebouroo.net^
+||eebqeceysaakco.com^
+||eecd.xyz^
+||eecd179r3b.com^
+||eecheweegru.com^
+||eechicha.com^
+||eecjrmd.com^
+||eeco.xyz^
+||eedsaung.net^
+||eeeuqvjsahxzw.com^
+||eeevxvon.com^
+||eefa308edc.com^
+||eefteezaltou.com^
+||eeftooms.net^
+||eegamaub.net^
+||eegeeglou.com^
+||eeghadse.com^
+||eegheecog.net^
+||eeghooptauy.net^
+||eegnacou.com^
+||eegookiz.com^
+||eegroosoad.com^
+||eehuzaih.com^
+||eeinhyfb.com^
+||eekeeghoolsy.com^
+||eekreeng.com^
+||eeksidro.com^
+||eeksoabo.com^
+||eeleekso.com^
+||eelempee.xyz^
+||eellikeconcio.top^
+||eelroave.xyz^
+||eelxljos.com^
+||eemreyrwkqwyj.top^
+||eenbies.com^
+||eengange.com^
+||eengilee.xyz^
+||eephaush.com^
+||eephoawaum.com^
+||eepsoumt.com^
+||eepsukso.com^
+||eeptempy.xyz^
+||eeptoabs.com^
+||eeptushe.xyz^
+||eergithi.com^
+||eergortu.net^
+||eeriemediocre.com^
+||eeroawug.com^
+||eersutoo.net^
+||eertogro.net^
+||eeshemto.com^
+||eesidesukbeingaj.com^
+||eesihighlyrec.xyz^
+||eespekw.com^
+||eessoong.com^
+||eessoost.net^
+||eetognauy.net^
+||eetsegeb.net^
+||eetsooso.net^
+||eeycumpmwy.com^
+||eeywmvwaqqrrl.top^
+||eeywmvwebqarl.top^
+||eeywmvwebqblq.top^
+||eezavops.net^
+||eezegrip.net^
+||ef9i0f3oev47.com^
+||efanyorgagetni.info^
+||efawhwawapkrbu.com^
+||efdjelx.com^
+||efemsvcdjuov.com^
+||effacedefend.com^
+||effaceecho.com^
+||effacerevealing.com^
+||effateuncrisp.com^
+||effectedscorch.com^
+||effectivecpmcontent.com^
+||effectivecpmgate.com^
+||effectivecreativeformat.com^
+||effectivecreativeformats.com^
+||effectivedisplaycontent.com^
+||effectivedisplayformat.com^
+||effectivedisplayformats.com^
+||effectivegatetocontent.com^
+||effectivemeasure.net^
+||effectiveperformanceformat.com^
+||effectiveperformancenetwork.com^
+||effectscouncilman.com^
+||effectsembower.top^
+||effectslacybulb.com^
+||effectuallyaudition.com^
+||effectuallyimitation.com^
+||effectuallylazy.com^
+||effectuallyrefrigerator.com^
+||effeminatecementsold.com^
+||efficiencybate.com^
+||effixtile-inceive.com^
+||efinauknceiwou.info^
+||efklkkkvkukf.com^
+||eforhedidnota.com^
+||efptjivneg.com^
+||efrnedmiralpenb.info^
+||efumesok.xyz^
+||efvccdamzlvhl.com^
+||efvheaepmbgicx.xyz^
+||efvpufdjd.com^
+||egalitysarking.com^
+||egazedatthe.xyz^
+||egbesnfzdfg.com^
+||egcqohrksmlmu.xyz^
+||egczvoopdo.com^
+||egfqlswbf.com^
+||eggsiswensa.com^
+||eggsreunitedpainful.com^
+||egldvmz.com^
+||eglimoumy.net^
+||eglipteepsoo.net^
+||egllhcnwro.com^
+||egmfjmhffbarsxd.xyz^
+||egnbcmewyohm.com^
+||egoismundonefifth.com^
+||egotizeoxgall.com^
+||egpdbp6e.de^
+||egpovsl.com^
+||egretswamper.com^
+||egrogree.xyz^
+||egrousoawhie.com^
+||egxxlvyguirt.com^
+||egyifdjrbrwyj.com^
+||egykofo.com^
+||egynvnnlhywq.com^
+||egyptianintegration.com^
+||eh0ag0-rtbix.top^
+||ehadmethe.xyz^
+||ehcstrp.com^
+||eheiwhacdsnc.com^
+||ehgavvcqj.xyz^
+||ehokeeshex.com^
+||ehoqtjfazgxzee.com^
+||ehpcqqxlde.com^
+||ehpvvxyp.com^
+||ehpxmsqghx.xyz^
+||ehqdzqi.com^
+||ehrydnmdoe.com^
+||eicbgbnbvjf.com^
+||eidoscruster.com^
+||eiewwepb.com^
+||eighteenderived.com^
+||eighteenprofit.com^
+||eightygermanywaterproof.com^
+||eignan.com^
+||eiimvmchepssb.xyz^
+||eiistillstayh.com^
+||eikegolehem.com^
+||eingajoytow.org^
+||eisasbeautifula.info^
+||eiteribesshaints.com^
+||eitfromtheothe.org^
+||eitful.com^
+||eitney.com^
+||eiwojaavyvc.com^
+||eiyjkwmredryb.com^
+||eizwbefbtxxt.com^
+||ejcet5y9ag.com^
+||ejdkqclkzq.com^
+||ejectionthoughtful.com^
+||ejeemino.net^
+||ejidalpiragua.top^
+||ejipaifaurga.com^
+||ejnrvilfilnz.com^
+||ejqsqmqohwav.com^
+||ejrigxesvg.com^
+||ejsgxapv.xyz^
+||ejuiashsateam.info^
+||ejuiashsateampl.info^
+||ejvdfssdj.com^
+||ekaurord.com^
+||ekb-tv.ru^
+||ekgloczbsblg.com^
+||ekmas.com^
+||eknrctah.com^
+||ekpecfetvved.xyz^
+||ektobedirectuklyec.info^
+||ekwzxay.com^
+||elaifmeauswvlki.xyz^
+||elasticad.net^
+||elasticdestruct.com^
+||elasticmujeres.com^
+||elasticstuffyhideous.com^
+||elatedynast.com^
+||elaterconditing.info^
+||elbowfixes.com^
+||elbowrevolutionary.com^
+||elbowsmouldoral.com^
+||elcfdhbxyb.com^
+||eldestcontribution.com^
+||eleavers.com^
+||electionmmdevote.com^
+||electnext.com^
+||electosake.com^
+||electranowel.com^
+||electric-contest.pro^
+||electricalbicyclelistnonfiction.com^
+||electricalsedate.com^
+||electricalyellincreasing.com^
+||electricphysical.com^
+||electronicauthentic.com^
+||electronicconstruct.com^
+||electronicsmissilethreaten.com^
+||elementalantecedent.com^
+||elementarydrypoverty.com^
+||elementcircumscriberotten.com^
+||elepocial.pro^
+||elevatedperimeter.com^
+||elewasgiwiththi.info^
+||elfcoexistbird.com^
+||elfnxscnmtao.com^
+||elgust.com^
+||elhdxexnra.xyz^
+||elicaowl.com^
+||eligiblecompetitive.com^
+||eliminatedordered.com^
+||elinvarpayola.com^
+||eliondolularhene.info^
+||eliss-vas.com^
+||elitedistasteful.com^
+||elitistcompensationstretched.com^
+||elitistrawirresistible.com^
+||elizabethobjectedgarlic.com^
+||elizaloosebosom.com^
+||elizapanelairplane.com^
+||elizathings.com^
+||elkejneqbkvlq.top^
+||ellcurvth.com^
+||elliotannouncing.com^
+||ellipticaldatabase.pro^
+||ellmtlvlpihr.com^
+||elltheprecise.org^
+||elmonopolicycr.info^
+||elneagog.com^
+||eloawiphi.net^
+||eloiseattempt.com^
+||elongatedmiddle.com^
+||elonreptiloid.com^
+||elooksjustlikea.info^
+||eloquencer.com^
+||eloquentvaluation.com^
+||elrecognisefro.com^
+||elrfqgvvljkvxg.com^
+||elrhieujvi.com^
+||elrkovhhyfkor.com^
+||elsewherebuckle.com^
+||elsewhereopticaldeer.com^
+||eltbbvcqgnkc.com^
+||eltxarqgwngybfi.com^
+||elubvhmdwtcq.com^
+||elugnoasargo.com^
+||eluviabattler.com^
+||elwcchbwtnohia.com^
+||elymusyomin.click^
+||elyvbqklmamkb.top^
+||emailflyfunny.com^
+||emailon.top^
+||embarkdisrupt.com^
+||embarrasschill.com^
+||embarrassmentcupcake.com^
+||embassykeg.com^
+||embeamratline.top^
+||embezzlementteddy.com^
+||embezzlementthemselves.com^
+||embodygoes.com^
+||embogsoarers.com^
+||embolipokies.com^
+||embolysaros.click^
+||embowerdatto.com^
+||embracetrace.com^
+||embrailcamino.top^
+||embtrk.com^
+||embwmpt.com^
+||emcpsrwufnn.com^
+||emediate.dk^
+||emeraldhecticteapot.com^
+||emergedmassacre.com^
+||emgthropositeas.info^
+||emgykcjvkel.com^
+||emigrantblunder.com^
+||emigrantmovements.com^
+||emigreehurty.top^
+||emitlabelreproduction.com^
+||emitmagnitude.com^
+||emjpbua.com^
+||emkarto.fun^
+||emlifok.info^
+||emmapigeonlean.com^
+||emmenichudson.top^
+||emnucmhhyjjgoy.xyz^
+||emoticappfriends.com^
+||emoticfriends.com^
+||emotionalfriendship.com^
+||emotionallycosmeticshardly.com^
+||emotionallyhemisphere.com^
+||emotot.xyz^
+||empafnyfiexpectt.info^
+||empairscarp.com^
+||empdat.com^
+||empeoarmet.top^
+||emperorsmall.com^
+||empirecdn.io^
+||empirelayer.club^
+||empiremassacre.com^
+||empiremoney.com^
+||empirepolar.com^
+||emploejuiashsat.info^
+||employeelorddifferently.com^
+||employermopengland.com^
+||employindulgenceafraid.com^
+||employmentcreekgrouping.com^
+||employmentpersons.com^
+||empond.com^
+||empowertranslatingalloy.com^
+||emqrjjvalnqbm.top^
+||emqrjjveqnznl.top^
+||emsservice.de^
+||emukentsiwo.org^
+||emulationeveningscompel.com^
+||emulsicchacker.com^
+||emumuendaku.info^
+||emxdgt.com^
+||emyfueuktureukwor.info^
+||emzlbqqnnbmzj.top^
+||enablerubbingjab.com^
+||enactdubcompetitive.com^
+||enacttournamentcute.com^
+||enamelcourage.com^
+||enarmuokzo.com^
+||encaseauditorycolourful.com^
+||encasesmelly.com^
+||encesprincipledecl.info^
+||enchanted-stretch.pro^
+||enchroe.com^
+||encirclehumanityarea.com^
+||encirclesheriffemit.com^
+||enclosedsponge.com^
+||enclosedswoopbarnacle.com^
+||encloselavanga.com^
+||encodehelped.com^
+||encodeinflected.com^
+||encoilinwove.com^
+||encounterboastful.com^
+||encounterfidelityarable.com^
+||encounterponder.com^
+||encouragedrealityirresponsible.com^
+||encouragedunrulyriddle.com^
+||encouragingpistolassemble.com^
+||encratysalvo.top^
+||encroachfragile.com^
+||encroachsnortvarnish.com^
+||encumberbiased.com^
+||encumberglowingcamera.com^
+||encumbranceunderlineheadmaster.com^
+||encyclopediaaimless.com^
+||encyclopediacriminalleads.com^
+||endangersquarereducing.com^
+||endfilesaber.com^
+||endinglocksassume.com^
+||endingmedication.com^
+||endingrude.com^
+||endjigsur.com^
+||endlesslyalwaysbeset.com^
+||endlessvow.com^
+||endorsecontinuefabric.com^
+||endorsementgrasshopper.com^
+||endorsementpsychicwry.com^
+||endorsesmelly.com^
+||endowmentoverhangutmost.com^
+||endream.buzz^
+||endurancetransmitted.com^
+||endurecorpulent.com^
+||enduresopens.com^
+||endwaysdsname.com^
+||endymehnth.info^
+||enebyq.com^
+||enejvkctedmos.com^
+||enenles.com^
+||enenlyb.com^
+||energeticdryeyebrows.com^
+||energeticrecognisepostcard.com^
+||energypopulationpractical.com^
+||eneughghaffir.com^
+||eneverals.biz^
+||eneverseen.org^
+||enframetump.com^
+||enftvgnkylijcp.xyz^
+||engagedgoat.com^
+||engagedsmuggle.com^
+||engagefurnishedfasten.com^
+||engagementdepressingseem.com^
+||engagementpolicelick.com^
+||engaolnagual.com^
+||engdhnfrc.com^
+||enginedriverbathroomfaithfully.com^
+||engineseeker.com^
+||engravetexture.com^
+||enhalosubsea.com^
+||enhancedweapon.com^
+||enhanceinterestinghasten.com^
+||enharaa.com^
+||enharau.com^
+||enherappedo.cc^
+||eniesdzgowy.com^
+||enigmahazesalt.com^
+||enjehdch.xyz^
+||enjoyedsexualpromising.com^
+||enjoyedtool.com^
+||enjrzhkf.com^
+||enkvmrkwrnzel.top^
+||enlales.com^
+||enlargementerroronerous.com^
+||enlargementwolf.com^
+||enlightencentury.com^
+||enlnks.com^
+||enmewdrafter.top^
+||enmiser.com^
+||enmitystudent.com^
+||enniced.com^
+||enodiarahnthedon.com^
+||enoneahbu.com^
+||enoneahbut.org^
+||enormous-society.pro^
+||enormouslynotary.com^
+||enormouslysubsequentlypolitics.com^
+||enormouswar.pro^
+||enoughglide.com^
+||enoughts.info^
+||enoughturtlecontrol.com^
+||enqkeynmmnazl.top^
+||enqpjgdbvf.com^
+||enquiryinsight.com^
+||enquirysavagely.com^
+||enqvcaugnkxmx.com^
+||enrageeyesnoop.com^
+||enraptureshut.com^
+||enrichdressedprecursor.com^
+||enrichyummy.com^
+||enroundwarms.top^
+||ensetepoggies.com^
+||ensignconfinedspurt.com^
+||ensignpancreasrun.com^
+||ensinthetertaning.com^
+||ensoattractedby.info^
+||ensosignal.com^
+||ensuebusinessman.com^
+||entachbanker.top^
+||entaildollar.com^
+||entailgossipwrap.com^
+||entangledivisionbeagle.com^
+||entasesfrette.top^
+||enteredcocktruthful.com^
+||entereddebt.com^
+||enteringimposter.com^
+||enterpriseinclinedvandalism.com^
+||entertaininauguratecontest.com^
+||enticeobjecteddo.com^
+||entirelyapplicationseeing.com^
+||entirelyhonorary.com^
+||entirelysacrament.com^
+||entitledbalcony.com^
+||entitledpleattwinkle.com^
+||entjgcr.com^
+||entlyhavebeden.com^
+||entlypleasantt.info^
+||entrailsintentionsbrace.com^
+||entreatkeyrequired.com^
+||entreatyfungusgaily.com^
+||entrecard.s3.amazonaws.com^
+||entrerscab.com^
+||entterto.com^
+||enueduringhere.info^
+||enviablesavouropinion.com^
+||envious-low.com^
+||enviouscredentialdependant.com^
+||enviousforegroundboldly.com^
+||enviousinevitable.com^
+||environmental3x.fun^
+||environmentalanalogous.com^
+||environmentaltallrender.com^
+||envisageasks.com^
+||envoyauthorityregularly.com^
+||envoystormy.com^
+||envylavish.com^
+||enx5.online^
+||enxqkbsqlh.com^
+||enyjonakhjo.com^
+||enyunle.com^
+||enyunme.com^
+||enzav.xyz^
+||eo62cocntx.com^
+||eobvppi.com^
+||eoedchucdtkep.com^
+||eofripvanwin.org^
+||eofst.com^
+||eoftheappyrinc.info^
+||eogaeapolaric.com^
+||eondunpea.com^
+||eonsmedia.com^
+||eontappetito.com^
+||eopleshouldthink.info^
+||eopogliguemvf.com^
+||eoqctcsvskqlz.com^
+||eoredi.com^
+||eorganizatio.com^
+||eosads.com^
+||eoveukrnme.info^
+||eoweridus.com^
+||eownouncillors.info^
+||eoxaxdglxecvguh.xyz^
+||eoygypdoeumir.com^
+||eozzjuacvmpry.com^
+||ep5banners.com^
+||epacash.com^
+||epailseptox.com^
+||epdcaabh.com^
+||eperlanhelluo.com^
+||ephebedori.life^
+||epheefere.net^
+||ephpqyjqyj.com^
+||epicgameads.com^
+||epipialbeheira.com^
+||epitokealraun.top^
+||eplndhtrobl.com^
+||epmfjjabhfwgkun.com^
+||epnjbpnncucp.com^
+||epnredirect.ru^
+||epochlookout.com^
+||epodicdrazel.top^
+||eppfquarvmzr.com^
+||epsauthoup.com^
+||epsuphoa.xyz^
+||eptougry.net^
+||epu.sh^
+||epushclick.com^
+||eputysolomon.com^
+||epvusxjbpodbh.com^
+||epynkklzkvnvs.com^
+||eqads.com^
+||eqdudaj.com^
+||eqffdgnpysx.com^
+||eqkjmvkkmvrvw.top^
+||eqktmnuojibw.com^
+||eqmyjnymnqbqq.top^
+||eqngcxaaw.com^
+||eqpbskmjcfoj.com^
+||eqqnewnqekqzv.top^
+||eqrjuxvhvclqxw.xyz^
+||equabilityassortshrubs.com^
+||equabilityspirepretty.com^
+||equanimitymortifyminds.com^
+||equanimitypresentimentelectronics.com^
+||equatorabash.com^
+||equatorroom.com^
+||equipmentapes.com^
+||equiptmullein.top^
+||equirekeither.xyz^
+||equitydefault.com^
+||eqvudqracrhalsg.com^
+||eqyarlabvqjnl.top^
+||er6785sc.click^
+||era67hfo92w.com^
+||eradobzl.com^
+||erafterabigyellow.info^
+||eramass.com^
+||erankjkytrgh.com^
+||eraudseen.xyz^
+||eravesofefineg.info^
+||eravprvvqqc.xyz^
+||erbiscusys.info^
+||erbiscusysexbu.info^
+||ercabxkngkbnuj.com^
+||ercoeteasacom.com^
+||erdeallyighab.com^
+||erdecisesgeorg.info^
+||eredthechildre.info^
+||ereerdepi.com^
+||erelongoilmen.com^
+||erenachcair.com^
+||erenchinterried.pro^
+||erereauksofthe.info^
+||eresultedinncre.info^
+||ergadx.com^
+||ergjohl.com^
+||erhtaruxxxfg.com^
+||eringosdye.com^
+||erlvjjyk.com^
+||erm5aranwt7hucs.com^
+||erniphiq.com^
+||ero-advertising.com^
+||erofherlittleboy.com^
+||erosionyonderviolate.com^
+||erosyndc.com^
+||erovation.com^
+||errantstetrole.com^
+||erratatoecap.top^
+||errbandsillumination.com^
+||erringstartdelinquent.com^
+||errolandtessa.com^
+||errorpalpatesake.com^
+||errorparasol.com^
+||errors.house^
+||errorssmoked.com^
+||erseducationinin.info^
+||ershniff.com^
+||ersislaqands.com^
+||erssqstdjnn.com^
+||erstonordersityex.info^
+||ertainoutweileds.info^
+||ertgthrewdownth.info^
+||ertistsldahehu.com^
+||eru5tdmbuwxm.com^
+||erucbaillie.top^
+||eruthoxup.com^
+||ervqqtdjdxvgh.com^
+||erxdq.com^
+||erygdsudgkyu.com^
+||erylhxttodh.xyz^
+||eryondistain.com^
+||erysilenitmanb.com^
+||esaidees.com^
+||esasaimpi.net^
+||esathyasesume.info^
+||esbeginnyweakel.org^
+||esbmzyady.com^
+||esbqetmmejjtksa.xyz^
+||escalatenetwork.com^
+||escarsboughed.top^
+||escers.com^
+||escinsuper.com^
+||escortlist.pro^
+||esculicturbans.com^
+||esculinconsent.top^
+||escy55gxubl6.com^
+||esescvyjtqoda.xyz^
+||eshkol.io^
+||eshoohasteeg.com^
+||eshouloo.net^
+||esisfulylydev.com^
+||esjvrfq.com^
+||eskilhavena.info^
+||eskimi.com^
+||eslisorchenet.click^
+||eslp34af.click^
+||esmyinteuk.info^
+||esnlynotquiteso.com^
+||esodnbhzdpl.com^
+||esosfultrbriolena.info^
+||esoussatsie.xyz^
+||especiallyblareparasol.com^
+||especiallyspawn.com^
+||espionagegardenerthicket.com^
+||espionageomissionrobe.com^
+||espritpenned.top^
+||esqarqiqwulytqy.xyz^
+||esrpkd.com^
+||essaycosigninvite.com^
+||essededowns.click^
+||essential-trash.com^
+||essentialblunder.com^
+||essentiallyitemoutrageous.com^
+||essentialshookmight.com^
+||essentialsicklyinane.com^
+||establishambient.com^
+||establishedmutiny.com^
+||estafair.com^
+||estainuptee.com^
+||estaterenderwalking.com^
+||estatestrongest.com^
+||estatscarot.com^
+||estatueofthea.info^
+||esteemtalented.com^
+||estellaeyelet.com^
+||estimatedrick.com^
+||estkewasa.com^
+||estouca.com^
+||esumedadele.info^
+||esumeformo.info^
+||eswsentatives.info^
+||et5k413t.rest^
+||etapescaisse.com^
+||etcodes.com^
+||eteveredgove.info^
+||etflpbk.com^
+||ethaistoothi.com^
+||ethalojo.com^
+||etheappyrincea.info^
+||ethecityonata.com^
+||ethecountryw.org^
+||ethelbrimtoe.com^
+||ethelvampirecasket.com^
+||ethicalpastime.com^
+||ethicbecamecarbonate.com^
+||ethicel.com^
+||ethichats.com^
+||ethikuma.link^
+||ethoamee.xyz^
+||ethophipek.com^
+||etiamangola.com^
+||etingplansfo.buzz^
+||etingplansfor.org^
+||etiquettegrapesdoleful.com^
+||etjxkvdorypmppp.com^
+||etnacsqssv.com^
+||etobepartoukfare.info^
+||etothepointato.info^
+||etougais.net^
+||etphoneme.com^
+||etretantothis.com^
+||etspukdjrvbiby.com^
+||ettilt.com^
+||etuvehackly.com^
+||etxahpe.com^
+||etyequiremu.org^
+||etymonsibycter.com^
+||eu5qwt3o.beauty^
+||euauosx.xyz^
+||euavokhqrxhteot.com^
+||euchresgryllus.com^
+||eucing.com^
+||eucli-czt.com^
+||eucosiaepeiric.com^
+||eucriteupmast.com^
+||eudoxia-myr.com^
+||eudstudio.com^
+||eugenearsonmeanwhile.com^
+||euizhltcd6ih.com^
+||eukova.com^
+||eulal-cnr.com^
+||eulogiafilial.com^
+||eulogichebetic.top^
+||eulogyargin.top^
+||eunow4u.com^
+||eunzkvf.com^
+||euonymysager.com^
+||euosicjxjv.com^
+||eupathyboyuna.com^
+||europacash.com^
+||europe-discounts.com^
+||europefreeze.com^
+||euros4click.de^
+||eurse.com^
+||eutonyaxolotl.shop^
+||euugbutvb.com^
+||euvtoaw.com^
+||euygjjorvxty.com^
+||euz.net^
+||ev-dating.com^
+||evaluateuncanny.com^
+||evaluationfixedlygoat.com^
+||evaporateahead.com^
+||evaporatehorizontally.com^
+||evaporatepublicity.com^
+||evarjrsowtfakk.com^
+||evasiondemandedlearning.com^
+||evasionseptemberbee.com^
+||evcwihysdnptpjm.xyz^
+||evcxssxyncyh.com^
+||evdebdvwnzlyyz.com^
+||eveenaiftoa.com^
+||evejartaal.com^
+||evemasoil.com^
+||evenghiougher.com^
+||eveningsfleawhatsoever.com^
+||eventbarricadewife.com^
+||eventfulknights.com^
+||eventsbands.com^
+||eventuallysmallestejection.com^
+||eventucker.com^
+||evenuewasadi.xyz^
+||ever8trk.com^
+||everalmefarketin.com^
+||everalmefarketing.info^
+||everausterity.com^
+||everdreamsofc.info^
+||evergreenfan.pro^
+||evergreentroutpitiful.com^
+||everlastinghighlight.com^
+||everydowered.com^
+||everymark.xyz^
+||everyoneawokeparable.com^
+||everyoneglamorous.com^
+||everypilaus.com^
+||everywheresavourblouse.com^
+||evf21r3fb.com^
+||evfisahy.xyz^
+||evidenceguidance.com^
+||evidencestunundermine.com^
+||evidentoppositepea.com^
+||evifokcrmhdmai.com^
+||evil-possession.com^
+||evilshortcut.com^
+||evivuwhoa.com^
+||evjroovrujr.xyz^
+||evjrrljcfohkvja.xyz^
+||evoutouk.com^
+||evouxoup.com^
+||evqpawhucyrdhu.com^
+||evqqhgqy.com^
+||evrae.xyz^
+||evrquvhrwr.com^
+||evslvususdpf.com^
+||evtwkkh.com^
+||evushuco.com^
+||evvykulupl.com^
+||evwmwnd.com^
+||evxiwpbzxzanlx.com^
+||evyeuytacm.com^
+||evzhzppj5kel.com^
+||ewaglongoo.com^
+||ewaighee.xyz^
+||ewallowi.buzz^
+||ewasgilded.info^
+||ewdxisdrc.com^
+||eweiwykaruwvbi.com^
+||ewerhodub.com^
+||ewesmedia.com^
+||ewhareey.com^
+||ewikajs.com^
+||ewnkfnsajr.com^
+||ewogloarge.com^
+||ewoodandwaveo.com^
+||ewoutosh.com^
+||ewoverth.buzz^
+||ewpubiimput.com^
+||ewqkrfjkqz.com^
+||ewrerew29w09.com^
+||ewrgryxjaq.com^
+||ewrjjqflq.com^
+||ewrolidenratrigh.info^
+||ewruuqe5p8ca.com^
+||ewtgmfajrdhsyn.xyz^
+||ewyngnnxl.com^
+||exacdn.com^
+||exactsag.com^
+||exadeephh.com^
+||exaggeratekindnessvocal.com^
+||exaltationinsufficientintentional.com^
+||exaltbelow.com^
+||exaltflatterrequested.com^
+||exaltprizers.top^
+||examensmott.top^
+||examinerplodbuild.com^
+||exampledumb.com^
+||examsupdatesupple.com^
+||exasperationdashed.com^
+||exasperationincorporate.com^
+||exasperationplotincarnate.com^
+||exbuggishbe.info^
+||excavatorglide.com^
+||exceedinglydiscovered.com^
+||excelelernody.info^
+||excelfriendsdistracting.com^
+||excellenceads.com^
+||excellentafternoon.com^
+||excellentinvolved.com^
+||excellentsponsor.com^
+||excellingvista.com^
+||excelrepulseclaimed.com^
+||excelwrinkletwisted.com^
+||exceptinggapslightest.com^
+||exceptionalharshbeast.com^
+||exceptionsmokertriad.com^
+||exceptionweakerboring.com^
+||excessivelybeveragebeat.com^
+||excessivesinner.com^
+||excessstumbledvisited.com^
+||exchange-traffic.com^
+||exchangedbeadannually.com^
+||exchangediscreditmast.com^
+||excitead.com^
+||excitementcolossalrelax.com^
+||excitementoppressive.com^
+||excitinginstitute.com^
+||excitingstory.click^
+||exclaimrefund.com^
+||exclkplat.com^
+||excretekings.com^
+||excruciationhauledarmed.com^
+||excuseparen.com^
+||excusepuncture.com^
+||excusewalkeramusing.com^
+||exdimkvfbku.com^
+||exdynsrv.com^
+||executeabattoir.com^
+||executecomicswhale.com^
+||executionago.com^
+||executiontoothache.com^
+||executivetumult.com^
+||exefprtna.com^
+||exemplarif.com^
+||exemplarsensor.com^
+||exemplarychemistry.com^
+||exemptrequest.com^
+||exertionbesiege.com^
+||exhalejuxtapose.com^
+||exhaleveteranbasketball.com^
+||exhaustfirstlytearing.com^
+||exhauststreak.com^
+||exhcloykalx.com^
+||exhibitapology.com^
+||exhibitedpermanentstoop.com^
+||exhibitionunattractive.com^
+||exhno.com^
+||exi8ef83z9.com^
+||exiledatomise.com^
+||exilepracticableresignation.com^
+||existenceassociationvoice.com^
+||existenceprinterfrog.com^
+||existencethrough.com^
+||existingcraziness.com^
+||exists-mazard.icu^
+||existsvolatile.com^
+||existteapotstarter.com^
+||exitenmitynotwithstanding.com^
+||exlusepolly.com^
+||exmrwwt.com^
+||exmvpyq.com^
+||exnesstrack.com^
+||exoads.click^
+||exobafrgdf.com^
+||exoclick.com^
+||exodsp.com^
+||exofrwe.com^
+||exomonyf.com^
+||exoprsdds.com^
+||exosiignvye.xyz^
+||exosrv.com^
+||expdirclk.com^
+||expectationtragicpreview.com^
+||expectedballpaul.com^
+||expectthatmyeduc.info^
+||expedientabnormaldeceased.com^
+||expelledmotivestall.com^
+||expendhattwo.com^
+||expensedebeak.com^
+||expensepurpose.com^
+||expensivepillowwatches.com^
+||experienceabdomen.com^
+||experiencesunny.com^
+||experimentalconcerningsuck.com^
+||experimentalpersecute.com^
+||experimentmelting.com^
+||expertisefall.com^
+||expertnifg.com^
+||expiry-renewal.click^
+||explainpompeywistful.com^
+||expleteneeps.top^
+||explodedecompose.com^
+||explodemedicine.com^
+||exploderunway.com^
+||exploitpeering.com^
+||explore-site.com^
+||exploreannihilationquicker.com^
+||explorecomparison.com^
+||explosivegleameddesigner.com^
+||expmediadirect.com^
+||expocrack.com^
+||exporder-patuility.com^
+||exportfan.com^
+||exportspring.com^
+||exposepresentimentunfriendly.com^
+||exposureawelessawelessladle.com^
+||expressalike.com^
+||expressingblossomjudicious.com^
+||expressproducer.com^
+||expulsionfluffysea.com^
+||exqbondtwitvj.com^
+||exquisitefundlocations.com^
+||exquisiteseptember.com^
+||exrtbsrv.com^
+||extanalytics.com^
+||extend.tv^
+||extendingboundsbehave.com^
+||extendprophecycontribution.com^
+||extension-ad-stopper.com^
+||extension-ad.com^
+||extension-install.com^
+||extensions-media.com^
+||extensionworthwhile.com^
+||extensivemusseldiscernible.com^
+||extensivenegotiation.com^
+||extentaccreditedinsensitive.com^
+||extentacquire.com^
+||extentresentment.com^
+||exterminateantique.com^
+||exterminatearch.com^
+||exterminatestreet.com^
+||exterminatesuitcasedefenceless.com^
+||externalfavlink.com^
+||extincttravelled.com^
+||extinguishadjustexceed.com^
+||extinguishtogethertoad.com^
+||extra33.com^
+||extraconventional.com^
+||extractdissolve.com^
+||extractionatticpillowcase.com^
+||extractsupperpigs.com^
+||extraneedlesshoneycomb.com^
+||extremegoggle.com^
+||extremereach.io^
+||extremitybagpipechallenge.com^
+||extremityzincyummy.com^
+||extrer.com^
+||exuharpxs.com^
+||exurbdaimiel.com^
+||exwotics6heomrthaoi4r.com^
+||exxaygm.com^
+||eyauknalyticafra.info^
+||eycameoutoft.info^
+||eychroi.com^
+||eyeballcorruption.com^
+||eyebrowfaciliate.com^
+||eyebrowsasperitygarret.com^
+||eyebrowscrambledlater.com^
+||eyebrowsneardual.com^
+||eyebrowsprocurator.com^
+||eyenider.com^
+||eyeota.net^
+||eyere.com^
+||eyereturn.com^
+||eyeshadowclayindulgence.com^
+||eyeviewads.com^
+||eyharae.com^
+||eyhcervzexp.com^
+||eyjouer.com^
+||eymaume.com^
+||eymised.com^
+||eynicit.com^
+||eynol.xyz^
+||eyolknoskksrj.com^
+||eyoqubfcpze.com^
+||eypeole.com^
+||eyrshwjvam.com^
+||eyrvfxwrogfslk.com^
+||eytheed.com^
+||eyyicbskhglf.com^
+||ezaicmee.xyz^
+||ezatrvzfe.com^
+||ezblockerdownload.com^
+||ezcgojaamg.com^
+||ezdgmtsaeu.com^
+||ezexfzek.com^
+||ezhefg9gbhgh10.com^
+||ezidygd.com^
+||ezjhhapcoe.com^
+||ezmob.com^
+||eznoz.xyz^
+||ezodhorrent.top^
+||ezoufdpeyqaain.com^
+||ezsbhlpchu.com^
+||ezulqzssxnu.com^
+||ezyenrwcmo.com^
+||ezzmvdyyzccx.com^
+||f07neg4p.de^
+||f092680893.com^
+||f0eba64ba6.com^
+||f145794b22.com^
+||f14b0e6b0b.com^
+||f1617d6a6a.com^
+||f19bcc893b.com^
+||f224b87a57.com^
+||f27386cec2.com^
+||f28bb1a86f.com^
+||f2c4410d2a.com^
+||f2svgmvts.com^
+||f3010e5e7a.com^
+||f3f202565b.com^
+||f3udfa7nfguhni.com^
+||f43f5a2390.com^
+||f4823894ba.com^
+||f4961f1b2e.com^
+||f58x48lpn.com^
+||f59408d48d.com^
+||f5v1x3kgv5.com^
+||f794d2f9d9.com^
+||f7e5bf5ed8.com^
+||f8260adbf8558d6.com^
+||f83d8a9867.com^
+||f84add7c62.com^
+||f853150605ccb.com^
+||f8be4be498.com^
+||f8e36bb73c.com^
+||f95nkry2nf8o.com^
+||fa77756437.com^
+||faabaytsrygcbvs.com^
+||fabricwaffleswomb.com^
+||fabriczigzagpercentage.com^
+||fabrkrup.com^
+||facesnotebook.com^
+||facetclimax.com^
+||faciledegree.com^
+||facileravagebased.com^
+||faciliatefightpierre.com^
+||facilitatevoluntarily.com^
+||facilitycompetition.com^
+||facilityearlyimminent.com^
+||facilitypestilent.com^
+||fackeyess.com^
+||factorgluten.com^
+||factoruser.com^
+||factquicker.com^
+||fadbell.com^
+||fadcuhanbd.com^
+||fadegranted.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^
+||fae46gussylvatica.com^
+||faecesjazies.top^
+||faefibdom.top^
+||faeryreified.com^
+||faestara.com^
+||faggapmunost.com^
+||faggrim.com^
+||fagovwnavab.com^
+||fagywalu.pro^
+||faidoud.com^
+||faihiwhe.com^
+||failedmengodless.com^
+||failingaroused.com^
+||failpendingoppose.com^
+||failurehamburgerillicit.com^
+||failuremaistry.com^
+||failureyardjoking.com^
+||faintdefrost.com^
+||faintedtwistedlocate.com^
+||faintestlogic.com^
+||faintestmingleviolin.com^
+||faintjump.com^
+||faintstates.com^
+||faintsuperintend.com^
+||faireegli.net^
+||fairfaxhousemaid.com^
+||fairnesscrashedshy.com^
+||fairnessels.com^
+||fairnessmolebedtime.com^
+||fairytaleundergoneopenly.com^
+||faisaphoofa.net^
+||faised.com^
+||faithaiy.com^
+||faithfullyprotectionundo.com^
+||faithfullywringfriendship.com^
+||faituzou.net^
+||faiverty-station.com^
+||faiwastauk.com^
+||fajukc.com^
+||fakesorange.com^
+||falcatayamalka.com^
+||falkag.net^
+||falkwo.com^
+||fallenleadingthug.com^
+||fallhadintense.com^
+||fallingseveral.com^
+||fallinsolence.com^
+||falloutbraidengaged.com^
+||falloutmariasauce.com^
+||falloutspecies.com^
+||falsechasingdefine.com^
+||falsifybrightly.com^
+||falsifylilac.com^
+||familiarpyromaniasloping.com^
+||familyborn.com^
+||familycomplexionardently.com^
+||famobmf.com^
+||famous-mall.pro^
+||famousremainedshaft.com^
+||fanagentmu.pics^
+||fanciedproduced.com^
+||fanciedrealizewarning.com^
+||fancydoctrinepermanently.com^
+||fancywhim.com^
+||fandelcot.com^
+||fandmo.com^
+||fangatrocious.com^
+||fangsblotinstantly.com^
+||fangsswissmeddling.com^
+||fannyindex.com^
+||fantastic-height.com^
+||fantasticaubergine.com^
+||fantasticgap.pro^
+||fanza.cc^
+||fapmeth.com^
+||fapstered.com^
+||faptdsway.ru^
+||faquirrelot.com^
+||faramkaqxoh.com^
+||farceurincurve.com^
+||farciedfungals.top^
+||fardasub.xyz^
+||farewell457.fun^
+||farflungwelcome.pro^
+||fargwyn.com^
+||farmhumor.host^
+||farmmandatehaggard.com^
+||faroff-age.pro^
+||farteniuson.com^
+||fartherpensionerassure.com^
+||fartmoda.com^
+||farwine.com^
+||fascespro.com^
+||fascinateddashboard.com^
+||fasgazazxvi.com^
+||fashionablegangsterexplosion.com^
+||fassknolls.top^
+||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^
+||fasthypenews.com^
+||fastincognitomode.com^
+||fastlnd.com^
+||fastnativead.com^
+||fatalitycharitablemoment.com^
+||fatalityplatinumthing.com^
+||fatalityreel.com^
+||fatalloved.com^
+||fatbkiwcizk.com^
+||fatchilli.media^
+||fatenoticemayhem.com^
+||fatheemt.com^
+||fathmurcurable.com^
+||fathomcleft.com^
+||fatimacapos.com^
+||fatlossremedies.com^
+||fatotdaqsb.com^
+||fatsosjogs.com^
+||fatzuclmihih.com^
+||faudouglaitu.com^
+||faughold.info^
+||faugrich.info^
+||faugstat.info^
+||faujdarunrake.top^
+||faukoocifaly.com^
+||faulterdeplume.com^
+||faultspiano.com^
+||fauneeptoaso.com^
+||fauphoaglu.net^
+||fausothaur.com^
+||fauvekintra.com^
+||fauwhoocoa.com^
+||favaqo.xyz^
+||favorable-sample.com^
+||favorershalwar.top^
+||favorite-option.pro^
+||favourablerecenthazardous.com^
+||favpqrlawfqst.com^
+||favzzmeziy.com^
+||faxqaaawyb.com^
+||fayijxrs.com^
+||fayzrtqszkcb.com^
+||fazanppq.com^
+||fazinghomelet.top^
+||fazthmut.com^
+||fb-plus.com^
+||fb55957409.com^
+||fb99ef9239.com^
+||fbcdn2.com^
+||fbebmgbiou.com^
+||fbfedemjbpungf.com^
+||fbffdfproxwqi.com^
+||fbgdc.com^
+||fbgwruetfgbhp.com^
+||fbhjjfsxfq.com^
+||fbkzqnyyga.com^
+||fbmedia-bls.com^
+||fbmedia-ckl.com^
+||fbmedia-dhs.com^
+||fbrheofkccovs.xyz^
+||fbroxaiityhkz.com^
+||fbxyuleyktun.com^
+||fc0a58af2e.com^
+||fc29334d79.com^
+||fc7c8be451.com^
+||fc861ba414.com^
+||fccinteractive.com^
+||fcdqlnmsoi.com^
+||fciyckhlpdxou.xyz^
+||fckmedate.com^
+||fclmhohgj.com^
+||fclypuqnbykp.xyz^
+||fcpfth.xyz^
+||fcpygacbjukjdvr.com^
+||fcsfbydwxkyf.com^
+||fcswhwglli.com^
+||fcudlfqupglxynu.xyz^
+||fczaifik.com^
+||fd2cd5c351.com^
+||fd39024d2a.com^
+||fd5orie8e.com^
+||fd7qz88ckd.com^
+||fdawdnh.com^
+||fddjhiihhnvbu.com^
+||fdelphaswcealifornica.com^
+||fdfqbxsaas.com^
+||fdheincvdbp.com^
+||fdiirjong.com^
+||fdrgtt9edmej010.com^
+||fe7qygqi2p2h.com^
+||fe95a992e6afb.com^
+||feadbe5b97.com^
+||feadrope.net^
+||fealerector.top^
+||fearplausible.com^
+||feastoffortuna.com^
+||featbooksterile.com^
+||featurelink.com^
+||featuremedicine.com^
+||featuresscanner.com^
+||featuresthrone.com^
+||feb6262526.com^
+||febadu.com^
+||febatigr.com^
+||februarybogus.com^
+||februarynip.com^
+||fedapush.net^
+||fedassuagecompare.com^
+||federalcertainty.com^
+||fedlee.com^
+||fednunvckcsx.com^
+||fedqdf.quest^
+||fedra.info^
+||fedsit.com^
+||fedykr.com^
+||feeborewood.top^
+||feed-ads.com^
+||feed-xml.com^
+||feedbackslingnonpareil.com^
+||feededspreath.top^
+||feedfinder23.info^
+||feedingminder.com^
+||feedisbeliefheadmaster.com^
+||feedyourheadmag.com^
+||feedyourtralala.com^
+||feefoamo.net^
+||feefouga.com^
+||feegoust.xyz^
+||feegozoa.com^
+||feegreep.xyz^
+||feelfereetoc.top^
+||feelingsmixed.com^
+||feelingssignedforgot.com^
+||feeloshu.com^
+||feelresolve.com^
+||feelseveryone.com^
+||feelsjet.com^
+||feeseeho.com^
+||feeshoul.xyz^
+||feetdonsub.live^
+||feethach.com^
+||feetheho.com^
+||fefoasoa.xyz^
+||fegivja.com^
+||feignoccasionedmound.com^
+||feignthat.com^
+||feintelbowsburglar.com^
+||feistyhelicopter.com^
+||feistyswim.com^
+||fejla.com^
+||fejvqtmgwfohb.com^
+||fejwcnbsu.com^
+||fekybctoozk.com^
+||felahinpitanga.top^
+||feliev.com^
+||feline-angle.pro^
+||felingual.com^
+||felipby.live^
+||fellerbeeline.top^
+||fellrummageunpleasant.com^
+||fellysarum.top^
+||felonauditoriumdistant.com^
+||feltatchaiz.net^
+||femalehasslegloss.com^
+||femalesunderpantstrapes.com^
+||femefaih.com^
+||femin.online^
+||femininetextmessageseducing.com^
+||femoafoo.com^
+||femqrjwnk.xyz^
+||femsoahe.com^
+||femsurgo.com^
+||fenacheaverage.com^
+||fencerecollect.com^
+||fencersdatcha.com^
+||fenddiscourse.com^
+||feneverybodypsychological.com^
+||fenixm.com^
+||fepgdpebyr.com^
+||fepseqdkfyfjc.com^
+||feqvfgfqe.com^
+||fer2oxheou4nd.com^
+||feralopponentplum.com^
+||ferelatedmothes.com^
+||ferict.com^
+||fermolo.info^
+||feroffer.com^
+||ferrmidline.com^
+||ferrycontinually.com^
+||fertilecalfawelessaweless.com^
+||fertilestared.com^
+||fertilisedforesee.com^
+||fertilisedignoringdeceive.com^
+||fertilisedsled.com^
+||fertilizerpairsuperserver.com^
+||fertilizerpokerelations.com^
+||ferukentaspect.info^
+||ferventhoaxresearch.com^
+||ferventvague.com^
+||fervorssketch.top^
+||feshekubsurvey.space^
+||feshoassan.com^
+||fessoovy.com^
+||festivalflabbergasteddeliquencydeliquency.com^
+||festivityratfun.com^
+||festtube.com^
+||festusthedrag.com^
+||fetchedhighlight.com^
+||fetefend.top^
+||fetidbelow.com^
+||fetidgossipleaflets.com^
+||fetinhapinhedt.com^
+||feuageepitoke.com^
+||feudalmalletconsulate.com^
+||feudalplastic.com^
+||feuilleoutwake.top^
+||feuingcrche.com^
+||feveretcostly.top^
+||fewcupboard.com^
+||fewergkit.com^
+||fewrfie.com^
+||fexyop.com^
+||fezwpagrhg.com^
+||ff00c90f6a.com^
+||ff07fda5aa.com^
+||ffawwuagvom.com^
+||ffbvhlc.com^
+||ffcclqkmmlmecf.xyz^
+||ffesutnkrvy.com^
+||fffbd1538e.com^
+||ffffff0000ff.com^
+||ffqtjwwhupcg.com^
+||ffqvjpkwe.com^
+||ffsewzk.com^
+||ffuzila.com^
+||ffwbzklcszdk.com^
+||ffxxdjucvk.com^
+||fgbnnholonge.info^
+||fgbthrsxnlo.xyz^
+||fgdxwpht.com^
+||fgeivosgjk.com^
+||fgigrmle.xyz^
+||fgislklsqqytr.com^
+||fgkoxeqjpal.com^
+||fgkqaatlzhgn.com^
+||fgoqnva.com^
+||fgpmxwbxnpww.xyz^
+||fgpvxxbsickfm.xyz^
+||fgrvbkquwurttn.com^
+||fh259by01r25.com^
+||fhahujwafaf.com^
+||fhajhezinl.com^
+||fharfyqacn.com^
+||fhdwtku.com^
+||fhepiqajsdap.com^
+||fhgh9sd.com^
+||fhhwsvtl.com^
+||fhisladyloveh.xyz^
+||fhjvhupv.com^
+||fhsmtrnsfnt.com^
+||fhsvyfoadsbo.com^
+||fhuafkxvrzgmyn.com^
+||fhujotrb.com^
+||fhuvfdycagmkhr.com^
+||fhv00rxa2.com^
+||fhyazslzuaw.com^
+||fhzgeqk.com^
+||fiatgrabbed.com^
+||fibaffluencebetting.com^
+||fibberpuddingstature.com^
+||fibdistrust.com^
+||fibfgfptaeci.com^
+||fibmaths.com^
+||fibodjuxbxd.xyz^
+||fibrehighness.com^
+||ficinhubcap.com^
+||fickle-brush.com^
+||fickleclinic.com^
+||ficklepilotcountless.com^
+||fictionauspice.com^
+||fictionfittinglad.com^
+||fictiongroin.com^
+||fictionmineralladder.com^
+||ficusoid.xyz^
+||fiddleweaselloom.com^
+||fidelity-media.com^
+||fidelitybarge.com^
+||fidelitybearer.com^
+||fieldofbachus.com^
+||fieldparishskip.com^
+||fiendinsist.com^
+||fiendpreyencircle.com^
+||fieryinjure.com^
+||fierymint.com^
+||fierysolemncow.com^
+||fieslobwg.com^
+||fifthjournalisminadequate.com^
+||fightingleatherconspicuous.com^
+||fightmallowfiasco.com^
+||fightsedatetyre.com^
+||figuredcounteractworrying.com^
+||fihsgqbif.com^
+||fiigtxpejme.com^
+||fiinann.com^
+||fiinnancesur.com^
+||fiiqmjyrznkhbv.com^
+||fiisscqwokt.com^
+||fijekone.com^
+||fikedaquabib.com^
+||filashouphem.com^
+||filasofighit.com^
+||filasseseeder.com^
+||filchmadeirahotel.com^
+||filesdots.com^
+||filese.me^
+||filetarget.com^
+||filetarget.net^
+||filetdeform.com^
+||filhibohwowm.com^
+||filjwepwika.com^
+||filletdose.com^
+||fillingimpregnable.com^
+||filmesonlinegratis.com^
+||filmizeorts.click^
+||filmreorganizeford.com^
+||filterexchangecage.com^
+||filternannewspaper.com^
+||filtertopplescream.com^
+||filthybudget.com^
+||filthysignpod.com^
+||fimserve.com^
+||fin.ovh^
+||finafnhara.com^
+||finalice.net^
+||finance-hot-news.com^
+||finance2you.org^
+||finbiznews.com^
+||fincbiqavgoe.com^
+||findanonymous.com^
+||findbetterresults.com^
+||findingattending.com^
+||findingexchange.com^
+||findnewline.com^
+||findromanticdates.com^
+||findsjoyous.com^
+||findslofty.com^
+||fine-wealth.pro^
+||finedbawrel.com^
+||finedintersection.com^
+||finednothue.com^
+||fineest-accession.life^
+||fineporno.com^
+||finessesherry.com^
+||fingahvf.top^
+||fingernaildevastated.com^
+||fingerprevious.com^
+||fingerprintoysters.com^
+||fingertipsquintinclusion.com^
+||finishcomplicate.com^
+||finisheddaysflamboyant.com^
+||finishingracial.com^
+||finized.co^
+||finkyepbows.com^
+||finmarkgaposis.com^
+||finnan2you.com^
+||finnan2you.net^
+||finnan2you.org^
+||finnanpunched.top^
+||finnnann.com^
+||finreporter.net^
+||finsoafo.xyz^
+||finsoogn.xyz^
+||finxxak.com^
+||fiordscorneas.click^
+||fiorenetwork.com^
+||fipkcakk.com^
+||firaapp.com^
+||firearminvoluntary.com^
+||firearmtire.com^
+||firelnk.com^
+||fireplaceroundabout.com^
+||firesinfamous.com^
+||firewoodpeerlessuphill.com^
+||fireworkraycompared.com^
+||fireworksane.com^
+||fireworksattendingsordid.com^
+||fireworksjowrote.com^
+||firkedpace.life^
+||firmhurrieddetrimental.com^
+||firmlylowest.com^
+||firmmaintenance.com^
+||firnebmike.live^
+||first-rate.com^
+||firsthandtie.com^
+||firstlightera.com^
+||firstlyfirstpompey.com^
+||firstlyliquidstereotype.com^
+||firstverifyemigrant.com^
+||firtaips.com^
+||firtorent-yult-i-274.site^
+||firumuti.xyz^
+||fiscalscarfour.click^
+||fishermanslush.com^
+||fishingtouching.com^
+||fishmanmurph.com^
+||fishybackgroundmarried.com^
+||fishyoverallsupplement.com^
+||fishyscalpelweight.com^
+||fishyshortdeed.com^
+||fisikcbsosqet.com^
+||fistdoggie.com^
+||fistevasionjoint.com^
+||fistofzeus.com^
+||fistsurprising.com^
+||fitcenterz.com^
+||fitfuldemolitionbilliards.com^
+||fitsazx.xyz^
+||fitsjamescommunicated.com^
+||fitssheashasvs.info^
+||fitthings.info^
+||fittingcentermonday.com^
+||fittitfucose.com^
+||fivcgqubtfowus.com^
+||fivetrafficroads.com^
+||fivulsou.xyz^
+||fivulu.uno^
+||fiwhibse.com^
+||fixdynamics.info^
+||fixedencampment.com^
+||fixedgodmother.com^
+||fixedlowraid.com^
+||fixedlygrown.com^
+||fixespreoccupation.com^
+||fixpass.net^
+||fizawhwpyda.com^
+||fizzysquirtbikes.com^
+||fj2hbi9vz.com^
+||fjaqxtszakk.com^
+||fjbubsdhpcticbu.com^
+||fjhfruuhmgnrt.com^
+||fjojdlcz.com^
+||fjvojclrwhcofz.com^
+||fjxdafshdrnnvdw.com^
+||fkbkun.com^
+||fkbwtoopwg.com^
+||fkcubmmpn.xyz^
+||fkcvtiqbbgedb.com^
+||fkecheotlf.com^
+||fkivwukm.com^
+||fkllodaa.com^
+||fkodq.com^
+||fkovjfx.com^
+||fkpklrphfw.com^
+||fkrfzzlb.com^
+||fksnk.com^
+||fkwkzlb.com^
+||fkxsklor.com^
+||fkyhqtfiopfit.com^
+||fkyujept.com^
+||fkzgfsddr.com^
+||fla4n6ne7r8ydcohcojnnor.com^
+||flabbygrindproceeding.com^
+||flabbyyolkinfection.com^
+||flacianbemud.com^
+||flagads.net^
+||flagmantensity.com^
+||flagros2sii8fdbrh09.com^
+||flagunforgivablewaver.com^
+||flairadscpc.com^
+||flakecontainsgrill.com^
+||flakesaridphysical.com^
+||flakeschopped.com^
+||flakesyet.com^
+||flamebeard.top^
+||flaminglamesuitable.com^
+||flamtyr.com^
+||flannelbeforehand.com^
+||flannellegendary.com^
+||flapgroundless.com^
+||flapicyconquered.com^
+||flapsoonerpester.com^
+||flarby.com^
+||flashb.id^
+||flashclicks.com^
+||flashingmeansfond.com^
+||flashingnicer.com^
+||flashingnumberpeephole.com^
+||flashlightstypewriterparquet.com^
+||flashnetic.com^
+||flashycontagiouspulverize.com^
+||flasklimbearlier.com^
+||flatbarberarrangements.com^
+||flatbedbowings.top^
+||flatepicbats.com^
+||flatgatherresource.com^
+||flatlyforensics.com^
+||flatteringbabble.com^
+||flatteringscanty.com^
+||flatterpopulum.click^
+||flatterscandal.com^
+||flaviangarnet.click^
+||flaviusemulsor.com^
+||flavourdinerinadmissible.com^
+||flavourforgave.com^
+||flaw.cloud^
+||flawenormouslyattractive.com^
+||flawerosion.com^
+||flaweyesight.com^
+||flaxconfession.com^
+||flaxdoorbell.com^
+||flaxierfilmset.com^
+||flaxlistedleague.com^
+||flbpplqrvzopon.com^
+||flbvmgxpgnblod.com^
+||flcrcyj.com^
+||fldes6fq.de^
+||fldkakjccxhgw.com^
+||fleahat.com^
+||fleckfound.com^
+||flecur.com^
+||fleddatabaseclothing.com^
+||fleddaughter.com^
+||fleenaive.com^
+||fleeoutspoken.com^
+||fleetingretiredsafe.com^
+||fleetsbromian.top^
+||fleeunleashangel.com^
+||flelgwe.site^
+||flenchnenes.top^
+||fleraprt.com^
+||flewroundandro.info^
+||flewvisto.click^
+||flexcheekadversity.com^
+||flexlinks.com^
+||flfegwxrctclm.com^
+||flickerbridge.com^
+||flickeringintention.pro^
+||flickerworlds.com^
+||flickyoutsail.top^
+||fliedridgin.com^
+||fliffusparaph.com^
+||flimsymarch.pro^
+||flinchasksmain.com^
+||flinttovaria.com^
+||flipendangered.com^
+||flipool.com^
+||flippantguilt.com^
+||flirtatiousconsultyoung.com^
+||flirtclickmatches.life^
+||flirtfusiontoys.toys^
+||flitespashka.top^
+||flixdot.com^
+||flixtrial.com^
+||flmfcox.com^
+||flnfgdkq.com^
+||flnxcveswar.com^
+||floatingbile.com^
+||floatingdrake.com^
+||floccischlump.com^
+||flockinjim.com^
+||flogpointythirteen.com^
+||flogunethicalexceedingly.com^
+||floitcarites.com^
+||flomigo.com^
+||floodeighty.com^
+||floodingdaredsanctuary.com^
+||floodingonion.com^
+||floodtender.com^
+||floorednightclubquoted.com^
+||flopaugustserpent.com^
+||flopexemplaratlas.com^
+||floralrichardapprentice.com^
+||floraopinionsome.com^
+||floristgathering.com^
+||floroonwhun.com^
+||flossdiversebates.com^
+||flotsanrantan.com^
+||flounderhomemade.com^
+||flounderpillowspooky.com^
+||flourishbriefing.com^
+||flourishingcollaboration.com^
+||flourishinghardwareinhibit.com^
+||flowerasunder.com^
+||flowerbooklet.com^
+||flowerdicks.com^
+||flowitchdoctrine.com^
+||flowln.com^
+||flowsearch.info^
+||flowwiththetide.xyz^
+||floyme.com^
+||flqdbbzd.com^
+||flqwvojijhqqlq.com^
+||flrdra.com^
+||fluencydepressing.com^
+||fluencyinhabited.com^
+||fluencythingy.com^
+||fluese.com^
+||fluffychair.pro^
+||fluffynyasquirell.com^
+||fluffytracing.com^
+||fluid-company.pro^
+||fluidallobar.com^
+||fluiddisaster.pro^
+||fluidintolerablespectacular.com^
+||fluingdulotic.com^
+||flukepopped.com^
+||flumesheroes.top^
+||fluqualificationlarge.com^
+||flurrdid.top^
+||flurrylimmu.com^
+||flushafterwardinteger.com^
+||flushconventional.com^
+||flushedheartedcollect.com^
+||flushgenuinelydominion.com^
+||flushoriginring.com^
+||fluxads.com^
+||flyerseminarmaintenance.com^
+||flyerveilconnected.com^
+||flyingadvert.com^
+||flyingperilous.com^
+||flyingsquirellsmooch.com^
+||flylikeaguy.com^
+||flymob.com^
+||flytechb.com^
+||flytonearstation.com^
+||fmapiosb.xyz^
+||fmbsknwpvxlhqim.com^
+||fmbyqmu.com^
+||fmheoodt.com^
+||fmhyysk.com^
+||fmkqhwrfvs.com^
+||fmocscbstnhbq.com^
+||fmoezqerkepc.com^
+||fmoqabrwef.com^
+||fmorugnmnihrcv.com^
+||fmpub.net^
+||fmsads.com^
+||fmstigat.online^
+||fmuvczdhurcu.com^
+||fmv9kweoe06r.com^
+||fmwzfwzxztu.com^
+||fmxfboibrmbf.xyz^
+||fmzjinez.com^
+||fnaycb.com^
+||fnbauniukvi.com^
+||fnelqqh.com^
+||fnhvdvxrenvl.com^
+||fnlojkpbe.com^
+||fnnvyvxiu.com^
+||fnrrm2fn1njl1.com^
+||fntphihy.com^
+||fnuimuuifssv.com^
+||fnxkntusnd.com^
+||fnxtoiwlrgevjm.com^
+||fnzuymy.com^
+||foadeeph.xyz^
+||foaglaid.xyz^
+||foagreen.xyz^
+||foakiwhazoja.com^
+||foalwoollenwolves.com^
+||foamsomethingrobots.com^
+||foapsovi.net^
+||foasowut.xyz^
+||fobeetch.net^
+||focalex.com^
+||focumu.com^
+||focusedserversgloomy.com^
+||focusedunethicalerring.com^
+||focwcuj.com^
+||fodifhvg.com^
+||fodsoack.com^
+||foerpo.com^
+||foetusconductfold.com^
+||foflib.org^
+||fogeydawties.com^
+||foggilysyling.top^
+||foggydefy.com^
+||foggytube.com^
+||foghug.site^
+||fognvcteac.com^
+||fogsham.com^
+||fogtweybq.com^
+||fogvnoq.com^
+||foheltou.com^
+||fohikrs.com^
+||fokvgxuomu.com^
+||folbwkw.com^
+||foldedabstinenceconsole.com^
+||foldedaddress.com^
+||foldedprevent.com^
+||foldercamouflage.com^
+||foldingclassified.com^
+||foldinginstallation.com^
+||foldingsuppressedhastily.com^
+||foliumumu.com^
+||folksordinarilyindoors.com^
+||followeraggregationtraumatize.com^
+||followingexhaustedmicrowave.com^
+||followmalnutritionjeanne.com^
+||follyeffacegrieve.com^
+||fomfwrpfklckhr.com^
+||fompouta.xyz^
+||fomulex.com^
+||fondfelonybowl.com^
+||fondlescany.top^
+||fondnessbrokestreet.com^
+||fondnessverge.com^
+||fontdeterminer.com^
+||fontsocketsleepover.com^
+||foodieblogroll.com^
+||foodowingweapon.com^
+||foojeshoops.xyz^
+||foojimie.net^
+||foolerybonded.com^
+||foolishcounty.pro^
+||foolishjunction.com^
+||foolishyours.com^
+||foolproofanatomy.com^
+||foomaque.net^
+||foonerne.com^
+||fooptoat.com^
+||footagegift.com^
+||footar.com^
+||footcomefully.com^
+||foothoupaufa.com^
+||footnote.com^
+||footprintsfurnish.com^
+||footprintssoda.com^
+||footprintstopic.com^
+||footprintswarming.com^
+||footstepnoneappetite.com^
+||footwearrehearsehouse.com^
+||foourwfuuq.com^
+||fopxivtbk.com^
+||for-j.com^
+||for4mobiles.com^
+||forads.pro^
+||foramoongussor.com^
+||forarchenchan.com^
+||forasmum.live^
+||foraxewan.com^
+||forazelftor.com^
+||forbeautiflyr.com^
+||forbeginnerbedside.com^
+||forbidcrenels.com^
+||forcealetell.com^
+||forcedbedmagnificent.com^
+||forceddenial.com^
+||forcelessgooseberry.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^
+||foregroundmisguideddejection.com^
+||foreignassertive.com^
+||foreignerdarted.com^
+||foreignmistakecurrent.com^
+||forensiccharging.com^
+||forensicssociety.com^
+||forenteion.com^
+||foreseebobbers.com^
+||foreseegigglepartially.com^
+||forestallbladdermajestic.com^
+||forestallunconscious.com^
+||forestcremate.com^
+||forestsbotherdoubted.com^
+||forestsshampoograduate.com^
+||forewordmoneychange.com^
+||forexclub.ru^
+||forfeitsubscribe.com^
+||forflygonom.com^
+||forfrogadiertor.com^
+||forgerylimit.com^
+||forgetinnumerablelag.com^
+||forgivenesscourtesy.com^
+||forgivenessdeportdearly.com^
+||forgivenessimpact.com^
+||forgivenesspeltanalyse.com^
+||forgivenesssweptsupervision.com^
+||forgivepuzzled.com^
+||forgotingolstono.com^
+||forhavingartistic.info^
+||forklacy.com^
+||forlumineoner.com^
+||forlumineontor.com^
+||formalcabinet.com^
+||formalitydetached.com^
+||formarshtompchan.com^
+||formatinfo.top^
+||formationwallet.com^
+||formatresourcefulresolved.com^
+||formatstock.com^
+||formedwrapped.com^
+||formerdrearybiopsy.com^
+||formerlyhorribly.com^
+||formerlyparsleysuccess.com^
+||formidableprovidingdisguised.com^
+||formidablestems.com^
+||formingantecedent.com^
+||formsassistanceclassy.com^
+||formteddy.com^
+||formulacountess.com^
+||formulamuseconnected.com^
+||forooqso.tv^
+||foroorso.com^
+||forprimeapeon.com^
+||forsawka.com^
+||forseisemelo.top^
+||forsphealan.com^
+||fortaillowon.com^
+||fortaiwy.xyz^
+||fortatoneterrow.com^
+||fortcratesubsequently.com^
+||fortdaukthw.hair^
+||forthdestiny.com^
+||forthdigestive.com^
+||forthemoonh.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^
+||forworksyconus.com^
+||forwrdnow.com^
+||foryanmachan.com^
+||forzubatr.com^
+||fosiecajeta.com^
+||fositeth.com^
+||fossagetentie.top^
+||fossensy.net^
+||fossilascension.com^
+||fossilconstantly.com^
+||fossilreservoirincorrect.com^
+||fossorsoxgate.top^
+||fostereminent.com^
+||fotoompi.com^
+||fotsaulr.net^
+||foughtdiamond.com^
+||fougoalops.net^
+||fouleewu.net^
+||foulfurnished.com^
+||founcedaimen.top^
+||foundationhemispherebossy.com^
+||foundationhorny.com^
+||fountaingreat.com^
+||foupeethaija.com^
+||fouptebu.net^
+||fourteenthcongratulate.com^
+||fourwhenstatistics.com^
+||fouthoscular.com^
+||fouwheepoh.com^
+||fouwiphy.net^
+||fovdvoz.com^
+||foviyii.com^
+||foxmeywkh.xyz^
+||foxpush.io^
+||foxqck.com^
+||fpadserver.com^
+||fpalarezuxj.com^
+||fpdbccngiujp.com^
+||fpgedsewst.com^
+||fphbwyonnk.com^
+||fphjeyqs.com^
+||fpiljsxrchc.com^
+||fpkpcvixh.com^
+||fpmleqdb.com^
+||fpnpmcdn.net^
+||fpukxcinlf.com^
+||fpwncdgqsnq.xyz^
+||fpwpvchbwckbg.com^
+||fpxhvdjbivzt.com^
+||fpybtxqfywreqhb.xyz^
+||fqdwrgbbkmlbh.com^
+||fqeqbpacetlols.com^
+||fqewxjjgfb.com^
+||fqfjmojnjslr.com^
+||fqhsolrj.com^
+||fqirjff.com^
+||fqjelyhrbrmyvte.com^
+||fqkwn.com^
+||fqngowvebfr.xyz^
+||fqnyvwyplel.com^
+||fqpxjydyj.com^
+||fqskuzqwpgu.com^
+||fqxjrbepn.com^
+||fqybolmt.com^
+||fqyghqeeh.com^
+||fqygyfvmz.com^
+||fqzibqtjwfzp.com^
+||fractionfridgejudiciary.com^
+||fractureboyishherring.com^
+||fraer.cloud^
+||fragmentexpertisegoods.com^
+||frailfederaldemeanour.com^
+||framentyder.pro^
+||frameworkdeserve.com^
+||frameworkjaw.com^
+||framingmanoeuvre.com^
+||franciatirribi.com^
+||francoistsjacqu.info^
+||franecki.net^
+||franeski.net^
+||franklyatmosphericanniversary.com^
+||franticimpenetrableflourishing.com^
+||frap.site^
+||frarybjrbnlfd.com^
+||frarychazan.com^
+||fratchyaeolist.com^
+||fraudholdingpeas.com^
+||frayed-common.pro^
+||frdjs-2.co^
+||freakisharithmetic.com^
+||freakishextinct.com^
+||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^
+||freeevpn.info^
+||freefrog.site^
+||freefromads.com^
+||freefromads.pro^
+||freelancebeheld.com^
+||freelancepicketpeople.com^
+||freelancerarity.com^
+||freesiaomnific.click^
+||freeskreen.com^
+||freesoftwarelive.com^
+||freestar.io^
+||freetrckr.com^
+||freewayadventureexactly.com^
+||freezeanything.com^
+||freezedispense.com^
+||freezereraserelated.com^
+||freezerpiledoperational.com^
+||freezescrackly.com^
+||freezinghogreproach.com^
+||fregtrsatnt.com^
+||freightopen.com^
+||freiodablazer.com^
+||frenchequal.pro^
+||frencheruptionshelter.com^
+||frenchhypotheticallysubquery.com^
+||frequencyadvocateadding.com^
+||frequentagentlicense.com^
+||frequentbarrenparenting.com^
+||frequentimpatient.com^
+||fresh8.co^
+||freshannouncement.com^
+||freshendueshealth.com^
+||freshenrubpan.com^
+||freshpops.net^
+||frettedmalta.top^
+||freyaacronal.com^
+||frezahkthnz.com^
+||frfetchme.com^
+||frfhhcxeqkubk.xyz^
+||frhbrkjgerikm2f8mjek09.com^
+||frhjqdgtfeb.com^
+||fri4esianewheywr90itrage.com^
+||frictionliteral.com^
+||frictionterritoryvacancy.com^
+||frictiontypicalsecure.com^
+||fridayaffectionately.com^
+||fridayarched.com^
+||fridaypatnod.com^
+||fridaywake.com^
+||fridgejakepreposition.com^
+||fridgestretched.com^
+||friedretrieve.com^
+||friendshipconcerning.com^
+||friendshipmale.com^
+||friendshipposterity.com^
+||friendsoulscombination.com^
+||frigatemirid.com^
+||frighten3452.fun^
+||frightening-crack.pro^
+||frighteningship.com^
+||frightysever.org^
+||fringecompetenceranger.com^
+||fringeforkgrade.com^
+||fringesdurocs.com^
+||friskbiscuit.com^
+||friskthimbleliver.com^
+||fristminyas.com^
+||fritdugs.com^
+||frittercommittee.com^
+||frivolous-copy.pro^
+||frizzannoyance.com^
+||frkyeaoowaurvqt.com^
+||frockswatpelt.com^
+||frocogue.store^
+||froggytablier.top^
+||frogrugby.com^
+||frolicaugmentcreeper.com^
+||frolnk.com^
+||fromjoytohappiness.com^
+||fromoffspringcaliber.com^
+||frompilis.com^
+||frondsgenoas.com^
+||frontcognizance.com^
+||frontendcodingtips.com^
+||fronthlpr.com^
+||fronthlpric.com^
+||frookshop-winsive.com^
+||frostplacard.com^
+||frostscanty.com^
+||frosty-criticism.pro^
+||frostymidnight.com^
+||frostyonce.com^
+||frothadditions.com^
+||frothirenews.top^
+||frothsubmarine.com^
+||frottonracist.com^
+||frownfirsthand.com^
+||frowzlynecklet.top^
+||frstlead.com^
+||frtya.com^
+||frtyd.com^
+||frtyl.com^
+||frugalitymassiveoldest.com^
+||frugalrevenge.com^
+||frugalrushcap.com^
+||frugalseck.com^
+||fruitfullocksmith.com^
+||fruitfulthinnersuspicion.com^
+||fruitlesshooraytheirs.com^
+||fruitnotability.com^
+||frulednulx.com^
+||frustrationfungus.com^
+||frustrationtrek.com^
+||frutwafiwah.com^
+||frwyfaxed.com^
+||frxwattywgcnsgw.xyz^
+||fryawlauk.com^
+||fsalfrwdr.com^
+||fsccafstr.com^
+||fseotgcigbrq.com^
+||fsfwetubfgd.com^
+||fsrtqexvtshh.com^
+||fsseeewzz.lol^
+||fsseeewzz.quest^
+||fstsrv1.com^
+||fstsrv13.com^
+||fstsrv2.com^
+||fstsrv3.com^
+||fstsrv4.com^
+||fstsrv5.com^
+||fstsrv8.com^
+||fstsrv9.com^
+||fsxemowhrx.com^
+||fsznjdg.com^
+||ftblltrck.com^
+||ftd.agency^
+||ftdvpextzx.com^
+||ftgygshutxlpey.com^
+||ftheusysianeduk.com^
+||ftjcfx.com^
+||ftltbijc.com^
+||ftmcofsmfoebui.xyz^
+||ftmhsrrk.com^
+||ftncfjwfokiqrnr.com^
+||ftnrhdekbt.com^
+||ftqygccvexbxpb.com^
+||ftslrfl.com^
+||ftte.fun^
+||ftte.xyz^
+||fttervlvoj.com^
+||fttjyji.com^
+||ftv-publicite.fr^
+||ftvszarpfvecjf.com^
+||ftwpcn.com^
+||ftxolfex.xyz^
+||fualujqbhqyn.xyz^
+||fuckmehd.pro^
+||fuckthat.xyz^
+||fucmoadsoako.com^
+||fucsarhyhlci.com^
+||fudukrujoa.com^
+||fuelcathine.top^
+||fuelpearls.com^
+||fugcgfilma.com^
+||fugreefy.top^
+||fuhbimbkoz.com^
+||fuidsbzqlhud.com^
+||fujigar.com^
+||fujxujid.com^
+||fukpapsumvib.com^
+||fulbe-whs.com^
+||fulfilleddetrimentpot.com^
+||fulgormetump.top^
+||fulhamscaboose.website^
+||fulheaddedfea.com^
+||fulltraffic.net^
+||fullvids.online^
+||fullvids.space^
+||fullycoordinatecarbonate.com^
+||fullypoignantcave.com^
+||fulvenebocca.com^
+||fulvideozrt.click^
+||fulylydevelopeds.com^
+||fumecarbohydrate.com^
+||fumeuprising.com^
+||fummkxa.com^
+||funappgames.com^
+||funcats.info^
+||functionfreaklacerate.com^
+||fundatingquest.fun^
+||fundingexceptingarraignment.com^
+||funestjacket.shop^
+||fungiaoutfame.com^
+||fungidcolder.com^
+||fungus.online^
+||funjoobpolicester.info^
+||funklicks.com^
+||funlife.info^
+||funnelgloveaffable.com^
+||funneltourdreams.com^
+||funnysack.com^
+||funsoups.com^
+||funtoday.info^
+||funyarewesbegi.com^
+||fuphekaur.net^
+||fuphugccgowp.com^
+||furded.com^
+||furlsstealbilk.com^
+||furnacecubbuoyancy.com^
+||furnacemanagerstates.com^
+||furnermousers.click^
+||furnishedrely.com^
+||furnishedsalonherring.com^
+||furnishsmackfoolish.com^
+||furnitureapplicationberth.com^
+||furorshahdon.com^
+||fursfeeblegloria.com^
+||furstraitsbrowse.com^
+||furtheradmittedsickness.com^
+||furtherbasketballoverwhelming.com^
+||furtherencouragingvocational.com^
+||furtherestimatebereave.com^
+||furtivelybleedlyrics.com^
+||furzetshi.com^
+||fuse-cloud.com^
+||fuseamazementavow.com^
+||fuseplatform.net^
+||fusilpiglike.com^
+||fusionads.net^
+||fusionwishful.com^
+||fuskoqvoaprjr.com^
+||fusoidactuate.com^
+||fusrv.com^
+||fussy-highway.pro^
+||fussysandwich.pro^
+||futharcconny.shop^
+||futileharrystephen.com^
+||futilepreposterous.com^
+||futilereposerefreshments.com^
+||futseerdoa.com^
+||future-hawk-content.co.uk^
+||futureads.io^
+||futuredistracting.com^
+||futureus.com^
+||fuvmtqiwhaffnc.com^
+||fuvthuacps.com^
+||fuwkovroemigtb.com^
+||fuwkpghpln.com^
+||fuxcmbo.com^
+||fuywsmvxhtg.com^
+||fuyytjuopkikl.com^
+||fuzakumpaks.com^
+||fuzinghummaul.com^
+||fuzzydinnerbedtime.com^
+||fuzzyincline.com^
+||fvckeip.com^
+||fvcwqkkqmuv.com^
+||fvgxfupisy.com^
+||fvohyywkbc.com^
+||fvzhenljkw.com^
+||fwabhrptdns.com^
+||fwbntw.com^
+||fwealjdmeptu.com^
+||fweokcgamoj.com^
+||fwftmuxxeh.com^
+||fwmrm.net^
+||fwqmwyuokcyvom.xyz^
+||fwrnmmvxsfcrcqk.com^
+||fwrwuzhpmw.com^
+||fwsoviw.com^
+||fwtrck.com^
+||fwukoulnhdlukik.info^
+||fwwxanjyjlu.xyz^
+||fwyhyryyqvs.com^
+||fxdepo.com^
+||fxefriuekh.com^
+||fxiuuaa.com^
+||fxjpbpxvfofa.com^
+||fxmnba.com^
+||fxmrelevbu.com^
+||fxrbsadtui.com^
+||fxrwmhbbxfcpb.com^
+||fxsvifnkts.com^
+||fxwykuxh.com^
+||fyafcyawfevr.com^
+||fyatwugtsuxm.com^
+||fybkhsfntvuyat.com^
+||fyblppngxdt.com^
+||fydczmk.com^
+||fydpfmtbqrylu.com^
+||fyglovilo.pro^
+||fyhgvfmryxprn.xyz^
+||fyibtadothxqj.com^
+||fykjhzjyjvx.com^
+||fymgkjtee.com^
+||fynox.xyz^
+||fyresumefo.com^
+||fytaopeurb.com^
+||fyvdxqufaxkli.com^
+||fzamtef.com^
+||fzfcrqlwph.com^
+||fzipipalkri.com^
+||fzivunnigra.com^
+||fzszuvb.com^
+||g-statistic.com^
+||g0-g3t-msg.com^
+||g0-g3t-msg.net^
+||g0-g3t-som3.com^
+||g0-get-msg.net^
+||g0-get-s0me.net^
+||g0gr67p.de^
+||g0wow.net^
+||g208zjbuz.com^
+||g2440001011.com^
+||g2546417787.com^
+||g2921554487.com^
+||g2afse.com^
+||g33ktr4ck.com^
+||g33tr4c3r.com^
+||g5fzq2l.com^
+||g5rillh2awn8.com^
+||g5rkmcc9f.com^
+||g6raq2ms602g.top^
+||g8bb6j5pn.com^
+||g90eium9p.com^
+||g91games.com^
+||ga-ads.com^
+||gabblecongestionhelpful.com^
+||gabblewhining.com^
+||gabsailr.com^
+||gacoufti.com^
+||gadbytyhmybnir.com^
+||gadsabs.com^
+||gadsatz.com^
+||gadskis.com^
+||gadslimz.com^
+||gadspms.com^
+||gadspmz.com^
+||gadssystems.com^
+||gadzwhglnxhbjs.com^
+||gaegwdkirfcgp.com^
+||gaelsdaniele.website^
+||gafmajosxog.com^
+||gafnkozzuk.com^
+||gagdungeon.com^
+||gaghygienetheir.com^
+||gagxsbnbu.xyz^
+||gagxyauszaght.com^
+||gahonnlsh.com^
+||gaibjhicxrkng.xyz^
+||gaietyexhalerucksack.com^
+||gaijiglo.net^
+||gaimoupy.net^
+||gaiphaud.xyz^
+||gaishaisteth.com^
+||gaisteem.net^
+||gaiterunfixed.top^
+||gaitoath.com^
+||gaizoopi.net^
+||gakairohekoa.com^
+||gakrarsabamt.net^
+||gakvrqdquo.com^
+||galaare.com^
+||galachr.com^
+||galairo.com^
+||galajou.com^
+||galamis.com^
+||galaxydiminution.com^
+||galaxypush.com^
+||galeaeevovae.com^
+||galeateflagged.guru^
+||galepush.net^
+||galereseikones.com^
+||galjwnhotubfg.com^
+||galleyssleeps.top^
+||gallicize25.fun^
+||gallonjav128.fun^
+||gallonranchwhining.com^
+||gallopextensive.com^
+||gallopsalmon.com^
+||gallupcommend.com^
+||galootsmulcted.shop^
+||galopelikeantelope.com^
+||galotop1.com^
+||galvanize26.fun^
+||gam3ah.com^
+||gamadsnews.com^
+||gamadspro.com^
+||gambar123.com^
+||gamblingliquidate.com^
+||gameads.io^
+||gamersad.com^
+||gamersterritory.com^
+||gamescarousel.com^
+||gamescdnfor.com^
+||gamesims.ru^
+||gamesrevenu24.com^
+||gamesrevenue.com^
+||gamesyour.com^
+||gamez4tops.com^
+||gaminesmuletta.com^
+||gaming-adult.com^
+||gamingadlt.com^
+||gamingonline.top^
+||gammamkt.com^
+||gammaplatform.com^
+||gammradiation.space^
+||gamonemule.top^
+||gandmotivat.info^
+||gandmotivatin.info^
+||gandrad.org^
+||ganehangmen.com^
+||gangsterpracticallymist.com^
+||gangsterstillcollective.com^
+||ganismpro.com^
+||ganizationsuc.info^
+||gannetsmechant.com^
+||gannett.gcion.com^
+||ganodusskunks.top^
+||gapcask.com^
+||gapchanging.com^
+||gapgrewarea.com^
+||gappiertransfd.top^
+||gapscult.com^
+||gaptooju.net^
+||gaqscipubhi.com^
+||gaquxe8.site^
+||garbagereef.com^
+||garbanzos24.fun^
+||gardenbilliontraced.com^
+||gardeningseparatedudley.com^
+||gardoult.com^
+||gardourd.com^
+||gargantuan-menu.pro^
+||garglingcorny.com^
+||garlandcheese.com^
+||garlandprotectedashtray.com^
+||garlandshark.com^
+||garlicice.store^
+||garmentfootage.com^
+||garmentsdraught.com^
+||garnishind.shop^
+||garnishpoints.com^
+||garnishwas.com^
+||garosesia.com^
+||garotas.info^
+||garrafaoutsins.top^
+||garretassociate.com^
+||garrisonparttimemount.com^
+||garthitalici.top^
+||gasasphrad.com^
+||gaskinneepour.com^
+||gasolinefax.com^
+||gasolinerent.com^
+||gasorjohvocl.com^
+||gaspedtowelpitfall.com^
+||gatecitizenswindy.com^
+||gateimmenselyprolific.com^
+||gatejav12.fun^
+||gaterharming.top^
+||gatetocontent.com^
+||gatetodisplaycontent.com^
+||gatetotrustednetwork.com^
+||gatherjames.com^
+||gatols.com^
+||gatrmbvfm.com^
+||gaudymercy.com^
+||gaufoosa.xyz^
+||gaujagluzi.xyz^
+||gaujephi.xyz^
+||gaujokop.com^
+||gaulshiite.life^
+||gaumoata.com^
+||gaunchdelimes.com^
+||gauntletjanitorjail.com^
+||gauntletslacken.com^
+||gaupambolic.com^
+||gaupaufi.net^
+||gaupsaur.xyz^
+||gaushaih.xyz^
+||gausovoheeza.com^
+||gaustele.xyz^
+||gautaree.com^
+||gautauzaiw.com^
+||gauvaiho.net^
+||gauwoocoasik.com^
+||gauzedecoratedcomplimentary.com^
+||gauzeglutton.com^
+||gavnogeeygaika.com^
+||gawainshirty.com^
+||gayadpros.com^
+||gayuxhswva.com^
+||gazati.com^
+||gazozfelines.shop^
+||gazumpers27.fun^
+||gb1aff.com^
+||gbbdkrkvn.xyz^
+||gbddeyjekkixrn.com^
+||gbiyigdsgu.com^
+||gblcdn.com^
+||gbpkmltxpcsj.xyz
+||gbullgmqfsgf.com^
+||gbvnfbrg.com^
+||gbztputcfgp.com^
+||gcfabtyir.com^
+||gcfynlyvab.com^
+||gcjzuzldn.com^
+||gcomfbzrsa.com^
+||gctnkqjelwnwlcx.com^
+||gcyzgld.com^
+||gdasaasnt.com^
+||gdbjurnxxhnro.com^
+||gdbtlmsihonev.xyz^
+||gdbyxgjbkgv.com^
+||gdecording.info^
+||gdecordingholo.info^
+||gdktgkjfyvd.xyz^
+||gdlxtjk.com^
+||gdmconvtrck.com^
+||gdmdigital.com^
+||gdmgsecure.com^
+||gdpgwtwby.com^
+||gdwfhelbww.com^
+||geargrope.com^
+||geazjxqwbr.com^
+||gebadu.com^
+||gebiqxmcc.com^
+||gecdwmkee.com^
+||geckad.com^
+||geckibou.com^
+||geckoesdeport.top^
+||gecl.xyz^
+||geechaid.xyz^
+||geedoovu.net^
+||geegleshoaph.com^
+||geejetag.com^
+||geeksundigne.com^
+||geerairu.net^
+||geetacog.xyz^
+||geethaihoa.com^
+||geethaiw.xyz^
+||geethoap.com^
+||geewooheene.net^
+||geiozdtpssgt.com^
+||geiybze.com^
+||gejusherstertithap.info^
+||gekeebsirs.com^
+||gekkocondo.top^
+||gekroome.com^
+||gelatineabstainads.com^
+||gelatinelighter.com^
+||gelescu.cloud^
+||gelhp.com^
+||gelofrebromes.top^
+||gemfowls.com^
+||gemorul.com^
+||gempeety.com^
+||gempoussee.com^
+||gen-ref.com^
+||genaumsa.net^
+||genbalar.com^
+||genepide.com^
+||generalebad.xyz^
+||generalizebusinessman.com^
+||generallyrefinelollipop.com^
+||generateplunderstrew.com^
+||generatorgenuinelyupcoming.com^
+||genericlink.com^
+||generosityfrozecosmic.com^
+||generousclickmillennium.com^
+||genesismedia.com^
+||geneticesteemreasonable.com^
+||genfpm.com^
+||geniad.net^
+||genialsleptworldwide.com^
+||genieedmp.com^
+||genieessp.com^
+||genishury.pro^
+||geniusbanners.com^
+||geniusdexchange.com^
+||geniusonclick.com^
+||gentlecountries.com^
+||gentlynudegranny.com^
+||gentsriggish.com^
+||genuinechancellor.com^
+||genuinesuperman.com^
+||geoaddicted.net^
+||geodaljoyless.com^
+||geodator.com^
+||geoffreyquitimpression.com^
+||geogenyveered.com^
+||geographicaltruth.com^
+||geoidalsericin.com^
+||geoinventory.com^
+||geometryworstaugust.com^
+||geompzr.com^
+||geonicbashara.com^
+||geordiejinglet.com^
+||geotrkclknow.com^
+||geraflows.com^
+||gereacumina.com^
+||germainnappy.click^
+||germanize24.fun^
+||germmasonportfolio.com^
+||geruksom.net^
+||gesanbarrat.com^
+||gestatebuxomly.com^
+||get-gx.net^
+||get-here-click.xyz^
+||get-me-wow.
+||get-partner.life^
+||getadx.com^
+||getadzuki.com^
+||getalltraffic.com^
+||getarrectlive.com^
+||getbestpolojpob.org^
+||getbiggainsurvey.top^
+||getbrowbeatgroup.com^
+||getconatyclub.com^
+||getgx.net^
+||getherelf.com^
+||getjad.io^
+||getmatchedlocally.com^
+||getmetheplayers.click^
+||getmygateway.com^
+||getnee.com^
+||getnewsfirst.com^
+||getnomadtblog.com^
+||getoptad360.com^
+||getoverenergy.com^
+||getpdaiddaily.com^
+||getpopunder.com^
+||getrunbestlovemy.info^
+||getrunkhomuto.info^
+||getscriptjs.com^
+||getsharedstore.com^
+||getshowads.com^
+||getsmartyapp.com^
+||getsozoaque.xyz^
+||getsthis.com^
+||getsurv2you.net^
+||getsurv2you.org^
+||getsurv4you.org^
+||getter.cfd^
+||gettine.com^
+||gettingcleaveassure.com^
+||gettingtoe.com^
+||gettjohytn.com^
+||gettraffnews.com^
+||gettrf.org^
+||getvideoz.click^
+||getxml.org^
+||getyourbitco.in^
+||getyoursoft.ru^
+||getyourtool.co^
+||gevmrjok.com^
+||gexitesfpx.com^
+||gfmvxeeqcrhy.com^
+||gfnfzleduflvkt.com^
+||gforanythingam.com^
+||gfprtdrgcyuxc.com^
+||gfrixpclujxjnlq.com^
+||gfsdloocn.com^
+||gfstrck.com^
+||gftkofhnz.com^
+||gfufutakba.com^
+||gfunwoakvgwo.com^
+||gfupivnzaxi.com^
+||gfwhtvbzzqpasr.com^
+||gfwvrltf.xyz^
+||gfzbdtwtlw.com^
+||ggcurexznta.com^
+||ggetsurv4youu.com^
+||gggetsurveey.com^
+||gghmyocmyl.com^
+||ggkk.xyz^
+||gglx.me^
+||ggpkmmafo.com^
+||ggsbjzyo.com^
+||ggsfq.com^
+||ggvhbnkfc.com^
+||ggwifobvx.com^
+||ggxcoez.com^
+||ggxdzrvo.com^
+||ggxyyalrj.com^
+||ggzckmlts.com^
+||ggzkgfe.com^
+||ghastlyrejectionrest.com^
+||ghbktboutfibvt.com^
+||gheraosonger.com^
+||ghethe.com^
+||ghfnlorkormcmr.com^
+||ghilliebottles.com^
+||ghjhucekiywqrk.com^
+||ghmwlirru.com^
+||ghnvfncbleiu.xyz^
+||ghostchisel.com^
+||ghostnewz.com^
+||ghostsinstance.com^
+||ghosttardy.com^
+||ghsheukwasana.info^
+||ghtry.amateurswild.com^
+||ghyhwiscizax.com^
+||ghyjajvriaf.com^
+||ghyktyahsb.com^
+||ghyxmovcyj.com^
+||giantaffiliates.com^
+||giantexit.com^
+||gianwho.com^
+||giaythethaonuhcm.com^
+||gibadvpara.com^
+||gibaivoa.com^
+||gibevay.ru^
+||giboxdwwevu.com^
+||gichaisseexy.net^
+||gicoxxmeostnxw.xyz^
+||gidakcalgbc.com^
+||giddinessrefusal.com^
+||giddysystemrefers.com^
+||gidoulie.com^
+||gienunrbt.com^
+||giftedbrevityinjured.com^
+||giftedhazelsecond.com^
+||gifttopsurvey.top^
+||gigabitadex.com^
+||gigacpmserv.com^
+||gigahertz24.fun^
+||giganticlived.com^
+||giggleostentatious.com^
+||gigjjgb.com^
+||gigsmanhowls.top^
+||gihehazfdm.com^
+||gijxsthpuqdwcn.com^
+||gikefa.uno^
+||gilarditus.com^
+||gillpwiul.com^
+||gillsapp.com^
+||gillsisabellaunarmed.com^
+||gillstaught.com^
+||gillynn.com^
+||gimavpojtqa.com^
+||gimmalscutches.com^
+||gimme-promo.com^
+||gimohhfzvmpdt.com^
+||gimpsgenips.com^
+||ginchoirblessed.com^
+||ginfohpg.com^
+||gingercompute.com^
+||ginglmiresaw.com^
+||ginkscarnal.top^
+||ginningsteri.com^
+||ginnyclairvoyantapp.com^
+||ginnycleanedfeud.com^
+||ginnymulberryincompetent.com^
+||ginnytors.top^
+||ginnyweakeland.info^
+||ginsicih.xyz^
+||gipeucn.icu^
+||gipostart-1.co^
+||gipsiesthyrsi.com^
+||gipsouglow.com^
+||gipsyhit.com^
+||gipsytrumpet.com^
+||giqaanwmqwowemt.com^
+||giraffedestitutegigantic.com^
+||giraingoats.net^
+||girdleunfamiliartraffic.com^
+||girl-51-w.com^
+||girl7y.com^
+||girlbuffalo.com^
+||girlsflirthere.life^
+||girlsglowdate.life^
+||girlstretchingsplendid.com^
+||girlwallpaper.pro^
+||girseesoa.net^
+||girtijoo.com^
+||gishejuy.com^
+||gismoarette.top^
+||gistblemishparking.com^
+||gitajwl.com^
+||gitoku.com^
+||givaphofklu.com^
+||givedressed.com^
+||givemysoft.ru^
+||givenconserve.com^
+||givesboranes.com^
+||givide.com^
+||giving-weird.pro^
+||givingcareer.com^
+||givingsol.com^
+||giwkclu.com^
+||gixaftktoqud.com^
+||gixeedsute.net^
+||gixiluros.com^
+||gjffrtfkhf.xyz^
+||gjgtcnhlypqsv.com^
+||gjhksxthokyjlm.com^
+||gjigle.com^
+||gjjvjbe.com^
+||gjkame6.com^
+||gjknyqmvrluao.com^
+||gjnzqdpzda.com^
+||gjonfartyb.com^
+||gjpcwjzzc.com^
+||gjrhqyc.com^
+||gjwos.org^
+||gjzbcvatvn.com^
+||gk79a2oup.com^
+||gkbhrj49a.com^
+||gkbvnyk.com^
+||gkcltxp.com^
+||gkdafpdmiwwd.xyz^
+||gkencyarcoc.com^
+||gkewzootqju.com^
+||gkfehrdhbm.com^
+||gkijrvtifdy.com^
+||gkoutpips.com^
+||gkpfuoyapoprvln.com^
+||gkpvuyrgbbzu.com^
+||gkrtmc.com^
+||gl-cash.com^
+||gla63a4l.de^
+||glacierglorifybeetroot.com^
+||glaciergrimly.com^
+||gladiol9us10.com^
+||gladsince.com^
+||gladthereis.org^
+||glaickoxaksy.com^
+||glaijauk.xyz^
+||glaikrolsoa.com^
+||glaivoun.net^
+||glaiwhee.net^
+||glaixich.net^
+||glakaits.net^
+||glaksads.net^
+||glamorousmixture.com^
+||glancedforgave.com^
+||glancingambulance.com^
+||glandinterest.com^
+||glaringregister.com^
+||glassesoftruth.com^
+||glassmilheart.com^
+||glasssmash.site^
+||glatatsoo.net^
+||glaubsoopsehen.net^
+||glaubuph.com^
+||glaultoa.com^
+||glaurtas.com^
+||glauvoob.com^
+||glauxoaw.xyz^
+||glaxaukr.net^
+||glazegha.com^
+||glazepalette.com^
+||glbtrk.com^
+||gldrdr.com^
+||gleagainedam.info^
+||gleamcalumnygeneralize.com^
+||gleamcoupgently.com^
+||gleaminsist.com^
+||gleampendulumtucker.com^
+||glecmaim.net^
+||gledroupsens.xyz^
+||gleefulcareless.com^
+||gleeglis.net^
+||gleegloo.net^
+||gleejoad.net^
+||gleempithep.com^
+||gleemsomto.com^
+||gleemsub.com^
+||gleeneep.com^
+||gleetchisurvey.top^
+||gleewhor.xyz^
+||glelroum.com^
+||gleneditor.com^
+||glenmexican.com^
+||glenprejudice.com^
+||glenseized.com^
+||glersakr.com^
+||glersooy.net^
+||glerteeb.com^
+||glestoab.com^
+||glevoloo.com^
+||glibsols.net^
+||glideimpulseregulate.com^
+||glidelamppost.com^
+||glifjhcclyc.com^
+||gligheew.xyz^
+||glimpaid.net^
+||glimpsedrastic.com^
+||glimpsemankind.com^
+||glimtors.net^
+||glirsoss.com^
+||glisteningproject.pro^
+||glitteringinextricabledemise.com^
+||glitteringinsertsupervise.com^
+||glitteringobsessionchanges.com^
+||glitteringstress.pro^
+||glizauvo.net^
+||glleadflxvn.com^
+||glo-glo-oom.com^
+||gloacmug.net^
+||gloacmug.xyz^
+||gloaftil.com^
+||gloagaus.xyz^
+||gloaghouph.com^
+||gloalrie.com^
+||gloaphoo.net^
+||gloavets.xyz^
+||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^
+||glocmauy.xyz^
+||glodsaccate.com^
+||glofodazoass.com^
+||glogoowo.net^
+||glogopse.net^
+||glokta.info^
+||gloltaiz.xyz^
+||glomocon.xyz^
+||glomtipagrou.xyz^
+||glonsophe.com^
+||gloodain.net^
+||gloodsie.com^
+||gloogeed.xyz^
+||gloognoogrix.com^
+||gloogruk.com^
+||gloohozedoa.xyz^
+||gloolrey.com^
+||glooltoora.net^
+||gloomfabricgravy.com^
+||gloomilybench.com^
+||gloomilychristian.com^
+||gloomilysuffocate.com^
+||gloomseb.net^
+||gloonseetaih.com^
+||gloophoa.net^
+||gloorsie.com^
+||glootang.net^
+||gloovids.com^
+||gloozoutchu.net^
+||gloppyveers.top^
+||gloriacheeseattacks.com^
+||glorialoft.com^
+||gloriarefreshsuspected.com^
+||glorifyfactor.com^
+||glorifyraytreasurer.com^
+||glorifytravelling.com^
+||gloriousboileldest.com^
+||gloriousdimension.com^
+||gloriousmemory.pro^
+||glorsugn.net^
+||glossblip.shop^
+||glossemforaged.top^
+||glouckeexoo.net^
+||glouftarussa.xyz^
+||gloufteglouw.com^
+||gloumoonees.net^
+||gloumsee.net^
+||gloumsie.net^
+||glounugeepse.xyz^
+||glouseer.net^
+||gloussowu.xyz^
+||gloustoa.net^
+||gloutanacard.com^
+||gloutchi.com^
+||glouxaih.net^
+||glouxalt.net^
+||glouzokrache.com^
+||gloveroadmap.com^
+||glovet.xyz^
+||glowdot.com^
+||glowedhyalins.com^
+||glowingnews.com^
+||gloxeept.com^
+||gloytrkb.com^
+||glozesmimer.top^
+||glquynodiflhw.com^
+||glsfreeads.com^
+||glssp.net^
+||gltjtkqoxhbgvlx.com^
+||glugherg.net^
+||glugreez.com^
+||glukropi.com^
+||glumdrawer.com^
+||glumtitu.net^
+||glungakra.com^
+||glurdoat.com^
+||glursihi.net^
+||glutenmuttsensuous.com^
+||gluttonstayaccomplishment.com^
+||gluttonybrand.com^
+||gluttonybuzzingtroubled.com^
+||gluttonydressed.com^
+||gluwhoas.com^
+||gluxouvauque.com^
+||gluxouvauure.com^
+||glvhvesvnp.com^
+||glwcxdq.com^
+||glxtest.site^
+||glynnoutcity.shop^
+||gmads.net^
+||gmawlljasi.com^
+||gmbopxcfbwg.com^
+||gmcdxivnqegrnl.com^
+||gmcoanceqoymws.com^
+||gme-trking.com^
+||gmelinalegua.top^
+||gmftmeqdlbobq.com^
+||gmgllod.com^
+||gmihupgkozf.com^
+||gmijkajzor.com^
+||gmiqicw.com^
+||gmixiwowford.com^
+||gmkflsdaa.com^
+||gmknz.com^
+||gml-grp.com^
+||gmlebdifvxzzl.com^
+||gmltiiu.com^
+||gmnagxbisjn.com^
+||gmoyu0y9y.com^
+||gmuinujsn.com^
+||gmuskkvfophohqn.xyz^
+||gmuuiqcfcb.com^
+||gmxvmvptfm.com^
+||gmyze.com^
+||gmzdaily.com^
+||gnashesfanfare.com^
+||gnatterjingall.com^
+||gnditiklas.com^
+||gndkcpwowxnc.com^
+||gndyowk.com^
+||gnfavfqifukyyl.com^
+||gngsrgaza.com^
+||gngtvwjo.com^
+||gnkgvjxunmwc.com^
+||gnkljnfbd.com^
+||gnksplbu.com^
+||gnnnzxuzv.com^
+||gnqsvrafjtoa.com^
+||gnqtageoyy.com^
+||gnssivagwelwspe.xyz^
+||gntsrybdc.com^
+||gnuppbsxa.xyz^
+||gnvpmftcgp.com^
+||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.syndcloud.com^
+||go2.global^
+||go2affise.com^
+||go2app.org^
+||go2jump.org^
+||go2media.org^
+||go2offer-1.com^
+||go2oh.net^
+||go2rph.com^
+||go2speed.org^
+||go6shde9nj2itle.com^
+||goaboomy.com^
+||goaciptu.net^
+||goads.pro^
+||goadx.com^
+||goaffmy.com^
+||goahoubesho.com^
+||goajuzey.com^
+||goalebim.com^
+||goaleedeary.com^
+||goalfirework.com^
+||goalperusevicinity.com^
+||goaodaj.com^
+||goaserv.com^
+||goasrv.com^
+||goatauthut.xyz^
+||goatsnulls.com^
+||goavoafu.com^
+||gobacktothefuture.biz^
+||gobetweencomment.com^
+||gobetweengroan.com^
+||gobicyice.com^
+||gobitta.info^
+||gobletclosed.com^
+||goblocker.xyz^
+||gobmodfoe.com^
+||gobreadthpopcorn.com^
+||gocolow.com^
+||gocomparisongarrison.com^
+||godacepic.com^
+||goddesslevityark.com^
+||godforsakensubordinatewiped.com^
+||godlessabberant.com^
+||godmotherelectricity.com^
+||godpvqnszo.com^
+||godroonrefrig.com^
+||godshiptubing.top^
+||godspeaks.net^
+||goelbotony.com^
+||goesdeedinsensitive.com^
+||goesintakehaunt.com^
+||gofecuhxltcqj.xyz^
+||gofenews.com^
+||gogglebox26.fun^
+||gogglemessenger.com^
+||gogglerespite.com^
+||goghen.com^
+||gogord.com^
+||gogucbuojg.com^
+||gohere.pl^
+||gohupsou.com^
+||gohznbe.com^
+||goinformer.com^
+||goingbicyclepolitically.com^
+||goingsbluffed.top^
+||goingtoothachemagician.com^
+||golbxjhofipyv.com^
+||gold-line.click^
+||gold2762.com^
+||goldcaster.xyz^
+||golden-gateway.com^
+||goldfishsewbruise.com^
+||goldforeyesh.org^
+||goldm9.com^
+||golfmidwife.top^
+||gollarpulsus.com^
+||golpnkgkndw.com^
+||golsaiksi.net^
+||gomain.pro^
+||gomain2.pro^
+||gombotrubu.com^
+||gomnlt.com^
+||gonairoomsoo.xyz^
+||goneawaytogy.info^
+||goneryacked.top^
+||gonoushauw.net^
+||gonzalodaemon.top^
+||gooblesdd.com^
+||good-ads-online.com^
+||goodadvert.ru^
+||goodappforyou.com^
+||goodbusinesspark.com^
+||goodgamesmanship.com^
+||goodnesshumiliationtransform.com^
+||goodnightbarterleech.com^
+||goodnightrunaway.com^
+||goods2you.net^
+||goodsscoop.com^
+||goodstriangle.com^
+||goodweet.xyz^
+||goodyhitherto.com^
+||googie-anaiytics.com^
+||googleapi.club^
+||googleseo.life^
+||googletagservices.com^
+||goohimom.net^
+||goomaphy.com^
+||goonsphiltra.top^
+||gooods4you.com^
+||goosebomb.com^
+||goosierappetit.com^
+||goosimes.com^
+||goostist.com^
+||goourl.me^
+||goozabooz.com^
+||gophykopta.com^
+||goplayhere.com^
+||goqvdckzbtej.com^
+||goraccodisobey.com^
+||goraps.com^
+||goredi.com^
+||goreoid.com^
+||gorgeousirreparable.com^
+||gorgestartermembership.com^
+||gorgetooth.com^
+||gorilladescendbounds.com^
+||gorillasneer.com^
+||gorillatraffic.xyz^
+||gorillatrk.com^
+||gorillatrking.com^
+||goshbiopsy.com^
+||gositego.live^
+||gosoftwarenow.com^
+||gospelsaneared.top^
+||gossipcase.com^
+||gossipfinestanalogy.com^
+||gossipinvest.com^
+||gossipprotectioncredentials.com^
+||gossipsize.com^
+||gossipylard.com^
+||gostoamt.com^
+||gosvroqqftetwiq.com^
+||got-to-be.com^
+||got-to-be.net^
+||goteat.xyz^
+||gotherresethat.com^
+||gotherresethat.info^
+||gotibetho.pro^
+||gotohouse1.club^
+||gotrackier.com^
+||goucejugra.com^
+||goufldsbktds.com^
+||gougersorrier.top^
+||gouheethsurvey.space^
+||goulbap287evenost.com^
+||gounevou.net^
+||gourgoldpieceso.com^
+||gousouse.com^
+||goutee.top^
+||goutylumpier.top^
+||govbusi.info^
+||governessmagnituderecoil.com^
+||governessstrengthen.com^
+||governmentwithdraw.com^
+||goverua.com^
+||gowgycwrfbukst.com^
+||gownletcarny.top^
+||gowspow.com^
+||gpcrn.com^
+||gpfaquowxnaum.xyz^
+||gpibcoogfb.com^
+||gpiyzwt.com^
+||gplansforourcom.com^
+||gplgqqg.com^
+||gpodipsawtaf.com^
+||gporkecpyttu.com^
+||gppsusbb.com^
+||gprsiugqgwqt.com^
+||gpsecureads.com^
+||gptkjrseu.com^
+||gpylmwtjiy.com^
+||gpynepb.com^
+||gqaecrxbj.com^
+||gqagmovxyk.com^
+||gqalqi656.com^
+||gqckjiewg.com^
+||gqcmqihonrx.com^
+||gqdvbkmnkox.com^
+||gqfuf.com^
+||gqhrflhprg.com^
+||gqilaywrqy.com^
+||gqjdweqs.com^
+||gqnkpbnuv.com^
+||gqskcsljniadk.com^
+||gqtnjdflx.com^
+||gqubkbuinx.com^
+||gqusbheifyoqubu.com^
+||gr3hjjj.pics^
+||grabhastened.com^
+||graboverhead.com^
+||gracelessaffected.com^
+||graceofnoon.com^
+||gracesmallerland.com^
+||gradecastlecanadian.com^
+||gradecomposuresanctify.com^
+||graduallyassist.com^
+||gradualmadness.com^
+||graduatedgroan.com^
+||graduatedspaghettiauthorize.com^
+||graduatewonderentreaty.com^
+||grafzen.com^
+||gragleek.com^
+||grailtie.xyz^
+||graimoorg.net^
+||grainlyricalamend.com^
+||grainshen.com^
+||grainsprogenymonarchy.com^
+||grainsslaughter.com^
+||grairgoo.com^
+||grairsoa.com^
+||grairtoorgey.com^
+||graithos.net^
+||graitsie.com^
+||graivaik.com^
+||graixomo.net^
+||graizoah.com^
+||graizout.net^
+||gralneurooly.com^
+||grammarselfish.com^
+||gramotherwise.com^
+||granaryvernonunworthy.com^
+||granatelocknut.top^
+||grandchildpuzzled.com^
+||grandclemencydirt.com^
+||granddadfindsponderous.com^
+||granddaughterrepresentationintroduce.com^
+||grandeursway.com^
+||grandezza31.fun^
+||grandfathercancelling.com^
+||grandmotherfoetussadly.com^
+||grandocasino.com^
+||grandpagrandmotherhumility.com^
+||grandpashortestmislead.com^
+||grandsupple.com^
+||grandwatchesnaive.com^
+||granestichs.top^
+||grangilo.net^
+||grannyaudiblypriceless.com^
+||grannyblowdos.com^
+||grannysteer.com^
+||grannytelevision.com^
+||grantedorphan.com^
+||grantedpigsunborn.com^
+||grantinsanemerriment.com^
+||grapefruitprecipitationfolded.com^
+||graphicskiddingdesire.com^
+||graphnitriot.com^
+||grapsaidsee.net^
+||grapseex.com^
+||grapselu.com^
+||grartoag.xyz^
+||grasutie.net^
+||gratchit.com^
+||graterpatent.com^
+||gratertwentieth.com^
+||gratificationdesperate.com^
+||gratificationopenlyseeds.com^
+||gratifiedfemalesfunky.com^
+||gratifiedmatrix.com^
+||gratifiedsacrificetransformation.com^
+||gratifiedshoot.com^
+||gratitudeobservestayed.com^
+||gratituderefused.com^
+||grauglak.com^
+||grauhoat.xyz^
+||graukaigh.com^
+||graulsaun.com^
+||graungig.xyz^
+||grauroocm.com^
+||grauwaiw.com^
+||grauxouzair.com^
+||grave-orange.pro^
+||gravecheckbook.com^
+||gravelyoverthrow.com^
+||graveshakyscoot.com^
+||graveuniversalapologies.com^
+||gravityharryexperienced.com^
+||gravyponder.com^
+||grawhoonrdr.com^
+||graywithingrope.com^
+||grazingmarrywomanhood.com^
+||greaserenderelk.com^
+||great-spring.pro^
+||greatappland.com^
+||greataseset.org^
+||greatcpm.com^
+||greatdexchange.com^
+||greatedo.com^
+||greatlifebargains2024.com^
+||greatlyclip.com^
+||greatmidship.com^
+||greatnessmuffled.com^
+||grecheer.com^
+||grecmaru.com^
+||gredroug.net^
+||greebomtie.com^
+||greececountryfurious.com^
+||greecewizards.com^
+||greedcocoatouchy.com^
+||greedrum.net^
+||greeftougivy.com^
+||greekbelievablesplit.com^
+||greekmankind.com^
+||greekomythpo.com^
+||greekroo.xyz^
+||greekunbornlouder.com^
+||greemeek.net^
+||green-red.com^
+||green-resultsbid.com^
+||green-search-engine.com^
+||green4762.com^
+||greenads.org^
+||greenfox.ink^
+||greenlinknow.com^
+||greenmortgage.pro^
+||greenpaperlist.com^
+||greenplasticdua.com^
+||greenrecru.info^
+||greensfallingperceive.com^
+||greeter.me^
+||greeterracked.com^
+||greetpanda.org^
+||greewaih.xyz^
+||greewepi.net^
+||greezoob.net^
+||grefaunu.com^
+||grefutiwhe.com^
+||grehtrsan.com^
+||greltoat.xyz^
+||gremsaup.net^
+||grenkolgav.com^
+||grepeiros.com^
+||greptump.com^
+||greroaso.com^
+||grersomp.xyz^
+||greshipsah.com^
+||gresteedoong.net^
+||gretaith.com^
+||gretnsassn.com^
+||greworganizer.com^
+||grewquartersupporting.com^
+||greystripe.com^
+||grfpr.com^
+||gribblefessing.com^
+||gribsastiw.com^
+||griddedwarling.top^
+||gridder.co^
+||gridrelay27.co^
+||griecemae.top^
+||grievedclaimed.com^
+||grievethereafter.com^
+||griftedhindoo.com^
+||grigholtuze.net^
+||grigsreshown.top^
+||griksoud.net^
+||grillcheekunfinished.com^
+||grilledcolmars.top^
+||grillvaleria.com^
+||grimacecalumny.com^
+||grimdeplorable.com^
+||grimsecretary.com^
+||grimytax.pro^
+||grinbettyreserve.com^
+||grincircus.com^
+||gripehealth.com^
+||gripping-bread.com^
+||gripspigyard.com^
+||grirault.net^
+||grislyrooing.click^
+||gristleupanaya.com^
+||gritaware.com^
+||grixaghe.xyz^
+||grkhhdxsimfif.com^
+||grkucmja.com^
+||grkuikqvpmqnla.com^
+||grmtas.com^
+||groaboara.com^
+||groabopith.xyz^
+||groacoaz.com^
+||groagnoaque.com^
+||groameeb.com^
+||groampez.xyz^
+||groapeeque.com^
+||grobido.info^
+||grocerycookerycontract.com^
+||grocerysurveyingentrails.com^
+||groguzoo.net^
+||groinopposed.com^
+||grojaigrerdugru.xyz^
+||groleepugny.net^
+||gronsoad.com^
+||gronsoakoube.net^
+||grooksom.com^
+||groomoub.com^
+||groomtoo.com^
+||groomysirups.top^
+||groorsoa.net^
+||grooseem.net^
+||groosoum.xyz^
+||grootcho.com^
+||grootsouque.net^
+||grooveoperate.com^
+||grooverend.com^
+||gropecemetery.com^
+||gropefore.com^
+||grortalt.xyz^
+||grossedoicks.com^
+||groudrup.xyz^
+||groujeemoang.xyz^
+||groumaux.net^
+||groumtou.net^
+||groundlesscrown.com^
+||groundlesstightsitself.com^
+||groupcohabitphoto.com^
+||groupian.io^
+||groupsrider.com^
+||groupyammer.top^
+||grourded.net^
+||groutoozy.com^
+||groutsfaham.top^
+||groutsukooh.net^
+||grova.buzz^
+||grova.xyz^
+||growebads.com^
+||growingcastselling.com^
+||growingtotallycandied.com^
+||growjav11.fun^
+||growledavenuejill.com^
+||growlingopportunity.com^
+||grown-inpp-code.com^
+||grownbake.pro^
+||growngame.life^
+||grownupsufferinginward.com^
+||growthbuddy.app^
+||grqjpukbyvypq.xyz^
+||grrngjxqno.com^
+||grsm.io^
+||grt02.com^
+||grtaanmdu.com^
+||grtexch.com^
+||grtyj.com^
+||grubpremonitionultimately.com^
+||grubsnuchale.com^
+||grucchebarmfel.click^
+||grucmost.xyz^
+||grudgewallet.com^
+||grudreeb.com^
+||grufeegny.xyz^
+||gruffsleighrebellion.com^
+||grumbletonight.com^
+||grumpybreakingsalad.com^
+||grumpyslayerbarton.com^
+||grunikpazp.com^
+||grunoaph.net^
+||gruntremoved.com^
+||gruponn.com^
+||grurawho.com^
+||grushoungy.com^
+||gruvirxita.com^
+||gruwalom.xyz^
+||gruwzapcst.com^
+||grwp3.com^
+||grygrothapi.pro^
+||gsclvurjec.xyz^
+||gscontxt.net^
+||gsjln04hd.com^
+||gsnb048lj.com^
+||gsnqhdo.com^
+||gsurihy.com^
+||gsuwrjqqfm.com^
+||gt5tiybvn.com^
+||gtbdhr.com^
+||gtitcah.com^
+||gtlook.com^
+||gtoonfd.com^
+||gtosmdjgn.xyz^
+||gtrmshgbw.com^
+||gtsads.com^
+||gtslufuf.xyz^
+||gtudkfe.com^
+||gtwimkngw.com^
+||gtwoedjmjsevm.xyz^
+||gtxlouky.xyz^
+||gtxyaiihuwkdbk.com^
+||gtyjqipdqsy.com^
+||guadam.com^
+||guangzhuiyuan.com^
+||guaranteefume.com^
+||guardeddummysoothing.com^
+||guardedrook.cc^
+||guardedtabletsgates.com^
+||guardeebepaste.top^
+||guardiandigitalcomparison.co.uk^
+||guardsslate.com^
+||guayababemotto.top^
+||guchihyfa.pro^
+||gudouzov.com^
+||guerrilla-links.com^
+||guesswhatnews.com^
+||guestblackmail.com^
+||guesteaten.com^
+||guestsfingertipchristian.com^
+||guffawsbandura.shop^
+||guftaujug.com^
+||gugletkvarner.top^
+||guhomnfuzq.com^
+||guichetlola.com^
+||guidonsfeeing.com^
+||guiletoad.com^
+||guiltjadechances.com^
+||guilty-bear.com^
+||guineaacrewayfarer.com^
+||guipureenterer.top^
+||guitarfelicityraw.com^
+||gujakqludcuk.com^
+||gujojbavdoh.com^
+||gulfimply.com^
+||gullible-hope.com^
+||gullible-lawyer.pro^
+||gullibleanimated.com^
+||gulsyangtao.guru^
+||gumbolersgthb.com^
+||gumcongest.com^
+||gumlahdeprint.com^
+||gummageshrieks.top^
+||gummierhedera.life^
+||gundeckclewing.top^
+||gungpurre.com^
+||gunsaidi.xyz^
+||gunwaleneedsly.com^
+||gunzblazingpromo.com^
+||gupqacqf.com^
+||gurgehumours.com^
+||gurimix.com^
+||gurneysretene.top^
+||guro2.com^
+||gurynyce.com^
+||gushfaculty.com^
+||gushswarthy.com^
+||gusleelurg.top^
+||gussame.com^
+||gussbkpr.website^
+||gussiessmutchy.com^
+||gussimsosurvey.space^
+||gutazngipaf.com^
+||gutobtdagruw.com^
+||gutrnesak.com^
+||gutsnights.com^
+||gutterscaldlandslide.com^
+||gutteryrhachi.com^
+||guttulatruancy.com^
+||gutwn.info^
+||guvmcalwio.com^
+||guvsxiex.xyz^
+||guvwolr.com^
+||guxdjfuuhey.xyz^
+||guxedsuba.com^
+||guybaafvpv.com^
+||guypane.com^
+||guywireincorp.com^
+||gvdetxlwcm.com^
+||gvfkzyq.com^
+||gvhderjd.com^
+||gvjpwiqmwmvvjsb.com^
+||gvkmifcvr.com^
+||gvkqpogjqvni.com^
+||gvkzvgm.com^
+||gvpged.com^
+||gvqlswog.com^
+||gvt2.com^
+||gvtxrpobiijqhdt.com^
+||gvwdwrtzrs.com^
+||gvzsrqp.com^
+||gwallet.com^
+||gwehelqusbpdah.com^
+||gwemwyqugg.com^
+||gwfcpecnwwtgn.xyz^
+||gwggiroo.com^
+||gwhllcipky.com^
+||gwjdaazribz.com^
+||gwjfwrzoevwt.com^
+||gwogbic.com^
+||gwpcomqsyflewv.com^
+||gwsvikubsgwpic.com^
+||gwtixda.com^
+||gwvjcrtucd.com^
+||gx101.com^
+||gxcqhawgc.com^
+||gxcvxdeda.com^
+||gxdzfyg.com^
+||gxfuwkgsp.com^
+||gxgu9gktreso.com^
+||gxikmksjuz.com^
+||gxmlkgraj.com^
+||gxordgtvjr.com^
+||gxoymwfwex.com^
+||gxpiypxnjwtclv.com^
+||gxpvnveyqowm.com^
+||gxqjvuhsk.com^
+||gxtmsmni.com^
+||gxuhoeynwghjd.com^
+||gxvaunase.com^
+||gxvpfppyktgaeo.com^
+||gxzabkagrlb.com^
+||gyeapology.top^
+||gyenhpl.com^
+||gyfumobo.com^
+||gygibjzjtq.com^
+||gyhfmvfhfgqg.com^
+||gylor.xyz^
+||gymdeserves.com^
+||gymgipsy.com^
+||gymnasiumfilmgale.com^
+||gypperywyling.com^
+||gyppingargulus.com^
+||gypsiedjilt.com^
+||gypsitenevi.com^
+||gypufahuyhov.xyz^
+||gyudlffoisng.com^
+||gyxkmpf.com^
+||gzcxtuxgqjrhz.com^
+||gzglmoczfzf.com^
+||gzifhovadhf.com^
+||gzigudxidz.com^
+||gzihfaatdohk.com^
+||gzkkbuvz.com^
+||gzpphnbvqj.com^
+||gzqihxnfhq.com^
+||gzqsxbgnggnho.com^
+||gzwehmnm.com^
+||h0w-t0-watch.net^
+||h12-media.com^
+||h15maincat.com^
+||h2aek6rv0ard.com^
+||h4r7dvewa.com^
+||h52ek3i.de^
+||h5lwvwj.top^
+||h5r2dzdwqk.com^
+||h74v6kerf.com^
+||h8brccv4zf5h.com^
+||h98s.com^
+||haamumvxavsxwac.xyz^
+||habhudvimli.com^
+||habirimodioli.com^
+||habitualexecute.com^
+||habitualivoryashes.com^
+||hablvsmnr.com^
+||habovethecit.info^
+||habovethecity.info^
+||habutaeirisate.com^
+||habutaeunroost.com^
+||hadajvqpha.com^
+||hadfrizzprofitable.com^
+||hadmiredinde.info^
+||hadouthoals.com^
+||hadsans.com^
+||hadsanz.com^
+||hadseaside.com^
+||hadsecz.com^
+||hadsimz.com^
+||hadskiz.com^
+||hadsokz.com^
+||hadtwobr.info^
+||haffnetworkmm.com^
+||hafonmadp.com^
+||hagdenlupulic.top^
+||hagdispleased.com^
+||haghalra.com^
+||haglance.com^
+||hagnaudsate.com^
+||hagnutrient.com^
+||hagppxgjypqa.com^
+||hagweedtoytown.com^
+||haiariunsely.top^
+||haihaime.net^
+||haikcarlage.com^
+||haiksbogier.top^
+||hailstonenerve.com^
+||hailstonescramblegardening.com^
+||hailtighterwonderfully.com^
+||haimagla.com^
+||haimimie.xyz^
+||hainoruz.com^
+||haircutmercifulbamboo.com^
+||hairdresserbayonet.com^
+||hairoak.com^
+||hairpinoffer.com^
+||hairpintacticalartsy.com^
+||hairy-level.pro^
+||hairyapplication.com^
+||haithalaneroid.com^
+||haithoaz.net^
+||haitingshospi.info^
+||haixomz.xyz^
+||hajoopteg.com^
+||haksaigho.com^
+||halbertduffed.top^
+||half-concert.pro^
+||halfpriceozarks.com^
+||halftimeaircraftsidewalk.com^
+||halftimestarring.com^
+||halfwayscratchcoupon.com^
+||halileo.com^
+||hallanjerbil.com^
+||hallucinatecompute.com^
+||hallucinatediploma.com^
+||hallucinatepromise.com^
+||halogennetwork.com^
+||halthomosexual.com^
+||haltough.net^
+||haltowe.info^
+||halveimpendinggig.com^
+||hamburgerintakedrugged.com^
+||hamfatbuxeous.guru^
+||haminu.space^
+||hamletuponcontribute.com^
+||hamletvertical.com^
+||hammamfehmic.com^
+||hammereternal.com^
+||hammerhewer.top^
+||hammockpublisherillumination.com^
+||hamoumpa.xyz^
+||hampersolarwings.com^
+||hamperstirringoats.com^
+||hamulustueiron.com^
+||handafterenergy.com^
+||handbagadequate.com^
+||handbaggather.com^
+||handbagwishesliver.com^
+||handboyfriendomnipotent.com^
+||handcuffglare.com^
+||handfuljoggingpatent.com^
+||handfulnobodytextbook.com^
+||handfulsobcollections.com^
+||handgripvegetationhols.com^
+||handkerchiefpeeks.com^
+||handkerchiefpersonnel.com^
+||handkerchiefstapleconsole.com^
+||handlesgrugrus.top^
+||handlingblare.com^
+||handshakesexyconquer.com^
+||handsomebend.pro^
+||handsomepinchingconsultation.com^
+||handtub.com^
+||handwritingdigestion.com^
+||handwritingdoorbellglum.com^
+||handy-tab.com^
+||handymanprivately.com^
+||handymansurrender.com^
+||hangiesues.top^
+||hangnailamplify.com^
+||hangnailhasten.com^
+||hangoveratomeventually.com^
+||hangoverknock.com^
+||hankrivuletperjury.com^
+||hannahfireballperceive.com^
+||hanqpwl.com^
+||haoelo.com^
+||haolecataria.com^
+||hapbtualkfi.com^
+||haplic.com^
+||happenemerged.com^
+||happeningdeliverancenorth.com^
+||happeningflutter.com^
+||happeningurinepomposity.com^
+||happy-davinci-53144f.netlify.com^
+||happydate.today^
+||happymuttere.org^
+||happypavilion.com^
+||hapticswasher.com^
+||harassinganticipation.com^
+||harassingindustrioushearing.com^
+||harassmentgrowl.com^
+||harayun.com^
+||hardabbuy.live^
+||hardaque.xyz^
+||hardboileddearlyaccomplish.com^
+||hardwaretakeoutintimidate.com^
+||hardynarrow.com^
+||hardynylon.com^
+||hareeditoriallinked.com^
+||haresmodus.com^
+||harhtwb.com^
+||haribdathesea.com^
+||hariblockairline.com^
+||hariheadacheasperity.com^
+||harmfulresolution.com^
+||harmfulsong.pro^
+||harmless-sample.pro^
+||harmlessepic.com^
+||harmoniousfamiliar.pro^
+||harmvaluesrestriction.com^
+||harnessabreastpilotage.com^
+||haronfitanheck.com^
+||harpinhaster.top^
+||harpinoperose.com^
+||harrenmedianetwork.com^
+||harrydough.com^
+||harrymercurydynasty.com^
+||harsh-hello.pro^
+||harshlygiraffediscover.com^
+||harshplant.com^
+||hartattenuate.com^
+||hartbasketenviable.com^
+||harvesttheory.com^
+||harzpzbsr.com^
+||hasdrs.com^
+||hash-hash-tag.com^
+||hashbitewarfare.com^
+||hashpreside.com^
+||hasricewaterh.info^
+||hastecoat.com^
+||hastyarmistice.com^
+||hatablepuleyn.com^
+||hatagashira.com^
+||hatapybbwxkbs.com^
+||hatbenchmajestic.com^
+||hatchetrenaissance.com^
+||hatchetsummit.com^
+||hatchord.com^
+||hatedhazeflutter.com^
+||hatefulbane.com^
+||hatefulgirlfriend.com^
+||hatlesswhsle.com^
+||hats-47b.com^
+||hatsamevill.org^
+||hatteshtetel.top^
+||hatwasallo.com^
+||hatwasallokmv.info^
+||hatzhq.net^
+||hauboisphenols.com^
+||hauchiwu.com^
+||haughtydistinct.com^
+||haughtysafety.com^
+||haukrgukep.org^
+||hauledforewordsentimental.com^
+||hauledresurrectiongosh.com^
+||hauledskirmish.com^
+||haulme.info^
+||haulmyiodins.top^
+||haulstugging.com^
+||haunigre.net^
+||haunowho.net^
+||haunteddishwatermortal.com^
+||hauntingfannyblades.com^
+||hauntingwantingoblige.com^
+||hauphoak.xyz^
+||hauphuchaum.com^
+||haupsoag.xyz^
+||hausoumu.net^
+||haustoam.com^
+||hauteinakebia.top^
+||hautoust.com^
+||hauufhgezl.com^
+||havamedia.net^
+||haveflat.com^
+||havegrosho.com^
+||havenadverb.com^
+||havenalcoholantiquity.com^
+||havencharacteristic.com^
+||havenwrite.com^
+||havingsreward.com^
+||haviorshydnoid.com^
+||havoccasualtypersistent.com^
+||hawhuxee.com^
+||hawkyeye5ssnd.com^
+||hawsuffer.com^
+||haxbyq.com^
+||haxwkupllzkbuv.com^
+||haymowsrakily.com^
+||hayyad.com^
+||hazelbeseech.com^
+||hazelhannahfruit.com^
+||hazelhideous.com^
+||hazelnutshighs.com^
+||hazelocomotive.com^
+||hazicu.hothomefuck.com^
+||hazoopso.net^
+||hazymarvellous.com^
+||hb-247.com^
+||hb94dnbe.de^
+||hbcrnvtpyfegpws.com^
+||hbeipcdntijpb.com^
+||hbfqcy.com^
+||hbhood.com^
+||hbhtpuvjpqsmf.com^
+||hbkpcwdxite.com^
+||hbloveinfo.com^
+||hbmode.com^
+||hborq.com^
+||hbozuumx.com^
+||hbzikbe.com^
+||hcbjuiira.com^
+||hcdmhyq.com^
+||hcitgdljlrfw.com^
+||hcndrrodt.com^
+||hcnxeqjc.com^
+||hcpvkcznxj.com^
+||hcrwvno.com^
+||hcsiquau.com^
+||hcwmnryoyf.com^
+||hcxhstgwtc.com^
+||hczkldokoiycq.com^
+||hd100546c.com^
+||hdacode.com^
+||hdat.xyz^
+||hdbcdn.com^
+||hdbcoat.com^
+||hdbcode.com^
+||hdbcome.com^
+||hdbkell.com^
+||hdbkome.com^
+||hdbtop.com^
+||hdfoweey.com^
+||hdjfeed.top^
+||hdpreview.com^
+||hdvcode.com^
+||hdwibtrw.com^
+||hdwvhgnisi.com^
+||hdxpqgvqm.com^
+||he3mero6calli4s.com^
+||he7ll.com^
+||headachehedgeornament.com^
+||headclutterdialogue.com^
+||headerdisorientedcub.com^
+||headirtlseivi.org^
+||headlightgranulatedflee.com^
+||headlightinfinitelyhusband.com^
+||headline205.fun^
+||headline3452.fun^
+||headphonedecomposeexcess.com^
+||headphoneveryoverdose.com^
+||headquarterinsufficientmaniac.com^
+||headquarterscrackle.com^
+||headquartersexually.com^
+||headquartersimpartialsexist.com^
+||headsroutestocking.com^
+||headstonerinse.com^
+||headup.com^
+||headyblueberry.com^
+||healthfailed.com^
+||healthsmd.com^
+||healthy-inside.pro^
+||heapbonestee.com^
+||heardaccumulatebeans.com^
+||heardsoppy.com^
+||hearingdoughnut.com^
+||heartbrokenbarrellive.com^
+||heartedshapelessforbes.com^
+||hearthinfuriate.com^
+||hearthmint.com^
+||heartilyscales.com^
+||heartlessrigid.com^
+||heartperopus.top^
+||heartsawpeat.com^
+||hearty-inside.com^
+||heartynail.pro^
+||heartyten.com^
+||heaterpealarouse.com^
+||heatertried.com^
+||heathertravelledpast.com^
+||heatjav12.fun^
+||heatprecipitation.com^
+||heavenexceed.com^
+||heavenfull.com^
+||heavengenerate.com^
+||heavenly-landscape.com^
+||heavenproxy.com^
+||heavently7s1.com^
+||heavespectaclescoefficient.com^
+||heavinessnudgemystical.com^
+||heavyconsciousnesspanties.com^
+||heavyrnews.name^
+||heavyuniversecandy.com^
+||hebiichigo.com^
+||hectorfeminine.com^
+||hectorobedient.com^
+||hecxtunmw.com^
+||hedgehoghugsyou.com^
+||hedmisreputys.info^
+||hedwigsantos.com^
+||heebauch.com^
+||heedetiquettedope.com^
+||heedlessplanallusion.com^
+||heedmicroscope.com^
+||heejuchee.net^
+||heelsmerger.com^
+||heerosha.com^
+||heeteefu.com^
+||heethout.xyz^
+||heftygift.pro^
+||hegazedatthe.info^
+||hegeju.xyz^
+||hehighursoo.com^
+||hehnpryefuq.com^
+||heiledretrude.top^
+||heiressplane.com^
+||heiressscore.com^
+||heiresstolerance.com^
+||heirloomreasoning.com^
+||heistedmarybud.top^
+||heixidor.com^
+||hejqtbnmwze.com^
+||hejrspjwu.com^
+||hekowutus.com^
+||heldciviliandeface.com^
+||heleric.com^
+||helesandoral.com^
+||helic3oniusrcharithonia.com^
+||heliumwinebluff.com^
+||hellominimshanging.com^
+||helltraffic.com^
+||helmethopeinscription.com^
+||helmetregent.com^
+||helmfireworkssauce.com^
+||helmpa.xyz^
+||helmregardiso.com^
+||helpfulduty.pro^
+||helpfulrectifychiefly.com^
+||helpingnauseous.com^
+||helplessdanpavilion.com^
+||helseeftie.net^
+||hem41xm47.com^
+||hemaglnkrvdcgxe.com^
+||hembrandsteppe.com^
+||hemcpjyhwqu.com^
+||hemhiveoccasion.com^
+||hemineedunks.com^
+||hemisphereilliterate.com^
+||hemtatch.net^
+||hemworm.com^
+||hencefusionbuiltin.com^
+||hencemakesheavy.com^
+||hencesharply.com^
+||henfskbbk.xyz^
+||heniypgtlw.com^
+||henriettaproducesdecide.com^
+||hentaibiz.com^
+||hentaigold.net^
+||hentaionline.net^
+||henwaresibylic.com^
+||heoidln.com^
+||heparlorne.org^
+||hepsaign.com^
+||heptix.net^
+||heraldet.com^
+||heratheacle.com^
+||herbalbreedphase.com^
+||herbamplesolve.com^
+||herbwheelsobscure.com^
+||hercockremarke.info^
+||herdintwillelitt.com^
+||herdmenrations.com^
+||hereaftercostphilip.com^
+||hereaftertriadcreep.com^
+||herebybrotherinlawlibrarian.com^
+||hereditaryplead.com^
+||hereincigarettesdean.com^
+||heremployeesihi.info^
+||heresanothernicemess.com^
+||herhomeou.xyz^
+||heritageamyconstitutional.com^
+||herlittleboywhow.info^
+||herma-tor.com^
+||hermelebromin.top^
+||hermichermicbroadcastinglifting.com^
+||hermichermicfurnished.com^
+||heroblastgeoff.com^
+||herodiessujed.org^
+||heroinalerttactical.com^
+||heronspire.com^
+||herringgloomilytennis.com^
+||herringlife.com^
+||herslenderw.info^
+||herynore.com^
+||hesatinaco.com^
+||hesatinacorne.org^
+||hesoorda.com^
+||hespe-bmq.com^
+||hesterinoc.info^
+||hestutche.com^
+||hetadinh.com^
+||hetahien.com^
+||hetaint.com^
+||hetapugs.com^
+||hetapus.com^
+||hetartwg.com^
+||hetaruvg.com^
+||hetaruwg.com^
+||hethis.com^
+||hetnu.com^
+||hetsclaxqke.com^
+||hetsouds.net^
+||heucoucjrwno.com^
+||heusysianedu.com^
+||hevc.site^
+||hevdnzqu.com^
+||hewawkward.com^
+||hewdisobedienceliveliness.com^
+||heweop.com^
+||hewhimaulols.com^
+||hewiseryoun.com^
+||hewmjifrn4gway.com^
+||hewokhn.com^
+||hewomenentail.com^
+||hewonderfulst.info^
+||hexonesimphees.top^
+||hexovythi.pro^
+||hexylsteaware.shop^
+||heybarnacle.com^
+||heycompassion.com^
+||heycrktc.xyz^
+||hf5rbejvpwds.com^
+||hfeoveukrn.info^
+||hffxc.com^
+||hfggttxptxwdmb.com^
+||hfiwcuodr.com^
+||hfjoksuriyy.com^
+||hfjvuxuwasf.com^
+||hfnzhczqgdp.com^
+||hfpuhwqi.xyz^
+||hftohrepdtz.com^
+||hfufkifmeni.com^
+||hfugukhcea.com^
+||hfxgxzmik.com^
+||hg-bn.com^
+||hgbn.rocks^
+||hgcbvpjswabie.xyz^
+||hgdpllko.com^
+||hghit.com^
+||hgirsxsgetv.com^
+||hgjxjis.com^
+||hgub2polye.com^
+||hgubxzfpolbf.com^
+||hgx1.online^
+||hgx1.site^
+||hgx1.space^
+||hgzxmxwzgdbud.com^
+||hhbypdoecp.com^
+||hhcktiucw.xyz^
+||hhhcsywtuiif.com^
+||hhiswingsandm.info^
+||hhit.xyz^
+||hhjow.com^
+||hhklc.com^
+||hhkld.com^
+||hhmako.cloud^
+||hhrsecure.com^
+||hhtxjoa.com^
+||hhuohqramjit.com^
+||hhvbdeewfgpnb.xyz^
+||hhxfjgiyiheil.com^
+||hhyajwolmq.com^
+||hhzcuywygcrk.com^
+||hiadone.com^
+||hialstrfkctx.com^
+||hiasor.com^
+||hibids10.com^
+||hibssqnitlsgcm.com^
+||hichhereallyw.info^
+||hickclamour.com^
+||hickunwilling.com^
+||hicovjpufo.com^
+||hidcupcake.com^
+||hiddenbucks.com^
+||hiddenseet.com^
+||hidemembershipprofane.com^
+||hideousactivelyparked.com^
+||hidingenious.com^
+||hiedgored.top^
+||hierarchymicrophonerandom.com^
+||hierarchytotal.com^
+||hievel.com^
+||hifakritsimt.com^
+||hiflkhvgvwsff.com^
+||higgiens23c5l8asfrk.com^
+||highconvertingformats.com^
+||highcpmcreativeformat.com^
+||highcpmgate.com^
+||highcpmrevenuegate.com^
+||highcpmrevenuenetwork.com^
+||highercldfrev.com^
+||highercldfrevb.com^
+||higherlargerdate.com^
+||highestfollowing.com^
+||higheurest.com^
+||highjackclients.com^
+||highjournalistbargain.com^
+||highlevelbite.com^
+||highlypersevereenrapture.com^
+||highlyrecomemu.info^
+||highmaidfhr.com^
+||highnets.com^
+||highperformancecpm.com^
+||highperformancecpmgate.com^
+||highperformancecpmnetwork.com^
+||highperformancedformats.com^
+||highperformancedisplayformat.com^
+||highperformancegate.com^
+||highprofitnetwork.com^
+||highratecpm.com^
+||highrevenuecpm.com^
+||highrevenuecpmnetrok.com^
+||highrevenuecpmnetwork.com^
+||highrevenuegate.com^
+||highrevenuenetwork.com^
+||hightech24h.com^
+||highwaycpmrevenue.com^
+||highwaysenufo.guru^
+||hiidevelelastic.com^
+||hijpdcvwb.com^
+||hikestale.com^
+||hikrfneh.xyz^
+||hikvar.ru^
+||hilariouscongestionpackage.com^
+||hilarioustasting.com^
+||hilarlymcken.info^
+||hilarlymckensec.info^
+||hildrenasth.info^
+||hildrenastheyc.info^
+||hilerant.site^
+||hillbackserve.com^
+||hillhousehomes.co^
+||hillsarab.com^
+||hillsidejustificationstitch.com^
+||hilltopads.com^
+||hilltopads.net^
+||hilltopgo.com^
+||hilove.life^
+||hilsaims.net^
+||himediads.com^
+||himediadx.com^
+||himekingrow.com^
+||himgta.com^
+||himhedrankslo.xyz^
+||himosteg.xyz^
+||himrebelliontemperature.com^
+||himselfthoughtless.com^
+||himselves.com^
+||himunpracticalwh.info^
+||hinaprecent.info^
+||hinavvogha.com^
+||hindervoting.com^
+||hindsightchampagne.com^
+||hingamgladt.org^
+||hingfruitiesma.info^
+||hinkhimunpractical.com^
+||hinoidlingas.com^
+||hinowlfuhrz.com^
+||hintgroin.com^
+||hip-97166b.com^
+||hipals.com^
+||hipersushiads.com^
+||hipintimacy.com^
+||hiprofitnetworks.com^
+||hipunaux.com^
+||hipvaeciaqqtrhy.xyz^
+||hiredeitysibilant.com^
+||hirelinghistorian.com^
+||hiringairport.com^
+||hirtplbsryjyfb.com^
+||hirurdou.net^
+||hisismoyche.com^
+||hispherefair.com^
+||hissedapostle.com^
+||hissedassessmentmistake.com^
+||hissoverout.com^
+||hissshortsadvisedly.com^
+||hisstrappedperpetual.com^
+||histhkwcyzxzu.com^
+||histi.co^
+||historicalcarawayammonia.com^
+||historicalcargo.com^
+||historicalcompetentconquered.com^
+||historicalsenseasterisk.com^
+||historicgraduallyrow.com^
+||historyactorabsolutely.com^
+||histssenaah.top^
+||hisurnhuh.com^
+||hitbip.com^
+||hitchbuildingeccentric.com^
+||hitchimmerse.com^
+||hitchrational.com^
+||hitcpm.com^
+||hithercollow.top^
+||hithertodeform.com^
+||hitlnk.com^
+||hiug862dj0.com^
+||hixapalg.com^
+||hixwiarnrfo.com^
+||hiyaxgkemtiad.com^
+||hizanpwhexw.com^
+||hizlireklam.com^
+||hj6y7jrhnysuchtjhw.info^
+||hjalma.com^
+||hjcjymkto.com^
+||hjeilbpxjtyl.com^
+||hjfonyiuo.com^
+||hjgapllydic.com^
+||hjhbyywgzxxqzu.com^
+||hjhwjphsryi.com^
+||hjiwoazeigefn.com^
+||hjklq.com^
+||hjmjmywncskyt.com^
+||hjmnfdab.com^
+||hjprhubzqgw.com^
+||hjrvsw.info^
+||hjuswoulvp.xyz^
+||hjvvk.com^
+||hjxajf.com^
+||hjyovlwtevwdjy.com^
+||hkapicwuhvc.com^
+||hkeibmpspxn.com^
+||hkfgsxpnaga.xyz^
+||hkifcxblsu.com^
+||hkilops.com^
+||hkiztcykfb.com^
+||hkjmjxttwaxmui.com^
+||hkowhqtenjfud.com^
+||hkqtjqbfb.com^
+||hksmstpzsnlj.com^
+||hksnu.com^
+||hkuuopuhl.xyz^
+||hkuypnhpafbuyy.com^
+||hlbelbblmc.com^
+||hlcvjaqjckgrwb.com^
+||hlerseomcb.com^
+||hleuindnjcixxep.com^
+||hlftbsgj.com^
+||hligh.com^
+||hljmdaz.com^
+||hlmiq.com^
+||hloxhxodk.xyz^
+||hlprqavqtlkin.com^
+||hlrgdbtkyl.com^
+||hlrvfycqtlfjd.com^
+||hlserve.com^
+||hlumjujtkmgzmf.com^
+||hlusfkredm.com^
+||hlyrecomemum.info^
+||hmafhczsos.com^
+||hmcjrijsmvk.com^
+||hmerapfifpf.com^
+||hmrxsxvl.com^
+||hmsykhbqvesopt.xyz^
+||hmutggsidcnhj.com^
+||hmxg5mhyx.com^
+||hmyuokltxplqwfa.com^
+||hn1l.site^
+||hnejuupgblwc.com^
+||hnfljokqhc.com^
+||hnjkcnntdg.com^
+||hnkyxyknp.com^
+||hnrgmc.com^
+||hntkeiupbnoaeha.xyz^
+||hnudnorbpdcd.com^
+||hnxhksg.com^
+||hnyermelin.shop^
+||hnzfm9mjw.com^
+||hoa44trk.com^
+||hoabinoo.net^
+||hoacauch.net^
+||hoanaijo.com^
+||hoanoola.net^
+||hoardglitterjeanne.com^
+||hoardjan.com^
+||hoardpastimegolf.com^
+||hoatebilaterdea.info^
+||hoaxcookingdemocratic.com^
+||hoaxresearchingathletics.com^
+||hoaxviableadherence.com^
+||hobbleobey.com^
+||hockeycomposure.com^
+||hockeyhavoc.com^
+||hockeysacredbond.com^
+||hockicmaidso.com^
+||hoctor-pharity.xyz^
+||hocusedcassan.top^
+||hocylpbff.com^
+||hoggersundue.com^
+||hoggetforfend.com^
+||hoglinsu.com^
+||hogmc.net^
+||hognaivee.com^
+||hognutturpis.top^
+||hogqmd.com^
+||hogtiescrawley.com^
+||hohamsie.net^
+||hoickedfoamer.top^
+||hoickpinyons.com^
+||hoidenzaniest.top^
+||hoiiodacdsmro.com^
+||hoisquit.buzz^
+||hokarsoud.com^
+||holahupa.com^
+||holdenthusiastichalt.com^
+||holdhostel.space^
+||holdingholly.space^
+||holdingwager.com^
+||holdsbracketsherry.com^
+||holdsoutset.com^
+||holenhw.com^
+||holgateperfect.com^
+||holidaycoconutconsciousness.com^
+||holistnunatak.com^
+||hollowcharacter.com^
+||holmicnebbish.com^
+||holspostcardhat.com^
+||holyskier.com^
+||homagertereus.click^
+||homecomingrespectedpastime.com^
+||homepig4.xyz^
+||homesickclinkdemanded.com^
+||homespotaudience.com^
+||homestairnine.com^
+||homesyowl.com^
+||homeycommemorate.com^
+||homicidalseparationmesh.com^
+||homicidelumpforensic.com^
+||homicidewoodenbladder.com^
+||homierceston.top^
+||homjjfdwex.com^
+||hommmaq.com^
+||homncjrgbref.com^
+||homosexualfordtriggers.com^
+||homraigigeria.top^
+||hondoutdraw.top^
+||honestlyapparentlycoil.com^
+||honestlydeploy.com^
+||honestlyfosterchild.com^
+||honestlystalk.com^
+||honestlyvicinityscene.com^
+||honestpeaceable.com^
+||honeycombabstinence.com^
+||honeycombastrayabound.com^
+||honeycombprefecture.com^
+||honeymoondisappointed.com^
+||honeymoonregular.com^
+||honeyreadinesscentral.com^
+||honitonchyazic.com^
+||honksbiform.com^
+||honorablehalt.com^
+||honorbustlepersist.com^
+||honourcunninglowest.com^
+||honourprecisionsuited.com^
+||honoursdashed.com^
+||honoursimmoderate.com^
+||honwjjrzo.com^
+||hoo1luha.com^
+||hoodentangle.com^
+||hoodoesvector.top^
+||hoodoosdonsky.com^
+||hoodypledget.top^
+||hoofexcessively.com^
+||hoofsduke.com^
+||hooglidi.net^
+||hoojique.xyz^
+||hookawep.net^
+||hookpurgery.top^
+||hookupfowlspredestination.com^
+||hooliganmedia.com^
+||hooligs.app^
+||hoomigri.com^
+||hoonaptecun.com^
+||hoood.info^
+||hoopbeingsmigraine.com^
+||hoopersnonpoet.com^
+||hoophaub.com^
+||hoophejod.com^
+||hoopmananticus.top^
+||hooptaik.net^
+||hooterwas.com^
+||hootravinedeface.com^
+||hoovendamsite.top^
+||hoowuliz.com^
+||hopbeduhzbm.com^
+||hopdream.com^
+||hopedpluckcuisine.com^
+||hopefulbiologicaloverreact.com^
+||hopefullyapricot.com^
+||hopefullyfloss.com^
+||hopefulstretchpertinent.com^
+||hopelessrolling.com^
+||hopesislands.com^
+||hopesteapot.com^
+||hopghpfa.com^
+||hophcomeysw.com^
+||hopilos.com^
+||hopperimprobableclotted.com^
+||hoppermagazineprecursor.com^
+||hoppershortercultivate.com^
+||hoppersill.com^
+||hopsigna.com^
+||hoptopboy.com^
+||hoqqrdynd.com^
+||horaceprestige.com^
+||horgoals.com^
+||horizontallyclenchretro.com^
+||horizontallycourtyard.com^
+||horizontallywept.com^
+||hormosdebris.com^
+||hornsobserveinquiries.com^
+||hornspageantsincere.com^
+||horny.su^
+||horribledecorated.com^
+||horriblysparkling.com^
+||horridbinding.com^
+||horrifieddespair.com^
+||horrifyclausum.com^
+||horse-bidforreal.org^
+||horsebackbeatingangular.com^
+||horsebackcastle.com^
+||hortestoz.com^
+||hortitedigress.com^
+||hoseitfromtheot.com^
+||hosenewspapersdepths.com^
+||hosierygossans.com^
+||hosieryplum.com^
+||hosierypressed.com^
+||hospitabletradition.pro^
+||hospitalityjunctioninset.com^
+||hospitalsky.online^
+||hostabondoc.com^
+||hostave.net^
+||hostave4.net^
+||hostingcloud.racing^
+||hosupshunk.com^
+||hot4k.org^
+||hotbqzlchps.com^
+||hotdeskbabes.pro^
+||hotegotisticalturbulent.com^
+||hotgvibe.com^
+||hothoodimur.xyz^
+||hothta.com^
+||hotiapjla.com^
+||hotkabachok.com^
+||hotlinedisappointed.com^
+||hotlinemultiply.com^
+||hotnews1.me^
+||hotstretchdove.com^
+||hottercensorbeaker.com^
+||hotterenvisage.com^
+||hottielunn.com^
+||hotwildadult.com^
+||hotwords.com^
+||houboajaithu.net^
+||houdodoo.net^
+||houfopsichoa.com^
+||houhoumooh.net^
+||houjoque.com^
+||houlaijy.com^
+||houndcost.com^
+||hounddramatic.com^
+||houndtriumphalsorry.com^
+||hourglasssealedstraightforward.com^
+||hoursencirclepeel.com^
+||hourstreeadjoining.com^
+||housejomadkc.com^
+||housekeepergamesmeeting.com^
+||housemaiddevolution.com^
+||housemalt.com^
+||housewifecheeky.com^
+||housewifereceiving.com^
+||houthaub.xyz^
+||houwheesi.com^
+||hoverclassicalroused.com^
+||hoverr.co^
+||hoverr.media^
+||hovpxxqpyy.com^
+||how-t0-wtch.com^
+||howberthchirp.com^
+||howboxmab.site^
+||howdoyou.org^
+||howeloisedignify.com^
+||howeverdipping.com^
+||howhow.cl^
+||howkpleural.top^
+||howlerorlando.top^
+||howlexhaust.com^
+||howls.cloud^
+||howoverlapsuspicious.com^
+||howploymope.com^
+||howtubray.com^
+||hozoaxan.com^
+||hp1mufjhk.com^
+||hpaakmsumarzy.com^
+||hpbmyojwqpewaw.com^
+||hpcfdhvwjwlt.com^
+||hpeaxbmuh.com^
+||hpepeepce.com^
+||hpilhooxcjh.com^
+||hpk42r7a.de^
+||hpmarzhnny.com^
+||hpmlrpbrwezloi.com^
+||hpmstr.com^
+||hppvkbfcuq.com^
+||hpqalsqjr.com^
+||hprmbmtegydcwc.com^
+||hpsvgbrlqa.com^
+||hpyjmp.com^
+||hpyrdr.com^
+||hq3x.com^
+||hqduejsycx.com^
+||hqhwiwcahavywie.com^
+||hqpass.com^
+||hqpgfxt.com^
+||hqqqqwcdxvjbd.com^
+||hqscene.com^
+||hqsexpro.com^
+||hqsimfxiwyb.com^
+||hqtwyhampwu.xyz^
+||hqwa.xyz^
+||hqxghzyfvxrdpt.com^
+||hrahdmon.com^
+||hrczhdv.com^
+||hrenbjkdas.com^
+||hrfdulynyo.xyz^
+||hrgpdiuf.com^
+||hrhufhhay.com^
+||hribmjvvmuk.com^
+||hrkplkgjs.com^
+||hrogrpee.de^
+||hrrlyfdnxlzxe.com^
+||hrscompetepickles.com^
+||hrtennaarn.com^
+||hrtvluy.com^
+||hrtyc.com^
+||hrtye.com^
+||hruwegwayoki.com^
+||hrxjqyxvdqidpv.com^
+||hsateamplayeranydw.info^
+||hsdaknd.com^
+||hsfewosve.xyz^
+||hskywgpickh.com^
+||hsmrabnj.com^
+||hsrvv.com^
+||hsrvz.com^
+||hstbbmtyptovqmw.com^
+||hstpnetwork.com^
+||hsyaoyutmz.com^
+||htalizer.com^
+||htdvt.com^
+||htfgmojisulelt.com^
+||htfpcf.xyz^
+||hthinleavesofefi.info^
+||htihvgpmna.xyz^
+||htintpa.tech^
+||htjuxdkjppm.com^
+||htkcm.com^
+||htl.bid^
+||htlbid.com^
+||htlcywxrft.com^
+||htliaproject.com^
+||htmonster.com^
+||htnvpcs.xyz^
+||htoptracker11072023.com^
+||htoycpsxljkqrp.com^
+||htpirf.xyz^
+||htsysxlupdqe.com^
+||httpsecurity.org^
+||htucmyqwij.com^
+||htudbybel.com^
+||htufhvsglyoy.com^
+||hturnshal.com^
+||htwueeruimy.com^
+||htyrmacanbty.com^
+||htysiboswaj.com^
+||huafcpvegmm.xyz^
+||huanez.xyz^
+||huapydce.xyz^
+||hubbabu2bb8anys09.com^
+||hubhc.com^
+||hubhubhub.name^
+||hublosk.com^
+||hubrisone.com^
+||hubristambacs.com^
+||hubturn.info^
+||huceeckeeje.com^
+||hucejo.uno^
+||hudrftcspuf.com^
+||hueadsxml.com^
+||huehinge.com^
+||hufaztjist.com^
+||hugelyimmovable.com^
+||hugenicholas.com^
+||hugfromoctopus.com^
+||huggerslycaena.com^
+||hugodeservedautopsy.com^
+||hugoinexperiencedsat.com^
+||hugregregy.pro^
+||hugysoral.digital^
+||huhaxvawgwa.com^
+||huhcoldish.com^
+||huigt6y.xyz^
+||hukogpanbs.com^
+||hulabipptemux.com^
+||hulledaries.top^
+||hulocvvma.com^
+||humaffableconsulate.com^
+||humandiminutionengaged.com^
+||humanjeep.com^
+||humiliatedvolumepore.com^
+||humiliatemoot.com^
+||hummingexam.com^
+||humoralpurline.com^
+||humordecomposebreathtaking.com^
+||humpdecompose.com^
+||humplollipopsalts.com^
+||humsoolt.net^
+||hunbtupbbanyg.com^
+||hunchbackrussiancalculated.com^
+||hunchmotherhooddefine.com^
+||hunchnorthstarts.com^
+||hunchsewingproxy.com^
+||hundredpercentmargin.com^
+||hundredscultureenjoyed.com^
+||hundredshands.com^
+||hundredthmeal.com^
+||hungersavingwiring.com^
+||hungrylongingtile.com^
+||hungryrise.com^
+||hunkbother.com^
+||hunter-hub.com^
+||hunterlead.com^
+||huntershoemaker.com^
+||huntingtroll.com^
+||hunyakupgive.com^
+||hupiru.uno^
+||huppahshoras.com^
+||huqbeiy.com^
+||hurdlesmuchel.com^
+||hurgusou.com^
+||hurkarubypaths.com^
+||hurlaxiscame.com^
+||hurlcranky.com^
+||hurlmedia.design^
+||huronews.com^
+||hurriedboob.com^
+||hurriednun.com^
+||hurriedpiano.com^
+||hurtfulden.com^
+||husbandnights.com^
+||husbihasqf.com^
+||husfly.com^
+||hushpub.com^
+||husky-tomorrow.pro^
+||huskycontribution.com^
+||huskydesigner.pro^
+||huskypartydance.com^
+||huszawnuqad.com^
+||hutajkerfvbman.com^
+||hutlockshelter.com^
+||hutoumseet.com^
+||hutremindbond.com^
+||huvohjvpaog.com^
+||huwkiycoup.com^
+||huwuftie.com^
+||huylki.com^
+||hvcrfatojmh.com^
+||hvdmwhnawvhbejv.com^
+||hvikgqco.com^
+||hvkwmvpxvjo.xyz
+||hvmmtuxtgaw.com^
+||hvmsmoiejaqb.com^
+||hvooyieoei.com^
+||hvpguevleand.com^
+||hwaagkmiitos.com^
+||hwbekhxxihvdoue.com^
+||hwderdk.com^
+||hwfmynim.com^
+||hwgxmvhphcbqcis.com^
+||hwicliktt.com^
+||hwksgsofsgau.com^
+||hwmlmcbwpbkwas.com^
+||hwmtmlsognbx.com^
+||hwof.info^
+||hwosl.cloud^
+||hwpnocpctu.com^
+||hwpyfcxahv.com^
+||hwqybdkniptwm.com^
+||hwrcxpfzmfxg.com^
+||hwvvvuwpvu.com^
+||hwydapkmi.com^
+||hwydfevh.com^
+||hxaubnrfgxke.xyz^
+||hxbtqwquroke.com^
+||hxcovhhin.com^
+||hxficbb.com^
+||hxgylpazn.com^
+||hxknfrtfj.xyz^
+||hxlkytqpinnqeo.com^
+||hxoewq.com^
+||hxpyrgqycgreyy.xyz^
+||hxriwsua.com^
+||hxuavbsmzyf.com^
+||hyaenajitneys.top^
+||hyalinsbenami.top^
+||hyblub.top^
+||hycantyoubelik.com^
+||hydragrouge.com^
+||hydraulzonure.com^
+||hydrogendeadflatten.com^
+||hydrogenpicklenope.com^
+||hyelgehg.xyz^
+||hyepilfiym.com^
+||hyfvlxm.com^
+||hygeistagua.com^
+||hyistkechaukrguke.com^
+||hymenicpirn.com^
+||hymenvapour.com^
+||hynteroforion.com^
+||hyofteraq.com^
+||hyoicxstpfvgwz.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^
+||hypnotizedespiterelinquish.com^
+||hypnotizetransfervideotape.com^
+||hypochloridtilz.click^
+||hypocrisypreliminary.com^
+||hypocrisysmallestbelieving.com^
+||hypothesisoarsoutskirts.com^
+||hypots.com^
+||hyrcycmtckbcpyf.xyz^
+||hyrewusha.pro^
+||hysonsregrown.top^
+||hysteriaculinaryexpect.com^
+||hysteriaethicalsewer.com^
+||hystericalarraignment.com^
+||hystericalpotprecede.com^
+||hytxg2.com^
+||hz9x6ka2t5gka7wa6c0wp0shmkaw7xj5x8vaydg0aqp6gjat5x.com^
+||hzcdwgcch.com^
+||hzdfziaydqawar.com^
+||hzoywchsp.com^
+||hzr0dm28m17c.com^
+||i010b048d3e4a1e4b70aba72b169e70c90971f9.xyz^
+||i4nstr1gm.com^
+||i4rsrcj6.top^
+||i65wsmrj5.com^
+||i7ece0xrg4nx.com^
+||i8xkjci7nd.com^
+||i99i.org^
+||ia4d7tn68.com^
+||iaihdexme.com^
+||iajmewpagfvhg.com^
+||iamsfyar.com^
+||iangakwvtjrpbew.xyz^
+||ianik.xyz^
+||ianjgmpat.com^
+||ianjumb.com^
+||iarreowsca.com^
+||iarrowtoldilim.info^
+||iasbetaffiliates.com^
+||iasrv.com^
+||iaufffdnocodbr.com^
+||iaztfippkbwyg.com^
+||ibatom.com^
+||ibeelten.net^
+||iberitepremate.top^
+||ibetadvdqrn.com^
+||ibidemkorari.com^
+||ibikini.cyou^
+||ibjdmthqkz.com^
+||ibniyqbkk.com^
+||ibonmfvcwb.xyz^
+||iboobeelt.net^
+||ibortvgbkvpmes.com^
+||ibptutlgoloqy.com^
+||ibpxnkwstvqcon.com^
+||ibqjduiipukerj.com^
+||ibrapush.com^
+||ibryte.com^
+||ibugreeza.com^
+||ibutheptesitrew.com^
+||ibuvwwquvrd.com^
+||ibxckpvttgkat.com^
+||icalnormaticalacyc.info^
+||icdirect.com^
+||icebergreptilefury.com^
+||icelessbogles.com^
+||icfjair.com^
+||ichairaivi.com^
+||ichhereallyw.info^
+||ichimaip.net^
+||iciftiwe.com^
+||icilyassertiveindoors.com^
+||icilytired.com^
+||iciynrkldrhmk.com^
+||ickersanthine.com^
+||ickyrustle.com^
+||iclickcdn.com^
+||icllmnimmmvrc.com^
+||iclnxqe.com^
+||icmssjinq.com^
+||iconcardinal.com^
+||icotypeoxcheek.top^
+||icrxbetigcdjz.com^
+||icubeswire.co^
+||icxcrnciutiltaf.com^
+||icy-location.com^
+||icycreatmentr.info^
+||icyreprimandlined.com^
+||id5-sync.com^
+||idantglyoxim.top^
+||iddeyrdpgq.com^
+||iddpop.com^
+||ideahealkeeper.com^
+||idealintruder.com^
+||idealmedia.io^
+||ideapassage.com^
+||identifierslionessproof.com^
+||identifierssadlypreferred.com^
+||identityrudimentarymessenger.com^
+||idescargarapk.com^
+||idiafix.com^
+||idiothungryensue.com^
+||idioticskinner.com^
+||idioticstoop.com^
+||idiotproprietary.com^
+||idjcymxwbjqxum.com^
+||idkmgzkdhanmz.com^
+||idlccpuom.com^
+||idlefulrecoded.com^
+||idlyscrike.top^
+||idohethisisathllea.com^
+||idolsstars.com^
+||idownloadgalore.com^
+||idrisidfaailk.com^
+||idrsklar.com^
+||idswinpole.casa^
+||idthecharityc.info^
+||idtzczpjqc.com^
+||idvumepebhj.com^
+||idwystdnvb.com^
+||idydlesswale.info^
+||idyllteapots.com^
+||ie3wisa4.com^
+||ie8eamus.com^
+||iebsmqevw.com^
+||ieicbkjmmqkcmgq.com^
+||ieiukkwfqhwuvwy.com^
+||iekrtaas.com^
+||ieldrjjkxwo.com^
+||ielmzzm.com^
+||ieo8qjp3x9jn.pro^
+||iessjhfdsyn.com^
+||ietyofedinj89yewtburgh.com^
+||ievjrgjid.com^
+||ievjylvqfjry.com^
+||ievwagscwgpjm.com^
+||iezptsoc.com^
+||iezxmddndn.com^
+||if20jadf8aj9bu.shop^
+||ifcpmukburktd.com^
+||ifdbdp.com^
+||ifdividemeasuring.com^
+||ifdmuggdky.com^
+||ifdnzact.com^
+||ifefashionismscold.com^
+||ifigent.com^
+||ifjbtjf.com^
+||ifknittedhurtful.com^
+||iflgybyab.com^
+||ifllwfs.com^
+||ifmjzbdyk.com^
+||ifodyafshael.com^
+||ifpartyingpile.com^
+||ifplumhggkz.com^
+||ifqirmnkrlv.com^
+||ifrjnpv.com^
+||ifsjqcqja.xyz^
+||ifsnickshriek.click^
+||ifsnickshriek.com^
+||ifulasaweatherc.info^
+||ifvxoluyhof.com^
+||ifzpvnrjp.com^
+||ig0nr8hhhb.com^
+||igainareputaon.info^
+||igaming-warp-service.io^
+||ightdecipientconc.info^
+||ightsapph.info^
+||iginnis.site^
+||igjptqlywyvfveq.com^
+||iglegoarous.net^
+||igloohq.com^
+||iglooprin.com^
+||ignals.com^
+||ignamentswit.com^
+||ignobleordinalembargo.com^
+||ignorantmethod.pro^
+||ignorerationalize.com^
+||ignoresphlorol.com^
+||ignoringinconvenience.com^
+||igoamtaimp.com^
+||igoognou.xyz^
+||igppkehwycrr.com^
+||iguran.com^
+||igvhfmubsaqty.xyz^
+||igxmoaulj.com^
+||ihappymuttered.info^
+||ihauvogh.com^
+||ihavelearnat.xyz^
+||ihavenewdomain.xyz^
+||ihdcnwbcmw.com^
+||ihehgqawkybbqi.com^
+||iheuuivitgj.com^
+||ihgmsdypohtg.com^
+||ihhqwaurke.com^
+||ihknbyeaclaxikb.com^
+||ihnhnpz.com^
+||ihoolrun.net^
+||ihqnckvpfx.com^
+||ihtckcitkr.com^
+||ihttscqovzzb.com^
+||ihuumdkdjskud.com^
+||ihzuephjxb.com^
+||ii9g0qj9.de^
+||iibhytvj.com^
+||iicheewi.com^
+||iidohheneuda.com^
+||iifvcfwiqi.com^
+||iigmlx.com^
+||iinzwyd.com^
+||iisabujdtg.com^
+||iistillstayherea.com^
+||iittjwvctt.com^
+||iiwm70qvjmee.com^
+||iiydmrr.com^
+||ijaurdus.xyz^
+||ijbgqlf.com^
+||ijebtcgu.com^
+||ijeetsie.com^
+||ijhpdtiij.com^
+||ijhweandthepe.info^
+||ijhxe.com^
+||ijikhxaelqmbg.com^
+||ijjorsrnydjcwx.com^
+||ijmrburud.com^
+||ijobloemotherofh.com^
+||ijpbpkaq.com^
+||ijrmafzydeieuo.com^
+||ijukwkxpek.xyz^
+||ijulpfhnufwpci.com^
+||ijynarif.xyz^
+||ikahnruntx.com^
+||ikcaru.com^
+||ikcieontapp.com^
+||ikengoti.com^
+||ikevinwfc.com^
+||ikjzwgcg.com^
+||ikonatozee.top^
+||ikouthaupi.com^
+||ikrvvsliwar.com^
+||ikunselt.com^
+||ikwiwnnofgpzq.com^
+||ikwzrix.com^
+||ikxxgkpymja.com^
+||ilajaing.com^
+||ilaterdeallyig.info^
+||ilaterdeallyighab.info^
+||ilbuqwjwzw.com^
+||ilcdamnqtpem.com^
+||ildbikwahwvuj.com^
+||ildilmayq.com^
+||ileeckut.com^
+||ileesidesu.hair^
+||iletterismyper.info^
+||ilgtauox.com^
+||ilhaqqkt.com^
+||iliahiaracana.top^
+||iliketomakingpics.com^
+||ilkindweandthe.info^
+||illallwoe.com^
+||illegaleaglewhistling.com^
+||illegallyshoulder.com^
+||illegalprotected.com^
+||illicitdandily.cam^
+||illishrastus.com^
+||illiticguiding.com^
+||illnessentirely.com^
+||illocalvetoes.com^
+||illuminatedusing.com^
+||illuminateinconveniencenutrient.com^
+||illuminatelocks.com^
+||illuminateslydeliberate.com^
+||illuminous.xyz^
+||illusiondramaexploration.com^
+||illusiveremarkstreat.com^
+||illustrateartery.com^
+||illustrious-challenge.pro^
+||ilmtudcgmqxa.com^
+||ilo134ulih.com^
+||iloacmoam.com^
+||iloptrex.com^
+||ilovemakingpics.com^
+||iloxvxenlwsv.com^
+||iluabuiukgpjb.com^
+||ilubn48t.xyz^
+||iluemvh.com^
+||ilumtoux.net^
+||ilvnkzt.com^
+||ilvpbrvrpzrys.com^
+||ilxhsgd.com^
+||ilyf4amifh.com^
+||ilygtgexvlvmqao.com^
+||imageadvantage.net^
+||imagerystirrer.com^
+||imagiflex.com^
+||imaginableblushsensor.com^
+||imaginableexecutedmedal.com^
+||imaginary-role.com^
+||imaginaryawarehygienic.com^
+||imaginaryspooky.com^
+||imaginestandingharvest.com^
+||imagoluchuan.com^
+||imamictra.com^
+||imasdk.googleapis.com^
+||imathematica.org^
+||imatrk.net^
+||imbeselbeno.com^
+||imblic.com^
+||imbrownfull.click^
+||imcdn.pro^
+||imcod.net^
+||imemediates.org^
+||imemediatesuper.info^
+||imerinabitypic.top^
+||imgfeedget.com^
+||imghst-de.com^
+||imgint1.com^
+||imglnkd.com^
+||imglnke.com^
+||imgot.info^
+||imgot.site^
+||imgqmng.com^
+||imgsdn.com^
+||imgsniper.com^
+||imgwebfeed.com^
+||imiclk.com^
+||imidicsecular.com^
+||iminsoux.com^
+||imistaxf.com^
+||imitationname.com^
+||imith.com^
+||imitrck.net^
+||imitrk.com^
+||imkmurrvm.com^
+||immaculategirdlewade.com^
+||immaculatestolen.com^
+||immediatebedroom.pro^
+||immediateknowledge.com^
+||immenseatrociousrested.com^
+||immenselytoken.com^
+||immenseoriententerprise.com^
+||immersedtoddle.com^
+||immerseweariness.com^
+||immigrantbriefingcalligraphy.com^
+||immigrantpavement.com^
+||immigraterend.com^
+||immigrationcrayon.com^
+||immigrationspiralprosecution.com^
+||imminentadulthoodpresumptuous.com^
+||immoderatefranzyuri.com^
+||immoderateyielding.com^
+||immortalhostess.com^
+||immortalityfaintedobjections.com^
+||immortalityinformedmay.com^
+||immoxdzdke.com^
+||immuneincompetentcontemporary.com^
+||imoughtcallmeoc.com^
+||imp2aff.com^
+||impact-betegy.com^
+||impactcutleryrecollect.com^
+||impactdisagreementcliffs.com^
+||impactify.media^
+||impactradius-go.com^
+||impactradius.com^
+||impactserving.com^
+||impactslam.com^
+||impartial-steal.pro^
+||impartialnettle.com^
+||impartialpath.com^
+||impassabletitanicjunction.com^
+||impatientbowpersecution.com^
+||impatientliftdiploma.com^
+||impatientlyastonishing.com^
+||impavidcircean.com^
+||impavidmarsian.com^
+||impeccablewriter.com^
+||impendingaggregated.com^
+||impendingboisterousastray.com^
+||impenetrableauthorslimbs.com^
+||imperativecapitaltraitor.com^
+||imperativetheirs.com^
+||imperialbattervideo.com^
+||imperialtense.com^
+||imperiicoloppe.top^
+||imperturbableappearance.pro^
+||imperturbableawesome.com^
+||imperysavers.click^
+||impetremondial.com^
+||impishelizabethjumper.com^
+||implix.com^
+||implycollected.com^
+||impolitefreakish.com^
+||impore.com^
+||importanceborder.com^
+||importanceexhibitedamiable.com^
+||importantcheapen.com^
+||importantlyshow.com^
+||imposecalm.com^
+||imposi.com^
+||impossibilityaboriginalblessed.com^
+||impossibilityfighter.com^
+||impossibilityutilities.com^
+||impossiblemountain.pro^
+||imposterlost.com^
+||impostersierraglands.com^
+||impostorconfused.com^
+||impostorhazy.com^
+||impostorjoketeaching.com^
+||impostororchestraherbal.com^
+||impregnablehunt.com^
+||impregpresaw.top^
+||impresseastsolo.com^
+||impressionable-challenge.pro^
+||impressioncheerfullyswig.com^
+||impressivecontinuous.com^
+||impressiveporchcooler.com^
+||impressivewhoop.com^
+||imprintmake.com^
+||improperadvantages.com^
+||impropertoothrochester.com^
+||improvebeams.com^
+||improvebin.com^
+||improvebin.xyz^
+||improvedcolumnist.com^
+||improvementscakepunctual.com^
+||improvementscaptivatevenus.com^
+||improviseprofane.com^
+||impulsefelicity.com^
+||impulselikeness.com^
+||impulsiveenabled.com^
+||impureattirebaking.com^
+||imrmmbnlc.com^
+||imstks.com^
+||imvjcds.com^
+||imyanmarads.com^
+||in-appadvertising.com^
+||in-page-push.com^
+||in-page-push.net^
+||inabilitytraditional.com^
+||inabsolor.com^
+||inaccessiblefebruaryimmunity.com^
+||inaccuratetreasure.com^
+||inadmissibleinsensitive.com^
+||inadmissiblesomehow.com^
+||inadnetwork.xyz^
+||inaltariaon.com^
+||inamiaaglow.life^
+||inaneamenvote.com^
+||inanitystorken.com^
+||inappropriate2.fun^
+||inareputaonforha.com^
+||inasmedia.com^
+||inattentivereferredextend.com^
+||inauknceiwouldlikuk.info^
+||inbbredraxing.com^
+||inboldoreer.com^
+||inbornbird.pro^
+||inbornsodcharms.com^
+||inbowedkittled.top^
+||inbowedtroak.top^
+||inbrowserplay.com^
+||inbudewr.com^
+||inbvuhwfky.com^
+||incapableenormously.com^
+||incarnategrannystem.com^
+||incarnatepicturesque.com^
+||incentivefray.com^
+||incessanteffectmyth.com^
+||incessantfinishdedicated.com^
+||incessantvocabularydreary.com^
+||inchexplicitwindfall.com^
+||inchrepay.com^
+||incidentbunchludicrous.com^
+||incidentenglandtattoo.com^
+||inclineexchange.com^
+||inclineflaming.com^
+||inclk.com^
+||incloak.com^
+||incloseoverprotective.com^
+||includemodal.com^
+||includeoutgoingangry.com^
+||incomebreatherpartner.com^
+||incomejumpycurtains.com^
+||incompatible-singer.pro^
+||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^
+||increasingdeceased.com^
+||increasinglycockroachpolicy.com^
+||incremydeal.sbs^
+||indebtedatrocious.com^
+||indefinitelytonsil.com^
+||indefinitelyunlikelyplease.com^
+||indeliblehang.pro^
+||indeliblestill.com^
+||indelicatecanvas.com^
+||indelicatepokedoes.com^
+||indelphoxom.com^
+||independencelunchtime.com^
+||indexeslaughter.com^
+||indexww.com^
+||indiansgenerosity.com^
+||indicatemellowlotion.com^
+||indicesvestigetruck.com^
+||indictmentlucidityof.com^
+||indictmentparliament.com^
+||indiesalong.com^
+||indifferencemissile.com^
+||indigenouswhoinformed.com^
+||indigestioninadmissible.com^
+||indigestionmarried.com^
+||indignationmapprohibited.com^
+||indignationstripesseal.com^
+||indirectlinkoxbow.com^
+||indiscreetjobroutine.com^
+||indiscreetless.com^
+||indispensablerespectable.com^
+||indisputablegailyatrocity.com^
+||indisputableulteriorraspberry.com^
+||indney.com^
+||indodrioor.com^
+||indooritalian.com^
+||induceresistbrotherinlaw.com^
+||indulgeperformance.com^
+||indultorutty.click^
+||industrialforemanmovements.com^
+||industriouswounded.com^
+||inedibleendless.com^
+||inedibleproductiveunbelievable.com^
+||ineffectivebrieflyarchitect.com^
+||ineffectivenaive.com^
+||ineptsaw.com^
+||inestimableloiteringextortion.com^
+||inexpedientdatagourmet.com^
+||inexplicablecarelessfairly.com^
+||ineyvugpkej.com^
+||infamousprescribe.com^
+||infantrycutting.com^
+||infatuated-difference.pro^
+||infaustsecond.com^
+||infectedably.com^
+||infectedrepentearl.com^
+||inferiorkate.com^
+||inferiorlove.com^
+||infesthazardous.com^
+||infestpaddle.com^
+||infestpunishment.com^
+||infindiasernment.com^
+||infinitelyrainmultiple.com^
+||infinitypixel.online^
+||infirmaryboss.com^
+||inflameemanent.cam^
+||inflateimpediment.com^
+||inflationabstinence.com^
+||inflationbreedinghoax.com^
+||inflationhumanity.com^
+||inflationmileage.com^
+||inflectionhaughtyconcluded.com^
+||inflectionquake.com^
+||infles.com^
+||inflictgive.com^
+||inflictrind.com^
+||influencedbox.com^
+||influencedfable.com^
+||influencedsmell.com^
+||influencer2020.com^
+||influencesow.com^
+||influenzathumphumidity.com^
+||influxtabloidkid.com^
+||influxtravellingpublicly.com^
+||infodonorbranch.com^
+||infonewsz.care^
+||infopicked.com^
+||informalequipment.pro^
+||informantbartonharass.com^
+||informationpenetrateconsidering.com^
+||informedderiderollback.com^
+||informereng.com^
+||informeresapp.com^
+||infra.systems^
+||infractructurebiopsycircumstances.com^
+||infractructurelegislation.com^
+||infrashift.com^
+||infringementpeanut.com^
+||ingablorkmetion.com^
+||ingeniousestateinvolving.com^
+||ingentdurn.com^
+||ingigalitha.com^
+||ingjymcmsqloxw.com^
+||ingotedbooze.com^
+||ingotheremplo.info^
+||ingratitudemisty.com^
+||ingredientwritten.com^
+||ingseriegentsf.info^
+||ingsinspiringt.info^
+||inguenbreccia.com^
+||inhabitantquestions.com^
+||inhabitantsherry.com^
+||inhabitkosha.com^
+||inhabitsensationdeadline.com^
+||inhabitsurpassvia.com^
+||inhabityoungenter.com^
+||inhalebrinkrush.com^
+||inhaleecstatic.com^
+||inhaletroubledgentle.com^
+||inhanceego.com^
+||inheritancepillar.com^
+||inheritedgeneralrailroad.com^
+||inheritedgravysuspected.com^
+||inheritedunstable.com^
+||inheritedwren.com^
+||inhonedgean.com^
+||inhospitablebamboograduate.com^
+||inhospitablededucefairness.com^
+||inhospitablemasculinerasp.com^
+||inhumanswancondo.com^
+||initiallycoffee.com^
+||initiallycompetitionunderwear.com^
+||initiallydoze.com^
+||initiateadvancedhighlyinfo-program.info^
+||initiatebuffetstump.com^
+||injectentreat.com^
+||injectlocum.com^
+||injectreunionshorter.com^
+||injectsclocked.com^
+||injuredjazz.com^
+||injuredripplegentleman.com^
+||injurg.com^
+||injuryglidejovial.com^
+||injurytomatoesputrefy.com^
+||inkestyle.net^
+||inkfeedmausoleum.com^
+||inkingleran.com^
+||inklikesearce.com^
+||inklinkor.com^
+||inkornesto.com^
+||inkstorulus.top^
+||inkstorylikeness.com^
+||inktad.com^
+||inlacedhageen.top^
+||inlandpiereel.com^
+||inlardbroigne.top^
+||inlugiar.com^
+||inmdcwkx.com^
+||inmespritr.com^
+||inmhh.com^
+||inminuner.com^
+||innardskhats.top^
+||innbyhqtltpivpg.xyz^
+||inncreasukedrev.info^
+||inneonan.com^
+||innity.net^
+||innocencescarcelymoreover.com^
+||innocencestrungdocumentation.com^
+||innocent154.fun^
+||innovationcomet.com^
+||innovationlizard.com^
+||inntentativeflame.com^
+||innyweakela.co^
+||inoculateconsessionconsessioneuropean.com^
+||inoffensivefitnessrancid.com^
+||inopportunelowestattune.com^
+||inoradde.com^
+||inorseph.xyz^
+||inourdreamsa.org^
+||inpage-push.com^
+||inpage-push.net^
+||inpagepush.com^
+||inputunstable.com^
+||inputwriter.com^
+||inquiredcriticalprosecution.com^
+||inquiriesdishonest.com^
+||inquiryblue.com^
+||inquiryclank.com^
+||inrhyhorntor.com^
+||inrqqddrnqkk.xyz^
+||inrsfubuavjii.xyz^
+||insanityquietlyviolent.com^
+||inscribereclaim.com^
+||inscriptiontinkledecrepit.com^
+||insectearly.com^
+||insectsaw.com^
+||insectsmanners.com^
+||insecurepaint.pro^
+||insecuritydisproveballoon.com^
+||insensibleconjecturefirm.com^
+||insensitivedramaaudience.com^
+||insensitiveintegertransactions.com^
+||inseparablebeamsdavid.com^
+||insertfend.com^
+||insertludicrousintimidating.com^
+||inservinea.com^
+||inshelmetan.com^
+||insideconnectionsprinting.com^
+||insideofnews.com^
+||insidious-glove.pro^
+||insightexpress.com^
+||insightexpressai.com^
+||insigit.com^
+||insignificantretained.com^
+||insistauthorities.com^
+||insistballisticclone.com^
+||insistent-worker.com^
+||insistinestimable.com^
+||insitepromotion.com^
+||insnative.com^
+||insolentviolation.com^
+||insomniacultural.com^
+||insomniadetrimentalneutral.com^
+||insouloxymel.com^
+||inspdywgexp.com^
+||inspectcol.com^
+||inspectmergersharpen.com^
+||inspectorstrongerpill.com^
+||inspikon.com^
+||inspirationstarednope.com^
+||inspiringperiods.com^
+||inspxtrc.com^
+||insrvicigquj.com^
+||insta-cash.net^
+||instaflrt.com^
+||install-adblockers.com^
+||install-adblocking.com^
+||install-check.com^
+||install-extension.com^
+||installationconsiderableunaccustomed.com^
+||installscolumnist.com^
+||installscrayfishpenal.com^
+||installslocalweep.com^
+||instalmentshowernovice.com^
+||instancesflushedslander.com^
+||instant-adblock.xyz^
+||instantdollarz.com^
+||instantlyallergic.com^
+||instantlyharmony.com^
+||instantlyshrillblink.com^
+||instantlyurged.com^
+||instantnewzz.com^
+||instantresp.com^
+||instaruptilt.com^
+||instinctiveads.com^
+||instinctivecooler.com^
+||institutehopelessbeck.com^
+||instituteplump.com^
+||instopvials.com^
+||instraffic.com^
+||instructionluxuriant.com^
+||instructionwantsflew.com^
+||instructive-distribution.com^
+||instructive-glass.com^
+||instructiveengine.pro^
+||instructoralphabetoverreact.com^
+||instructorconfoundstayed.com^
+||instructorloneliness.com^
+||instructoroccurrencebag.com^
+||instructscornfulshoes.com^
+||instrumenttactics.com^
+||insultingnoisysubjects.com^
+||insultingvaultinherited.com^
+||insultoccupyamazed.com^
+||insultresignation.com^
+||insumber.com^
+||inswebt.com^
+||inswellbathes.com^
+||integralfashionable.com^
+||integralinstalledmoody.com^
+||integralpickleatrocious.com^
+||integrationproducerbeing.com^
+||integritydeceptive.com^
+||integrityprinciplesthorough.com^
+||intellectpunch.com^
+||intellectualhide.com^
+||intellectualintellect.com^
+||intellibanners.com^
+||intelligenceadx.com^
+||intelligenceconcerning.com^
+||intelligenceretarget.com^
+||intelligentcombined.com^
+||intelligentjump.com^
+||intellipopup.com^
+||intellitxt.com^
+||intelstqkt.com^
+||intendedeasiestlost.com^
+||intendedoutput.com^
+||intendrebend.top^
+||intentanalysis.com^
+||intentbinary.com^
+||intentionalbeggar.com^
+||intentionscommunity.com^
+||intentionscurved.com^
+||intentionsplacingextraordinary.com^
+||inter1ads.com^
+||interads1.com^
+||interbasevideopregnant.com^
+||interbuzznews.com^
+||interclics.com^
+||interd1.com^
+||interdependentpredestine.com^
+||interdfp.com^
+||interestalonginsensitive.com^
+||interestededit.com^
+||interestingpracticable.com^
+||interestmoments.com^
+||interestsubsidereason.com^
+||interfacemotleyharden.com^
+||interference350.fun^
+||interfereparagraphinterrogate.com^
+||interferepenetrate.com^
+||intergient.com^
+||interimmemory.com^
+||interiorchalk.com^
+||intermediarymarkswe.com^
+||intermediatebelownomad.com^
+||intermediatelattice.com^
+||internalemotionincomprehensible.com^
+||internewsweb.com^
+||internodeid.com^
+||interpersonalskillse.info^
+||interposedflickhip.com^
+||interpretprogrammesmap.com^
+||interrogationpeepchat.com^
+||interruptchalkedlie.com^
+||interruptionapartswiftly.com^
+||inters1img.com^
+||intersads.com^
+||intersd2k.com^
+||intersectionboth.com^
+||intersectiondejectedfaraway.com^
+||intersectionweigh.com^
+||interstateflannelsideway.com^
+||interstitial-07.com^
+||interstitial-08.com^
+||intervention304.fun^
+||intervention423.fun^
+||interviewabonnement.com^
+||interviewearnestlyseized.com^
+||interviewidiomantidote.com^
+||interviewsore.com^
+||inticebolls.top^
+||intimacyextinct.com^
+||intimg1k.com^
+||intimidatekerneljames.com^
+||intnative.com^
+||intnotif.club^
+||intolerableshrinestrung.com^
+||intorterraon.com^
+||intothespirits.com^
+||intrafic22.com^
+||intriguingsuede.com^
+||intro4ads.com^
+||introphin.com^
+||intruderalreadypromising.com^
+||intrustedzone.site^
+||intuitiontrenchproduces.com^
+||intuseseorita.com^
+||inuedidgmapla.com^
+||inulaserenegue.top^
+||inumbreonr.com^
+||inupnae.com^
+||inurneddoggish.com^
+||invadedwormmillionaire.com^
+||invaderimmenseimplication.com^
+||invaluablebuildroam.com^
+||invariablyunpredictable.com^
+||invast.site^
+||inventionallocatewall.com^
+||inventionwere.com^
+||inventionyolk.com^
+||inventorypikepockets.com^
+||inventoryproducedjustice.com^
+||invertangareb.top^
+||investcoma.com^
+||investigationsuperbprone.com^
+||investmentstar.org^
+||invibravaa.com^
+||invisiblepine.com^
+||invitearrange.com^
+||invitewingorphan.com^
+||invokerhustler.shop^
+||involuntarypity.com^
+||involuntarysteadyartsy.com^
+||involveddone.com^
+||involvingsorrowful.com^
+||invordones.com^
+||invraisemblable.com^
+||inwardinjustice.com^
+||inwrapsabina.top^
+||inwraptsekane.com^
+||ioadserve.com^
+||iociley.com^
+||iodideeyebath.cam^
+||iodidindued.top^
+||iodinedulylisten.com^
+||iodineshine.com^
+||ioffers.icu^
+||iogjhbnoypg.com^
+||ioiefyw.com^
+||ioiubby73b1n.com^
+||ioniamcurr.info^
+||ionigravida.com^
+||ioniserpinones.com^
+||ionisesproclei.top^
+||ionismscoldn.info^
+||ionistkhaya.website^
+||iononetravoy.com^
+||ionscormationwind.info^
+||ionwindonpetropic.info^
+||iopiopiop.net^
+||iople.com^
+||ioredi.com^
+||iovia-pmj.com^
+||iovxhfavijyu.com^
+||ioxffew.com^
+||ip00am4sn.com^
+||ipcejez.com^
+||iphaigra.xyz^
+||iphumiki.com^
+||ipjouefgjog.com^
+||ipkqfkzsmme.com^
+||ipmathematical.org^
+||ipmentrandingsw.com^
+||ipmzpxne.com^
+||ipnkkmxo.com^
+||ipodreevess.com^
+||ippleshiswashis.info^
+||ipredictive.com^
+||iprom.net^
+||ipromcloud.com^
+||iprpldsefjq.com^
+||ipsowrite.com^
+||ipstbyxrmfbsbp.com^
+||ipsvptuxn.com^
+||iptautup.com^
+||ipurseeh.xyz^
+||ipzolkgn.com^
+||iqcjuetaudtj.com^
+||iqfmvj.com^
+||iqkjrwf.com^
+||iqlpkca.com^
+||iqmlcia.com^
+||iqnevmje.com^
+||iqpkee.com^
+||iqtest365.online^
+||iqxsncsregcxu.xyz^
+||iqxuuski.com^
+||iranicoloner.top^
+||irbtwjy.com^
+||ircwzvpei.com^
+||irdpkjfjkjvko.com^
+||iredirect.net^
+||iresandal.info^
+||irgvfdwicqerqfy.com^
+||irhpzbrnoyf.com^
+||iridizemohegan.com^
+||irisaffectioneducate.com^
+||irishormone.com^
+||irishorridamount.com^
+||irisunitepleased.com^
+||irizin.com^
+||irkantyip.com^
+||irkerecue.com^
+||irkilgw.com^
+||irksomefiery.com^
+||irmmamksywbwt.com^
+||irmyckddtm.com^
+||ironboe.com^
+||ironcladtrouble.com^
+||irondai.com^
+||ironena.com^
+||ironicaldried.com^
+||ironicnickraspberry.com^
+||ironjou.com^
+||ironmis.com^
+||ironymisterdisk.com^
+||irousbisayan.com^
+||irradiateher.com^
+||irradiatestartle.com^
+||irrain.com^
+||irrationalcontagiousbean.com^
+||irrationalsternstormy.com^
+||irregularstripes.com^
+||irresistiblecommotion.com^
+||irresponsibilityhookup.com^
+||irries.com^
+||irritableironymeltdown.com^
+||irritablepopcornwanderer.com^
+||irritateinformantmeddle.com^
+||irritationcrayonchord.com^
+||irritationunderage.com^
+||irsnylnjgcfytxq.com^
+||irtya.com^
+||irtyf.com^
+||irvato.com^
+||irvingreeds.com^
+||isaacsolanum.top^
+||isabellahopepancake.com^
+||isawthenews.com^
+||isbnrs.com^
+||isbnyzpunkx.com^
+||isboost.co.jp^
+||iseoiknnqckto.xyz^
+||isgost.com^
+||ishaweewouta.com^
+||ishoapty.net^
+||ishoawew.net^
+||ishousumo.com^
+||isidiumfastus.top^
+||isingtolstoy.top^
+||isiu0w9gv.com^
+||isiyyhghu.com^
+||islandgeneric.com^
+||islandracistreleased.com^
+||islerobserpent.com^
+||ismlks.com^
+||ismscoldnesfspl.info^
+||isobaresoffit.com^
+||isobelheartburntips.com^
+||isobelincidentally.com^
+||isohits.com^
+||isolatedovercomepasted.com^
+||isolatedransom.com^
+||isolationoranges.com^
+||isomeremankin.top^
+||isparkmedia.com^
+||isreputysolomo.com^
+||issomeoneinth.info^
+||issuedindiscreetcounsel.com^
+||isthmjays.click^
+||istlnkbn.com^
+||istoanaugrub.xyz^
+||istsldaheh.com^
+||isuqbqvxhj.com^
+||isvnwxpoqgsgyy.com^
+||iswhatappyouneed.net^
+||isymybwvzl.com^
+||isywjrtn.com^
+||iszjwxqpyxjg.com^
+||italianexpecting.com^
+||italianextended.com^
+||italianforesee.com^
+||italianhackwary.com^
+||italianout.com^
+||italicssifting.top^
+||italicunsolar.top^
+||italyfeedingclimax.com^
+||itavtfut.com^
+||itblisseyer.com^
+||itcameruptr.com^
+||itchhandwritingimpetuous.com^
+||itchinglikely.com^
+||itchingselfless.com^
+||itchydesignate.com^
+||itchytidying.com^
+||itcleffaom.com^
+||itdise.info^
+||itemolgaer.com^
+||itemperrycreek.com^
+||itespurrom.com^
+||itgiblean.com^
+||itguvmlnyhfa.com^
+||itheatmora.com^
+||itheatmoran.com^
+||ithoughtsustache.info^
+||iththinleldedallov.info^
+||itineraryborn.com^
+||itinerarymonarchy.com^
+||itineraryupper.com^
+||itlitleoan.com^
+||itmamoswineer.com^
+||itnhosioqb.com^
+||itnijtcvjb.xyz^
+||itnuzleafan.com^
+||itpatratr.com^
+||itphanpytor.club^
+||itponytaa.com^
+||itpqdzs.com^
+||itrigra.ru^
+||itroggenrolaa.com^
+||itrustzone.site^
+||itseedotor.com^
+||itselfheater.com^
+||itselforder.com^
+||itskiddien.club^
+||itskiddoan.club^
+||itsparedhonor.com^
+||itsvfputpvsqnb.com^
+||itswabluon.com^
+||ittontrinevengre.info^
+||ittorchicer.com^
+||ittoxicroakon.club^
+||ittyphlosiona.com^
+||itukydteamwouk.com^
+||itundermineoperative.com^
+||itupjhlxjyxacl.com^
+||itvalleynews.com^
+||itvwnehwnxkdld.com^
+||itweedler.com^
+||itweepinbelltor.com^
+||itwkuouldhuke.info^
+||itwoheflewround.info^
+||ityngghfoxwd.com^
+||ityonatallco.info^
+||itzajear.com^
+||itzekromom.com^
+||iuc1.online^
+||iuc1.space^
+||iudgoufuvzjf.com^
+||iuodgmcfaa.com^
+||iuqmon117bj1f4.shop^
+||iusxjykqehwdx.com^
+||iutur-ixp.com^
+||iuvbjnzy.com^
+||iuwzdf.com^
+||ivanvillager.com^
+||ivedmanyyea.org^
+||ivesofefinegold.info^
+||ivhbtikwpr.com^
+||ivmmkvzic.com^
+||ivofaggqj.com^
+||ivoryvestigeminus.com^
+||ivstracker.net^
+||ivtqo.com^
+||ivurtdymntb.com^
+||ivuzjfkqzx.com^
+||ivvedcoh.com^
+||ivvyusvh.com^
+||ivycarryingpillar.com^
+||ivyrethink.com^
+||iwantuonly.com^
+||iwantusingle.com^
+||iwevxujxzdpb.com^
+||iwhejirurage.com^
+||iwhlzcevugtqy.com^
+||iwhngteekjixo.com^
+||iwhoosty.com^
+||iwjbybnaitog.com^
+||iwjerwaxjblelve.com^
+||iwkeoxtaoi.com^
+||iwmqbimuaibsvr.com^
+||iwouhoft.com^
+||iwpswvi.com^
+||iwrkhphl.xyz^
+||iwrvrbklotfp.xyz^
+||iwuh.org^
+||iwwdcglj.com^
+||iwyrldaeiyv.com^
+||ixafr.com^
+||ixbwwwv.com^
+||ixhbroslylgz.com^
+||ixkofjcwzlz.com^
+||ixnow.xyz^
+||ixnp.com^
+||ixqthii.com^
+||ixtxxvbgudre.com^
+||ixwereksbeforeb.info^
+||ixwloxw.com^
+||ixxljgh.com^
+||iy8yhpmgrcpwkcvh.pro^
+||iybulnmpgpodbxc.com^
+||iyegcbpabushtco.com^
+||iyfbodn.com^
+||iyfnz.com^
+||iyfnzgb.com^
+||iymbywma.com^
+||iyolnstplmxae.com^
+||iyqaosd.com^
+||iyyuvkd.com^
+||izanzjtuvpp.com^
+||izapteensuls.com^
+||izavugne.com^
+||izbmbmt.com^
+||izeeto.com^
+||izitrckr.com^
+||izjzkye.com^
+||izlok.xyz^
+||izlutev.com^
+||izlzunewumqgg.com^
+||izprqctxde.com^
+||izrnvo.com^
+||izrvuofcrrhsm.com^
+||izzzlfrzmwtter.com^
+||j45.webringporn.com^
+||j4a73n7v5k.com^
+||j51a0p18x.com^
+||j6mn99mr0m2n.com^
+||j6rudlybdy.com^
+||j8ff09dbyo.com^
+||ja2n2u30a6rgyd.com^
+||ja5rg8e5e.com^
+||jaadms.com^
+||jaaraypdsr.xyz^
+||jaavnacsdw.com^
+||jackalvindictive.com^
+||jackao.net^
+||jacketexpedient.com^
+||jacketzerobelieved.com^
+||jackpotbeautifulsulky.com^
+||jackpotcollation.com^
+||jackpotcontribute.com^
+||jacksonduct.com^
+||jacksonours.com^
+||jaclottens.live^
+||jacmolta.com^
+||jacqsojijukj.xyz^
+||jacsmuvkymw.com^
+||jactantsplodgy.com^
+||jacwkbauzs.com^
+||jadcenter.com^
+||jads.co^
+||jaftouja.net^
+||jafzkymimxz.com^
+||jaggedshoebruised.com^
+||jaggedthronelaxative.com^
+||jaggedunaccustomeddime.com^
+||jagnoans.com^
+||jagnympho.top^
+||jaifeeveely.com^
+||jaigaivi.xyz^
+||jainapse.com^
+||jainecizous.xyz^
+||jaineshy.com^
+||jaipheeph.com^
+||jajrlsaiboswdab.xyz^
+||jakescribble.com^
+||jakosoafdom.shop^
+||jalapamaro.com^
+||jaletemetia.com^
+||jalewaads.com^
+||jalwhftxnl.com^
+||jamchew.com^
+||jame3s67jo9yc4e.com^
+||jamminds.com^
+||jamstech.store^
+||janapancoroun.top^
+||jandaqwe.com^
+||jangiddywashed.com^
+||jangleachy.com^
+||jangleccoya.com^
+||jangonetwork.com^
+||janitoraccrue.com^
+||janitorhalfchronicle.com^
+||janokroo.net^
+||januarydeliverywarfare.com^
+||januaryprinter.com^
+||janzmuarcst.com^
+||japanbros.com^
+||japw.cloud^
+||jaqgkyfupna.com^
+||jaqwtyajwp.com^
+||jaqxaqoxwhce.com^
+||jargonwillinglybetrayal.com^
+||jarguvie.xyz^
+||jarldomtemplar.top^
+||jarsools.xyz^
+||jarteerteen.com^
+||jarvispopsu.com^
+||jashautchord.com^
+||jasheest.xyz^
+||jassidpanne.com^
+||jatchough.com^
+||jatdticl.com^
+||jatfugios.com^
+||jatobaviruela.com^
+||jatomayfair.life^
+||jatosbathkol.com^
+||jatsekse.net^
+||jattepush.com^
+||jaubaibil.com^
+||jaubeebe.net^
+||jauchube.com^
+||jauchuwa.net^
+||jaufwxqg.com^
+||jaumevie.com^
+||jaundergemmule.top^
+||jaunty-cancel.pro^
+||jauntycrystal.com^
+||jaupozup.xyz^
+||jaurouth.xyz^
+||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^
+||jawinfallible.com^
+||jawlookingchapter.com^
+||jawsspecific.com^
+||jazzlowness.com^
+||jazzyzest.cfd^
+||jbaqavqrkoroz.top^
+||jbbyyryezqavb.top^
+||jbbyyryezqbwj.top^
+||jbirahiifj.com^
+||jbm6c54upkui.com^
+||jbnmppupawyil.com^
+||jbrlsr.com^
+||jbrnmlmvnakej.top^
+||jbrnmlmweaarl.top^
+||jbrpciuloi.com^
+||jbtul.com^
+||jbtwyppdfppmgq.com^
+||jbvoejzamqokq.top^
+||jbvoejzamqzkb.top^
+||jbwiujl.com^
+||jbzmwqmqwoaez.top^
+||jbzmwqmqwojjl.top^
+||jbzmwqmqwojlw.top^
+||jbzmwqmqwokkq.top^
+||jc32arlvqpv8.com^
+||jcdudokp.com^
+||jcedzifarqa.com^
+||jchklt.com^
+||jcigoiimudrzow.com^
+||jcovfmnlolsdsaa.com^
+||jcqueawk.xyz^
+||jcqvfuztbvryk.com^
+||jcrnbnw.com^
+||jcufklto.com
+||jcvasagimxyzd.com^
+||jcviltucsmowx.com^
+||jd3j7g5z1fqs.com^
+||jdbavspkhxqw.com^
+||jdhgswknl.com^
+||jdhpfnfc.com^
+||jdkmbvbyy.com^
+||jdlmjessy.com^
+||jdnveiwl.com^
+||jdoeknc.com^
+||jdoqocy.com^
+||jdspvwgxbtcgkd.xyz^
+||jdt8.net^
+||jdwaegarlqjw.com^
+||jdwhlqb.com^
+||jdxisgqcg.com^
+||jdxpaoojg.com^
+||jdygobphcbh.com^
+||jdzqdcpkbh.com^
+||jealouschallenge.pro^
+||jealousupholdpleaded.com^
+||jealousyingeniouspaths.com^
+||jealousyscreamrepaired.com^
+||jeannenoises.com^
+||jeannesurvival.com^
+||jeannezenith.com^
+||jeanspurrcleopatra.com^
+||jebhnmggi.xyz^
+||jechusou.com^
+||jeckear.com^
+||jecoglegru.com^
+||jecromaha.info^
+||jeczxxq.com^
+||jedotsad.xyz^
+||jedrixurykpjl.com^
+||jeefaiwochuh.net^
+||jeehathu.com^
+||jeejeetauz.com^
+||jeejujou.net^
+||jeekomih.com^
+||jeelmuyusa.com^
+||jeephiney.net^
+||jeerouse.xyz^
+||jeersoddisprove.com^
+||jeeryzest.com^
+||jeethaju.net^
+||jeetyetmedia.com^
+||jeewhaituph.net^
+||jefweev.com^
+||jeghosso.net^
+||jehobsee.com^
+||jekesjzv.com^
+||jekzyyowqwmwl.top^
+||jekzyyowqwwrz.top^
+||jekzyyowqwwwy.top^
+||jelldoeg.shop^
+||jelliescroon.click^
+||jellifygummier.top^
+||jelllearnedhungry.com^
+||jellyhelpless.com^
+||jellyhopeless.com^
+||jellyprehistoricpersevere.com^
+||jelokeryevezw.top^
+||jemonews.com^
+||jeniz.xyz^
+||jenkincraved.com^
+||jenniesache.click^
+||jennyunfit.com^
+||jennyvisits.com^
+||jenonaw.com^
+||jenwyrjbvvlrl.top^
+||jeoawamjbbelw.top^
+||jeoawamjbblkq.top^
+||jeoawamjbbzjy.top^
+||jeoawamjbrvkb.top^
+||jeopardizegovernor.com^
+||jeopardycruel.com^
+||jeopardyselfservice.com^
+||jeperdee.net^
+||jergocast.com^
+||jerimpob.net^
+||jerkisle.com^
+||jeroud.com^
+||jerusalemcurve.com^
+||jerusalemstatedstill.com^
+||jerust.com^
+||jesaifie.com^
+||jessamyimprovementdepression.com^
+||jestbiases.com^
+||jestinquire.com^
+||jestthankfulcaption.com^
+||jesulf.com^
+||jesupe.com^
+||jetordinarilysouvenirs.com^
+||jetpgnebpwm.com^
+||jetseparation.com^
+||jettrucaprate.top^
+||jetx.info^
+||jewadvaj.com^
+||jewbushdosser.com^
+||jewelbeeperinflection.com^
+||jewelcampaign.com^
+||jewelstastesrecovery.com^
+||jewgn8une.com^
+||jewhouca.net^
+||jewismwithies.com^
+||jewlhtrutgomh.com^
+||jewspa.com^
+||jezailmasking.com^
+||jf71qh5v14.com^
+||jfbrkbgvxwib.com^
+||jfdjrmyzkck.com^
+||jfdmdpefk.com^
+||jfedgbskofck.com^
+||jfiavkaxdm.com^
+||jfixhuovpa.com^
+||jfjle4g5l.com^
+||jfjlfah.com^
+||jfjnyepxppqb.com^
+||jfkc5pwa.world^
+||jfknowifcewd.com^
+||jfnjgiq.com^
+||jfoaxwbatlic.com^
+||jfoowqditdf.com^
+||jfplldsdrafavw.com^
+||jfsocqmvvqt.com^
+||jfssblglhreubu.com^
+||jfthhbvpryrvbs.com^
+||jfvoewyifwed.com^
+||jfzernkwdqgxn.com^
+||jgbggrtrofiw.com^
+||jgdipcsviur.com^
+||jgdtnxkapkso.com^
+||jgfcgqivdpd.com^
+||jggegj-rtbix.top^
+||jggldfvx.com^
+||jghjhtz.com^
+||jgpvgjtldgocob.com^
+||jgqflgggex.com^
+||jgrjldc.com^
+||jgxavkopotthxj.xyz^
+||jgydqhp.com^
+||jhevhckrxoivig.com^
+||jhiekkjeyyfbj.com^
+||jhkfd.com^
+||jhneyyawsibo.com^
+||jhoncj.com^
+||jhrfemourkojc.com^
+||jhsnshueyt.click^
+||jhulubwidas.com^
+||jhwo.info^
+||jicamadoless.com^
+||jickodsa.com^
+||jiclzori.com^
+||jieaxwgwnydl.com^
+||jigffltdbcdjq.com^
+||jighucme.com^
+||jignairy.com^
+||jigsawchristianlive.com^
+||jigsawthirsty.com^
+||jiiglogwdkcqwou.xyz^
+||jijhkclur.com^
+||jikbwoozvci.com^
+||jikicotho.pro^
+||jikvcrikdvng.com^
+||jikzudkkispi.com^
+||jillbuildertuck.com^
+||jimpysinters.top^
+||jimzryxbsgjs.com^
+||jindepux.xyz^
+||jingalbundles.com^
+||jingbaiteether.top^
+||jingenfirm.com^
+||jinglehalfbakedparticle.com^
+||jinguisiacal.top^
+||jinjililanius.top^
+||jinripkk.com^
+||jinterests-1.com^
+||jiokhvnqchnt.com^
+||jipsegoasho.com^
+||jiqeni.xyz^
+||jiqiv.com^
+||jissingirgoa.com^
+||jitanvlw.com^
+||jitigkvqf.com^
+||jiuswcpdwgpwetf.com^
+||jivinggrazers.com^
+||jiwire.com^
+||jixffuwhon.com^
+||jizzarchives.com^
+||jizzensirrah.com^
+||jjahvmjatfpj.com^
+||jjansomvfv.com^
+||jjcwq.site^
+||jjmxksqyfagljmg.com^
+||jjqbvqoyo.com^
+||jjqsdll.com^
+||jjrhriavdyyp.com^
+||jjrqnvrejmwna.top^
+||jjrvlrslb.com^
+||jjthmis.com^
+||jjtnadbcbovqarv.xyz^
+||jjtsuxoln.com^
+||jjvafukltxk.com^
+||jjwmlayqvweej.top^
+||jjygptw.com^
+||jk4lmrf2.de^
+||jkajyrkjmzmkz.top^
+||jkamuaiofpapwl.com^
+||jkdzimao.com^
+||jkha742.xyz^
+||jklpy.com^
+||jkls.life^
+||jkthlsrdhni.com^
+||jkwxaryiaoof.com^
+||jkyawbabvjeq.top^
+||jkyawbabvrjl.top^
+||jkzakzalzoewy.top^
+||jkzlillsss.com^
+||jl63v3fp1.com^
+||jlbgyksbvdqj.com^
+||jlcvoastmbsk.com^
+||jldbnjghezv.com^
+||jlfqyjbkea.com^
+||jljejxvgnk.com^
+||jljrllijyuoinx.com^
+||jlmokzndbiafs.com^
+||jlmprtgl.com^
+||jlodgings.com^
+||jlqpttawdpkh.com^
+||jlqtmeoipnib.com^
+||jlsohnennmmygvc.com^
+||jlufbcef.com^
+||jlxmuvjltnqttj.com^
+||jmaoknbpaobj.com^
+||jmaomkosxfi.com^
+||jmbluyxkl.xyz^
+||jmghfyieixqw.com^
+||jmiqbfhoar.com^
+||jmmpzzrnmsdwsh.com^
+||jmopproojsc.xyz^
+||jmpmedia.club^
+||jmqrogtmvfo.com^
+||jmrnews.pro^
+||jmt7mbwce.com^
+||jmtbmqchgpw.xyz^
+||jmtbyiohpgugcsk.com^
+||jmtjupml.com^
+||jmvscgd.com^
+||jnaixbgd.com^
+||jnhjpdayvpzj.com^
+||jnlldyq.com^
+||jnnjthg.com^
+||jnovoksjreeyrpm.xyz^
+||jnpwkazdss.com^
+||jnqkvgkm.com^
+||jnrgcwf.com^
+||jnrtavp2x66u.com^
+||jnsgdaqsiqcumg.xyz^
+||jnxm2.com^
+||jnymwzwwhyhnkw.com^
+||joachoag.xyz^
+||joaglouwulin.com^
+||joannaiodisms.com^
+||joanneehretia.com^
+||joaphoad.com^
+||joaqaylueycfqw.xyz^
+||joastaca.com^
+||joastoom.xyz^
+||joastoopsu.xyz^
+||joastous.com^
+||joathath.com^
+||joberopolicycr.com^
+||jobfilletfortitude.com^
+||jobleveled.top^
+||joblouder.com^
+||jobmkewrymvbw.top^
+||jobsonationsing.com^
+||jobsyndicate.com^
+||jocauzee.net^
+||jocelynrace.com^
+||jocmeedran.com^
+||jodl.cloud^
+||jodroacm.com^
+||joemythsomething.com^
+||joereisp.xyz^
+||jogcu.com^
+||jogdied.com^
+||joggingavenge.com^
+||jogglenetwork.com^
+||jogytuuey.com^
+||johamp.com^
+||johannesburg.top^
+||join-admaven.com^
+||joinelegancetitanic.com^
+||joiningcriminal.com^
+||joiningindulgeyawn.com^
+||joiningslogan.com^
+||joiningwon.com^
+||joinpropeller.com^
+||joinsportsnow.com^
+||joint-bad.com^
+||jokingzealotgossipy.com^
+||jolecyclist.com^
+||jollyfloat.com^
+||jollyslendersquare.com^
+||joltidiotichighest.com^
+||joltperforming.com^
+||joluw.net^
+||jomtingi.net^
+||jonaspair.com^
+||jonaswhiskeyheartbeat.com^
+||joodugropup.com^
+||joograika.xyz^
+||jookaureate.com^
+||jookouky.net^
+||joomgartiumnyih.com^
+||joomxer.fun^
+||joopaish.com^
+||jooptibi.net^
+||joorekbelrlaz.top^
+||jootizud.net^
+||joowkijejv.com^
+||joqowqyaayqmz.top^
+||joramskittly.click^
+||jorbfstarn.com^
+||jorttiuyng.com^
+||josephineravine.com^
+||josfrvq.com^
+||josiehopeless.com^
+||josieunethical.com^
+||jotqmmf.com^
+||jotskuffieh.website^
+||jotterswirrah.com^
+||jouaboe.com^
+||joucefeet.xyz^
+||joudauhee.com^
+||joudotee.com^
+||joukaglie.com^
+||jouteetu.net^
+||jouthee.com^
+||jouzoapi.com^
+||jovialwoman.com^
+||jowlishdiviner.com^
+||jowvwrmccakiy.com^
+||jowyylrzbamz.top^
+||joxaviri.com^
+||joycreatorheader.com^
+||joydirtinessremark.com^
+||joyfulassistant.pro^
+||joyfulfearsome.com^
+||joyous-concentrate.pro^
+||joyous-north.pro^
+||joyous-sensitive.com^
+||joyous-storage.pro^
+||joyousruthwest.com^
+||joyrodethrock.top^
+||jozvmvxi.com^
+||jpbfwdtejwoewas.xyz^
+||jpdqpxoenctqbl.com^
+||jpeoldex.com^
+||jpgtrk.com^
+||jpilttrvnv.com^
+||jpmldwvjqd.xyz^
+||jpooavwizlvf.com^
+||jpsthqhvxynfdx.com^
+||jpzvrsuwdavpjw.com^
+||jqafetxoermhue.com^
+||jqcyacoxrvada.com^
+||jqdfehrixzyb.com^
+||jqgqrsvcaos.xyz^
+||jqimofnrrzxqcl.com^
+||jqitetsk.com^
+||jqlqmeveax.com^
+||jqmebwvmbbby.top^
+||jqmebwvmbrvz.top^
+||jqmebwvmbzwy.top^
+||jqmsnhyhrd.com^
+||jqrnumajtqx.com^
+||jqtnbitlqxidh.com^
+||jqtree.com^
+||jquerycdn.host^
+||jqueryoi.com^
+||jqueryserve.org^
+||jqueryserver.com^
+||jrbbavbmwmleb.top^
+||jrbbavbmwqwjl.top^
+||jrfwfwk.com^
+||jrgmooxsln.com^
+||jrhsjmwtrwiam.com^
+||jrilbcd.com^
+||jrilkvjehrjlri.com^
+||jriravntivf.com^
+||jrlxrrwgcszo.com^
+||jrofvedr.xyz^
+||jrolyrlkjyeqw.top^
+||jrpkizae.com^
+||jrqmkrggfwd.xyz^
+||jrqwfdkksamx.com^
+||jrsmnddakpce.com^
+||jrtbjai.com^
+||jrtqaliyucgpaes.com^
+||jrvrkzrbkqaoz.top^
+||jrvrkzrbkqqob.top^
+||jrvrkzrbkqqqj.top^
+||jrzcrngyqa.com^
+||jrzeiotwaq.com^
+||jrzrqi0au.com^
+||js-check.com^
+||js.j8jp.com^
+||js.manga1000.top^
+||js2json.com^
+||js7k.com^
+||jsadapi.com^
+||jscdn.online^
+||jscloud.org^
+||jscount.com^
+||jsdelvr.com^
+||jsefrmwji.com^
+||jsfeedadsget.com^
+||jsfir.cyou^
+||jsfrfeuubna.com^
+||jsftfmegwcyhsed.com^
+||jsftzha.com^
+||jsfuz.com^
+||jsgmsoapx.com^
+||jsmcrpu.com^
+||jsmcrt.com^
+||jsmentry.com^
+||jsmjmp.com^
+||jsmpsi.com^
+||jsmpus.com^
+||jsnncgz.com^
+||jsontdsexit.com^
+||jsontdsexit2.com^
+||jsqytshec.com^
+||jsretra.com^
+||jssearch.net^
+||jssiiamvbuqqkb.com^
+||jstclphsy.com^
+||jsukefgwjvbsue.com^
+||jswww.net^
+||jsyrynq.com^
+||jtdqxsfzi.com^
+||jtfqyewsaflnp.com^
+||jtiqpdqofdlwam.com^
+||jtjtqar.com^
+||jtolkiamnax.com^
+||jtpgjihhix.com^
+||jtthvswmc.com^
+||jttowoxlomde.com^
+||jtwlvpux.com^
+||juaqmic.com^
+||jubasfogs.com^
+||jubnaadserve.com^
+||jubsaugn.com^
+||jubsouth.com^
+||jucysh.com^
+||juddockvisages.com^
+||judgementcleftlocksmith.com^
+||judgementhavocexcitement.com^
+||judgmentpolitycheerless.com^
+||judicated.com^
+||judicialfizzysoftball.com^
+||judicialleadingquiz.com^
+||judjetheminos.com^
+||judosllyn.com^
+||judruwough.com^
+||jufjpwpmcc.com^
+||jugerfowells.com^
+||juggleeducationfirearm.com^
+||jugnepha.xyz^
+||jugsmithecology.com^
+||juhece.uno^
+||juhlkuu.com^
+||juiceadv.com^
+||juiceadv.net^
+||juicyads.me^
+||juicycash.net^
+||jujitsutuxedos.top^
+||jukseeng.net^
+||jukulree.xyz^
+||julbhzbwhcivj.com^
+||jullyambery.net^
+||julolecalve.website^
+||julrdr.com^
+||julymedian2022news.com^
+||julynut.com^
+||julyouncecat.com^
+||jumbalslunched.com^
+||jumbln.com^
+||jumboaffiliates.com^
+||jump-path1.com^
+||jumpedanxious.com^
+||jumperdivecourtroom.com^
+||jumperformalityexhausted.com^
+||jumperfundingjog.com^
+||jumptap.com^
+||junckafa.top^
+||junglehikingfence.com^
+||juniorapplesconsonant.com^
+||juniorluteum.top^
+||junipe3rus4virginiana.com^
+||junivmr.com^
+||junkeach.com^
+||junkieenthusiasm.com^
+||junkieswudge.com^
+||junkmildredsuffering.com^
+||junmediadirect.com^
+||junmediadirect1.com^
+||junotherome.com^
+||juntfemoral.com^
+||junverwkpnl.com^
+||jupabwmocgqxeo.com^
+||jurgeeph.net^
+||juricts.xyz^
+||jurisdiction423.fun^
+||jursoateed.com^
+||jursp.com^
+||jurtaith.net^
+||juryinvolving.com^
+||juslsp.info^
+||juslxp.com^
+||just-news.pro^
+||justestmurph.top^
+||justey.com^
+||justgetitfaster.com^
+||justificationjay.com^
+||justifiedatrociousretinue.com^
+||justifiedcramp.com^
+||justinstubborn.com^
+||justjav11.fun^
+||justonemorenews.com^
+||justpremium.com^
+||justrelevant.com^
+||justservingfiles.net^
+||jutreconsiderhot.com^
+||juttiedstrath.top^
+||jutyledu.pro^
+||juvenilearmature.com^
+||juyafctq.xyz^
+||juyvatnil.com^
+||juzaugleed.com^
+||juzzclftcseca.com^
+||jvcjnmd.com^
+||jvkxnbjsfgfxfsh.com^
+||jvnydntynmru.com^
+||jvqovslchlre.com^
+||jvsffrjutsax.com^
+||jvswyxxyrrh.com^
+||jvydtutqrmdx.com^
+||jvzoupeh.com^
+||jwadylgbkatacve.com^
+||jwalf.com^
+||jwamnd.com^
+||jwia0.top^
+||jwjxjuvrnkv.com^
+||jwqtuyjqxvsxy.com^
+||jwt8e5vzc1.com^
+||jwuhtogg.com^
+||jwxfjlsodffj.com^
+||jwympcc.com^
+||jxhbpcdzcg.com^
+||jxhgcitcqmvv.com^
+||jxkayopaij.com^
+||jxlpafdxbnhak.com^
+||jxlxeeo.com^
+||jxofoyftjdo.xyz^
+||jxvilsjyrh.com^
+||jxxnnhdgbfo.xyz^
+||jxybgyu.com^
+||jybaekajjmrqw.top^
+||jydydmctzxcea.com^
+||jyfirjqojg.xyz^
+||jygcv.sbs^
+||jygotubvpyguak.com^
+||jyhxhsdgxbvcnj.com^
+||jyjbdwox.com
+||jyjhjopmq.com^
+||jyjmpatmgk.com^
+||jylgvkxgfy.com^
+||jynginedoddle.top^
+||jynp9m209p.com^
+||jyozavoyyyjbj.top^
+||jyozavoyyykby.top^
+||jyozavoyyymly.top^
+||jyozavoyyyqll.top^
+||jyqekzewvyojy.top^
+||jysocexrxbodh.com^
+||jytbxzil.com^
+||jyuirxswk.com^
+||jyusesoionsglear.info^
+||jywczbx.com^
+||jyzkut.com^
+||jzbvpyvhus.com^
+||jzbvwqezlwrzy.top^
+||jzeapwlruols.com^
+||jzokkejmqrbmq.top^
+||jzokkejmqrkyw.top^
+||jzpdjbpusgcbr.com^
+||jzqbyykbrrbkq.top^
+||jzqbyykbrrobw.top^
+||jzqbyykbrrykz.top^
+||jzqbyykbrryll.top^
+||jzqgyccwefd.com^
+||jzrgomnny.com^
+||jztchllgpcrwu.com^
+||jztucbb.com^
+||jzvwawvqawemb.top^
+||jzvwawvqawzmq.top^
+||jzycnlq.com^
+||k-09mobiles.com^
+||k28maingeneral.com^
+||k3jtsrjqr.com^
+||k4umr0wuc.com^
+||k55p9ka2.de^
+||k5zoom.com^
+||k68tkg.com^
+||k8ik878i.top^
+||k9gj.site^
+||kaascypher.com^
+||kabakamarbles.top^
+||kabarnaira.com^
+||kabea3lx4.com^
+||kabuut.com^
+||kadggriffshoyv.com^
+||kadrawheerga.com^
+||kagnejule.xyz^
+||kagodiwij.site^
+||kagrooxa.net^
+||kagvypdkrfd.com^
+||kaifiluk.com^
+||kaigaidoujin.com^
+||kaijooth.net^
+||kailsfrot.com^
+||kainitwhip.com^
+||kaisaimy.net^
+||kaishepe.xyz^
+||kaiu-marketing.com^
+||kaizzz.xyz^
+||kakdgmn.com^
+||kalauxet.com^
+||kaleidoscopeadjacent.com^
+||kaleidoscopefingernaildigging.com^
+||kaleidoscopepincers.com^
+||kalganautographeater.com^
+||kalganpuppycensor.com^
+||kalifthorons.top^
+||kallimaacoasm.com^
+||kalmukrattail.com^
+||kalpaksaffect.top^
+||kalseech.xyz^
+||kamachilinins.com^
+||kamalafooner.space^
+||kamassmyalia.com^
+||kaminari.space^
+||kaminari.systems^
+||kamiyayday.top^
+||kamnebo.info^
+||kamost.com^
+||kangaroohiccups.com^
+||kanoodle.com^
+||kansacklfrjr.com^
+||kantiwl.com^
+||kaoelsng.com^
+||kaorpyqtjjld.com^
+||kapnucojzkul.com^
+||kappalinks.com^
+||kaqhfijxlkbfa.xyz^
+||kaqppajmofte.com^
+||karafutem.com^
+||karayarillock.cam^
+||karoon.xyz^
+||karoup.com^
+||karpatzi.com^
+||karshacheney.click^
+||karstsnill.com^
+||karwobeton.com^
+||kaslcuin.com^
+||kassitegamy.top^
+||kastafor.com^
+||katebugs.com^
+||katecontraction.com^
+||katecrochetvanity.com^
+||katerigordas.pro^
+||kathesygri.com^
+||katodaf.com^
+||katukaunamiss.com^
+||kaubapsy.com^
+||kaujouphosta.com^
+||kauleeci.com^
+||kauraishojy.com^
+||kaurieseluxate.com^
+||kaushooptawo.net^
+||kauvoaph.xyz^
+||kauzishy.com^
+||kavaamply.shop^
+||kavanga.ru^
+||kaxjtkvgo.com^
+||kaxnoyxs.com^
+||kayoesfervor.com^
+||kazqkjyztvv.com^
+||kbadguhvqig.xyz^
+||kbadkxocv.com^
+||kbao7755.de^
+||kbevcidiiqwa.com^
+||kbnmnl.com^
+||kbqtuwoxgvth.xyz^
+||kbugxeslbjc8.com^
+||kcaamcduwwu.com^
+||kcdn.xyz^
+||kckullrxagokk.com^
+||kcllppzsvznu.com^
+||kdczhmain.com^
+||kdfjabv.com^
+||kdmjvnk.com^
+||kdmunzpmw.com^
+||kdnutwrx.com^
+||kdokgcf.com^
+||kdosimp.com^
+||kdsdiqjghaj.com^
+||kdwuiulga.com^
+||kdyxxkcd.com^
+||keajs.com^
+||keawmrohgxtl.com^
+||kebeckirgon.net^
+||kecwhlsr.com^
+||kedasensiblem.info^
+||kedasensiblemot.com^
+||kednglalimchmh.com^
+||keedaipa.xyz^
+||keefeezo.net^
+||keegesta.com^
+||keegleedaphi.com^
+||keeliethalweg.top^
+||keen-slip.com^
+||keenmosquitosadly.com^
+||keepinfit.net^
+||keepingconcerned.com^
+||keepsagri.net^
+||keepsosto.com^
+||keeptaza.com^
+||keewoach.net^
+||kefeagreatase.info^
+||kegimminent.com^
+||kegnupha.com^
+||kegsandremembrance.com^
+||kehalim.com^
+||keidweneth.com^
+||keijiepvv.com^
+||kejiksay.net^
+||kekonum.com^
+||kekrouwi.xyz^
+||kektds.com^
+||kekw.website^
+||kelekkraits.com^
+||kelopronto.com^
+||kelownajapers.top^
+||kelreesh.xyz^
+||kelticsully.guru^
+||kemaz.xyz^
+||kendosliny.com^
+||kenduktur.com^
+||kennelbakerybasketball.com^
+||kennethemergedishearten.com^
+||kenomal.com^
+||kensecuryrentat.info^
+||kentlecosts.top^
+||kentorjose.com^
+||kepersaonwho.org^
+||kepnatick.com^
+||keppendragoon.top^
+||keptoojals.xyz^
+||ker2clk.com^
+||keraclya.com^
+||keramiceoan.com^
+||kergaukr.com^
+||kernelindiscreet.com^
+||kernfatling.top^
+||kerryfluence.com^
+||kertzmann.com^
+||kerumal.com^
+||kesevitamus.com^
+||kessagames.com^
+||kesseolluck.com^
+||ketchupethichaze.com^
+||ketgetoexukpr.info^
+||ketheappyrin.com^
+||ketiverdisof.com^
+||ketlpsmt.com^
+||ketmiehemmed.top^
+||ketodis.com^
+||ketoo.com^
+||kettakihome.com^
+||kettlemisplacestate.com^
+||keuktyouexpe.info^
+||kewnemhpbmzkm.com^
+||kexarvamr.com^
+||kexojito.com^
+||keyboardvaluesinvoke.com^
+||keydawnawe.com^
+||keyimaginarycomprise.com^
+||keynotefool.com^
+||keypush.net^
+||keyrolan.com^
+||keyrunmodel.com^
+||keywordblocks.com^
+||keywordsconnect.com^
+||kezytpdsxmw.com^
+||kfareputfeab.org^
+||kfbdnyeelfxctc.com^
+||kffxyakqgbprk.xyz^
+||kfhninhokutn.com^
+||kfjhd.com^
+||kfngvuu.com^
+||kfpljakmiousajl.com^
+||kfxkxyb.com^
+||kgdvs9ov3l2aasw4nuts.com^
+||kgfjrb711.com^
+||kgfrstw.com^
+||kggiqfmeafi.com^
+||kgiulbvj.com^
+||kglqjacmqmns.com^
+||kgouzrranqt.com^
+||kgroundandinte.net^
+||kgsehayyvhk.com^
+||kgwlfrdtf.com^
+||kgxpbxhigq.com^
+||kgyhxdh.com^
+||khakisminder.com^
+||khanjeeyapness.website^
+||khatexcepeded.info^
+||khekwufgwbl.com^
+||khfpcxqwrauj.com^
+||khgacoucr.com^
+||khhkfcf.com^
+||khngkkcwtlnu.com^
+||khrrnhjuhdjvx.com^
+||khuanynodefado.com^
+||khvphqpsl.com^
+||khwaifiybxkv.com^
+||kiaughsviner.com^
+||kibnannaewyl.com^
+||kicationandas.info^
+||kichelcozier.top^
+||kicka.xyz^
+||kickchecking.com^
+||kiczrqo.com^
+||kidjackson.com^
+||kidnapdilemma.com^
+||kidsboilingbeech.com^
+||kidskidnaps.shop^
+||kidslinecover.com^
+||kiestercentry.com^
+||kifaunsu.com^
+||kifdngi.com^
+||kiftajojuy.xyz^
+||kihmnulxt.com^
+||kihudevo.pro^
+||kiisetbtkaul.com^
+||kiiysgjmuy.com^
+||kikoucuy.net^
+||kiksajex.com^
+||kileysgreeney.com^
+||killconvincing.com^
+||killernineteenthjoyous.com^
+||killerrubacknowledge.com^
+||killingscramblego.com^
+||killstudyingoperative.com^
+||kilometrealcoholhello.com^
+||kimbcxs.com^
+||kimberlite.io^
+||kimsacka.net^
+||kinbashful.com^
+||kindergarteninitiallyprotector.com^
+||kindleantiquarian.com^
+||kindlebaldjoe.com^
+||kindledownstairsskeleton.com^
+||kindledrummerhitch.com^
+||kindleinstance.com^
+||kindnessmarshalping.com^
+||kineckekyu.com^
+||king3rsc7ol9e3ge.com^
+||kingads.mobi^
+||kingcobmoe.top^
+||kingrecommendation.com^
+||kingsfranzper.com^
+||kingtrck1.com^
+||kingyonlendir.link^
+||kinitstar.com^
+||kinkywhoopfilm.com^
+||kinley.com^
+||kinoneeloign.com^
+||kinootwibil.top^
+||kinripen.com^
+||kioskopts.top^
+||kipweootro.com^
+||kiretafly.com^
+||kirteexe.tv^
+||kirujh.com^
+||kiss88.top^
+||kistutch.net^
+||kitchencafeso.com^
+||kitgmufratw.com^
+||kitharaearmuff.top^
+||kithoasou.com^
+||kitnmedia.com^
+||kitrigthy.com^
+||kittensuccessful.com^
+||kittledtwang.top^
+||kitwkuouldhukel.xyz^
+||kitwwuowjv.com^
+||kityamurlika.com^
+||kityour.com^
+||kiweftours.com^
+||kiwsiftuvac.com^
+||kiynew.com^
+||kiyyrilqb.com^
+||kizklqqj.com^
+||kizxixktimur.com^
+||kjcafatfgwpggu.xyz^
+||kjffqbnug.com^
+||kjfhenoqfyfljo.com^
+||kjgqsrejwsthwiw.com^
+||kjgzctn.com^
+||kjisypvbsanmlem.xyz^
+||kjjbgclciiay.xyz^
+||kjjvpwvyon.com^
+||kjklisbcab.com^
+||kjkulnpfdhn.com^
+||kjlmoxpnst.com^
+||kjmrtfpiaq.com^
+||kjotkqyzxe.com^
+||kjqqtivd.com^
+||kjrlulmt.com^
+||kjrnmkfwqp.com^
+||kjsckwjvdxju.xyz^
+||kjsvvnzcto.com^
+||kjuftmdofmsrhq.com^
+||kjyouhp.com^
+||kkgggudr.com^
+||kkghcdvxdfvsq.com^
+||kkixbfuihbhhrj.com^
+||kkjjgban.com^
+||kkjrwxs.com^
+||kkjuu.xyz^
+||kkkpydfok.com^
+||kkkqdgeejtxo.com^
+||kkmacsqsbf.info^
+||kkpbisoyan.com^
+||kkqcnrk.com^
+||kkrdrgd0m.com^
+||kktxgytr.com^
+||kkuabdkharhi.com^
+||kkualfvtaot.com^
+||kkuokpakbz.com^
+||kkusridasp.com^
+||kkuztcsx.com^
+||kkvesjzn.com^
+||kkwfvwpyswjmvi.com^
+||kkwy85a1n.com^
+||kkyqrxqd.com^
+||klagqlhjocbsp.com^
+||klcpcsdoaelyjeh.com^
+||klcuxykjrfto.xyz^
+||klehewasades.org^
+||klenhosnc.com^
+||klihldyjzrjouh.com^
+||klikadvertising.com^
+||kliksaya.com^
+||klipmart.com^
+||kliqz.com^
+||klisejrwgir.com^
+||klixfeed.com^
+||klmmnd.com^
+||klmrgtvjeiea.com^
+||klonedaset.org^
+||kloperd.com^
+||kloynfsag.com^
+||klpgmansuchcesu.com^
+||klrnhhzh.com^
+||klsdee.com^
+||kluxeruntrend.top^
+||kmeqdnmgdkpn.com^
+||kmgzyug.com^
+||kmhfsrwqdu.com^
+||kmhujzustl.com^
+||kmkthnyd.com^
+||kmlvdhequlpli.com^
+||kmmtxfwntcnyd.com^
+||kmnkiuqfo.com^
+||kmodukuleqasfo.info^
+||kmrilock.com^
+||kmscozmruwb.com^
+||kmyaklgcik.com^
+||kmyunderthf.info^
+||knackalida.shop^
+||knaplpdmbrbi.com^
+||knappedmurshid.com^
+||kncecafvdeu.info^
+||kndaspiratioty.org^
+||kndvqgmfwrdyf.com^
+||kneeansweras.com^
+||kneeletromero.com^
+||kneescarbohydrate.com^
+||kneescountdownenforcement.com^
+||knellgurglet.top^
+||kneltopeningfit.com^
+||knewallpendulum.com^
+||knewfeisty.com^
+||knewsportingappreciate.com^
+||knewwholesomecharming.com^
+||knifebackfiretraveller.com^
+||knifeimmoderateshovel.com^
+||knigna.com^
+||knittedcourthouse.com^
+||knittedplus.com^
+||knittingupidiotic.com^
+||knivesdrunkard.com^
+||knivesprincessbitterness.com^
+||knivessimulatorherein.com^
+||knlrfijhvch.com^
+||knobsomebodycheery.com^
+||knockedstub.com^
+||knockoutantipathy.com^
+||knockupchiniks.com^
+||knothubby.com^
+||knottyactive.pro^
+||know-whos-spying.com^
+||know-whos-watch.com^
+||knowd.com^
+||knowfloor.com^
+||knowledconsideunden.info^
+||knowledgepretend.com^
+||knowmakeshalfmoon.com^
+||knownconsider.com^
+||knownwarn.com^
+||knowsdcollet.com^
+||knprbbye.com^
+||knudsenunmast.top^
+||knutenegros.pro^
+||knwsyddyx.com^
+||knziesxepvaina.com^
+||koabapeed.com^
+||koadoasi.net^
+||koafaimoor.net^
+||koafaupesurvey.space^
+||koahoocom.com^
+||koakoucaisho.com^
+||koalaups.com^
+||koaneeto.xyz^
+||koapsout.com^
+||koapsuha.net^
+||kobeden.com^
+||kocairdo.net^
+||kockaiho.com^
+||kognoaka.net^
+||kogutcho.net^
+||kohsvocrb.com^
+||koindut.com^
+||kokotrokot.com^
+||kokuoccurs.top^
+||kolerevprivatedqu.com^
+||kolkwi4tzicraamabilis.com^
+||kologyrtyndwean.info^
+||komarchlupoid.com^
+||kongocohorts.top^
+||kongry.com^
+||konradsheriff.com^
+||kontextua.com^
+||konupucy.net^
+||kooboaphe.com^
+||koocash.com^
+||koocawhaido.net^
+||koocoofy.com^
+||koogreep.com^
+||koojaith.xyz^
+||kookarek.com^
+||koophaip.net^
+||kootovouz.com^
+||koovaubi.xyz^
+||kopehngtragen.com^
+||kopeukasrsiha.com^
+||koraboe.com^
+||korarea.com^
+||korenle.com^
+||korexo.com^
+||korgala.com^
+||korgiejoinyou.com^
+||kormisl.com^
+||kornbulk1.com^
+||korpeoe.com^
+||korporatefinau.org^
+||korrelate.net^
+||korununkept.digital^
+||kosininia.com^
+||kostprice.com^
+||kotikinar2ko8tiki09.com^
+||kotnvzp.com^
+||kotokot.com^
+||kotzzdwl.com^
+||kouceeptait.com^
+||koucerie.com^
+||koucqfpnsamftw.com^
+||kougloar.com^
+||koujaups.xyz^
+||koureptu.xyz^
+||koushauwhie.xyz^
+||koustouk.net^
+||koutobey.net^
+||kovhhlbbgs.com^
+||koxcsmmcealss.com^
+||kpbmqxucd.com^
+||kpcjwjdvlh.com^
+||kpdwueshr.com^
+||kpebuazc.com^
+||kpjuilkzfi.com^
+||kq272lw4c.com^
+||kqduogttdmryguw.com^
+||kqhi97lf.de^
+||kqiivrxlal.xyz^
+||kqjpipl.com^
+||kqmffmth.xyz^
+||kqpdnmkkvuu.com^
+||kqqwutgln.com^
+||kqrcijq.com^
+||kqtvdljwv.com^
+||kquptfjubrbp.xyz^
+||kquzgqf.com^
+||kqwtnuybueae.com^
+||kqzyfj.com^
+||krankenwagenmotor.com^
+||krazil.com^
+||krclyfkitjyvlls.com^
+||krcykddubkrsjm.xyz^
+||krful.com^
+||krgukepers.org^
+||kriankxukt.com^
+||krisydark.com^
+||krivo.buzz^
+||krjxhvyyzp.com^
+||krkstrk.com^
+||kronentriduo.top^
+||kronosspell.com^
+||krqjfirm.com^
+||krqmfmh.com^
+||ksandtheirclean.org^
+||kscmqmrlrepwim.com^
+||ksdlumuhym.com^
+||ksehinkitw.hair^
+||kshzlyvbaaa.com^
+||ksnbiepnvjdi.com^
+||ksnbtmz.com^
+||ksnooastqr.xyz^
+||kstjqjuaw.xyz^
+||kstvhknmhfppbf.com^
+||ksvrvtehpmfbylm.com^
+||ksvtdifdlqyrv.com^
+||kswiwxupqa.com^
+||ksykbucea.com^
+||ksyompbwor.xyz^
+||kt5850pjz0.com^
+||ktbktludhhq.com^
+||ktfiqjqahgmi.com^
+||ktfodkqypn.xyz^
+||ktikpuruxasq.com^
+||ktkjmp.com^
+||ktkvcpqyh.xyz^
+||ktlrhudvlsu.com^
+||ktmayxvea.com^
+||ktnukmtsbfko.com^
+||ktpcsqnij.com^
+||ktqiyjojiya.com^
+||ktrfzka.com^
+||ktrmmxocabjd.com^
+||ktureukworekto.com^
+||ktxvbcbfs.xyz^
+||ku2d3a7pa8mdi.com^
+||ku42hjr2e.com^
+||kubachigugal.com^
+||kubhwrkpycngbwl.com^
+||kubicadza.xyz^
+||kubicserves.icu^
+||kubrea.com^
+||kueezrtb.com^
+||kuesjmznhhid.com^
+||kuezfqvztt.com^
+||kughouft.net^
+||kuhxhoanlf.com^
+||kukrosti.com^
+||kulakiayme.com^
+||kultingecauyuksehi.info^
+||kultingecauyuksehinkitw.info^
+||kumparso.com^
+||kumpulblogger.com^
+||kumteerg.com^
+||kumtibsa.com^
+||kunnmvyftzgzvi.com^
+||kunvertads.com^
+||kupharlutetia.com^
+||kupmpypt.com^
+||kuqgrelpiamw.com^
+||kurjutodbxca.com^
+||kurlipush.com^
+||kuroptip.com^
+||kursatarak.com^
+||kusciwaqfkaw.com^
+||kusidcfbb.com^
+||kuskiteblets.top^
+||kustaucu.com^
+||kutdbbfy.xyz^
+||kuthoost.net^
+||kuurza.com^
+||kuvoansub.com^
+||kuwhetsa.net^
+||kuwoucaxoad.com^
+||kuxatsiw.net^
+||kuyncvkntfke.com^
+||kvaaa.com^
+||kvahvault.top^
+||kvclwfrsvi.com^
+||kvdmuxy.com^
+||kvecc.com^
+||kvemm.com^
+||kveww.com^
+||kvexx.com^
+||kvezz.com^
+||kvfdpbad.com^
+||kvjkkwyomjrx.com^
+||kvovs.xyz^
+||kvstithy.top^
+||kvtgl4who.com^
+||kvxxkbmby.com^
+||kvymlsb.com^
+||kvyptbqhtyeq.com^
+||kw3y5otoeuniv7e9rsi.com^
+||kwbgmufi.com^
+||kwbmkwej.com^
+||kwedzcq.com^
+||kwesxaxizwca.com^
+||kwiydaw.com^
+||kwkrptykad.xyz^
+||kwncbljexuc.com^
+||kwqelx.com^
+||kwqgprdmmwxyhb.com^
+||kwtnhdrmbx.com^
+||kwtpbkqmtbuqvz.com^
+||kxadykuwmllrn.com^
+||kxbmnofffsuivv.com^
+||kxemrjbvsrd.com^
+||kxeredrhsummac.xyz^
+||kxhmyeedwkbgrh.xyz^
+||kxjanwkatrixltf.xyz^
+||kxkqqycs.xyz^
+||kxkqxdgp.com^
+||kxnggkh2nj.com^
+||kxowmbwprnck.com^
+||kxrfunmbktnl.com^
+||kxrglnpolgofvr.xyz^
+||kxshyo.com^
+||kxsvelr.com^
+||kxuattexg.com^
+||kxvxonkymcnm.com^
+||kxwhiogrswx.com^
+||kxyfhxbsvfhy.com^
+||kygcfvtjrawv.com^
+||kygfocnbvlaa.com^
+||kykfiyin.com^
+||kymirasite.pro^
+||kymllnoudhkiht.com^
+||kymnelboloman.com^
+||kyoodlehewe.com^
+||kyteevl.com^
+||kz2oq0xm6ie7gn5dkswlpv6mfgci8yoe3xlqp12gjotp5fdjxs5ckztb8rzn.codes^
+||kzasoaub.com^
+||kzcdgja.com^
+||kzdxpcn.com^
+||kzkmmbrrzn.com^
+||kzknjdlalls.com^
+||kzt2afc1rp52.com^
+||kzvcggahkgm.com^
+||kzzwi.com^
+||l-iw.de^
+||l1native.com^
+||l1vec4ms.com^
+||l3g3media.com^
+||l44mobileinter.com^
+||l45fciti2kxi.com^
+||l6zfigxku.com^
+||la-la-moon.com^
+||la-la-sf.com^
+||la3c05lr3o.com^
+||labadena.com^
+||labbyplop.com^
+||labeldollars.com^
+||lablyjtnum.com^
+||laborrend.com^
+||labourattention.com^
+||labourcucumberarena.com^
+||labourerlavender.com^
+||labourermarmotgodmother.com^
+||labourmuttering.com^
+||labporno.com^
+||labsappland.com^
+||labsoacu.com^
+||laccaiccrusta.com^
+||lacecoming.com^
+||lacecompressarena.com^
+||laceratehard.com^
+||lacerateinventorwaspish.com^
+||laciniatibert.com^
+||lackawopsik.xyz^
+||lacklesslacklesscringe.com^
+||lacquerpreponderantconsist.com^
+||lacquerreddeform.com^
+||lactantsurety.top^
+||lacukboz.com^
+||ladbrokesaffiliates.com.au^
+||ladeeglulr.net^
+||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^
+||laeiwbkt.com^
+||laf1ma3eban85ana.com^
+||lafakevideo.com^
+||lafastnews.com^
+||lagabsurdityconstrain.com^
+||laggerozonid.website^
+||lagqmwyvqr.com^
+||lagrys.xyz^
+||lagt.cloud^
+||laharal.com^
+||lahemal.com^
+||laichook.net^
+||laichourooso.xyz^
+||laichsbedamns.com^
+||laidapproximatelylacerate.com^
+||laimroll.ru^
+||lainaumi.com^
+||laincomprehensiblepurchaser.com^
+||lairauque.com^
+||laithepacinko.click^
+||laitushous.com^
+||laivue.com^
+||laizuwhy.com^
+||lajjmqeshj.com^
+||lajouly.com^
+||lakequincy.com^
+||lakmus.xyz^
+||lakvandula.com^
+||lalalkamwsz.com^
+||lalaping.com^
+||lalapush.com^
+||lalokdocwl.com^
+||lalqyyxorytp.com^
+||lambingsyddir.com^
+||lamburnsay.live^
+||lame7bsqu8barters.com^
+||lamesinging.com^
+||lamiaescowls.com^
+||lamjpiarmas.com^
+||lammasbananas.com^
+||lampdrewcupid.com^
+||lamplynx.com^
+||lamppostharmoniousunaware.com^
+||lampshademirror.com^
+||lanceforthwith.com^
+||landelcut.com^
+||landitmounttheworld.com^
+||landmarkfootnotary.com^
+||landscapeuproar.com^
+||landwaycru.com^
+||lanentablelanentablefantasy.com^
+||laneyounger.com^
+||languetomalgia.top^
+||languidintentgained.com^
+||languishnervousroe.com^
+||lanistaads.com^
+||lanksnail.com^
+||lanopoon.net^
+||lanoqhji.com^
+||lantodomirus.com^
+||lanzonmotlier.click^
+||lapblra5do4j7rfit7e.com^
+||lapbscpgazh.com^
+||lapowed.com^
+||lapre28rmcat2.com^
+||lapseboomacid.com^
+||lapsebreak.com^
+||lapsephototroop.com^
+||laptweakbriefly.com^
+||lapypushistyye.com^
+||laqixtkqpfax.com^
+||laqsvgmjrw.com^
+||laquearhokan.com^
+||laraliadirt.top^
+||larasub.conxxx.pro^
+||larchesrotates.com^
+||lardapplications.com^
+||lardonsmein.top^
+||lardpersecuteunskilled.com^
+||lardyirreproachabledeserve.com^
+||lardyjeg.com^
+||larentisol.com^
+||largeharass.com^
+||largepeering.com^
+||largestloitering.com^
+||laridaetrionfo.top^
+||larkenjoyedborn.com^
+||larnaxhexact.click^
+||larontale.com^
+||laronwinepot.top^
+||larrenpicture.pro^
+||larsepso.xyz^
+||las4srv.com^
+||lascivioushelpfulstool.com^
+||laserdandelionhelp.com^
+||laserdrivepreview.com^
+||laserharasslined.com^
+||lashahib.net^
+||lashinglivable.top^
+||lasosignament.com^
+||lassampy.com^
+||lastermannose.top^
+||lastlyseaweedgoose.com^
+||lasubqueries.com^
+||latchwaitress.com^
+||latelypillar.com^
+||lateranfigs.top^
+||laterincessant.com^
+||latest-news.pro^
+||latestsocial.com^
+||latheendsmoo.com^
+||lathilusted.top^
+||latinwayy.com^
+||lator308aoe.com^
+||latrinehelves.com^
+||lattermailmandumbest.com^
+||latternarcoticbullet.com^
+||laudianauchlet.com^
+||laughedaffront.com^
+||laughedrevealedpears.com^
+||laughingrecordinggossipy.com^
+||laughteroccasionallywarp.com^
+||lauglaph.net^
+||laugoust.com^
+||laugus.com^
+||lauhefoo.com^
+||lauhoosh.net^
+||laukaivi.net^
+||laulme.info^
+||launchbit.com^
+||laundrydesert.com^
+||laupelezoow.xyz^
+||laureevie.com^
+||laushoar.xyz^
+||lausoudu.net^
+||laustiboo.com^
+||lauthana.net^
+||lauwofigleegry.net^
+||lavando2scas1hh1.com^
+||lavangataled.com^
+||lavatorydownybasket.com^
+||lavatoryhitschoolmaster.com^
+||lavenderhierarchy.com^
+||lavenderthingsmark.com^
+||lavendertyre.com^
+||lavish-brilliant.pro^
+||lavtaexvpxnms.com^
+||lavufa.uno^
+||lawcmabfoqal.com^
+||lawduwdtozw.com^
+||lawingpicein.top^
+||lawishkukri.com^
+||lawsbuffet.com^
+||lawsuniversitywarning.com^
+||lawunfriendlyknives.com^
+||laxativestuckunclog.com^
+||laxoaksi.net^
+||layer-ad.org^
+||layeravowportent.com^
+||layerloop.com^
+||layermutual.com^
+||layerpearls.com^
+||layiaaesopic.top^
+||layingracistbrainless.com^
+||laylmty.com^
+||layoutsdaydawn.top^
+||layzvgxgodnv.com^
+||lazarsunthank.top^
+||lazyrelentless.com^
+||lb176n3cg.com^
+||lbbzxarfoukaf.com^
+||lbexhowxemwo.com^
+||lbfgwkxq.com^
+||lbjxsort.xyz^
+||lbkezllkewevy.top^
+||lboxpznkq.com^
+||lbswotkkpry.com^
+||lbxcnbrczmmp.com^
+||lbxetynjwqyrw.com^
+||lby2kd27c.com^
+||lbylqeravmowq.top^
+||lbypewrshxl.com^
+||lcarlbvwr.com^
+||lcfooiqhro.com^
+||lcloperoxeo.xyz^
+||lcmbppikwtxujc.xyz^
+||lcncbusdg.com^
+||lcolumnstoodth.info^
+||lcrhtauvic.com^
+||lcswbwinvhzm.com^
+||lcvdvyqpewwhllt.com^
+||lcwnlhy.com^
+||lcwoewvvmhj.com^
+||lcxxwxo.com^
+||ldcadfuway.com^
+||ldclxgkcy.xyz^
+||ldcrfkvy.com^
+||ldedallover.info^
+||ldfeqvkunqawgru.com^
+||ldimnveryldgitwe.xyz^
+||ldjyvegage.com^
+||ldlikukemyfueuk.info^
+||ldmlnhfnly.com^
+||ldrenandthe.org^
+||ldrsvmkajnzx.com^
+||ldthinkhimun.com^
+||ldtscklwyxc.com^
+||lduhtrp.net^
+||ldwbgvhxvtnjto.com^
+||lead1.pl^
+||leadadvert.info^
+||leadbolt.net^
+||leadcola.com^
+||leadenabsolution.com^
+||leadenretain.com^
+||leadingindication.pro^
+||leadingservicesintimate.com^
+||leadmediapartners.com^
+||leadscorehub-view.info^
+||leadsecnow.com^
+||leadsleap.net^
+||leadzu.com^
+||leadzupc.com^
+||leadzutw.com^
+||leafletcensorrescue.com^
+||leafletluckypassive.com^
+||leafletsmakesunpleasant.com^
+||leafminefield.com^
+||leafy-feel.com^
+||leaguedispleasedjut.com^
+||leakervassar.top^
+||leakfestive.com^
+||leanbathroom.com^
+||leanunderstatement.com^
+||leanwhitepinafo.org^
+||leapcompatriotjangle.com^
+||leapretrieval.com^
+||learningcontainscaterpillar.com^
+||learntinga.com^
+||leasemiracle.com^
+||leasepotwort.click^
+||leashextendposh.com^
+||leashmotto.com^
+||leashrationaldived.com^
+||leathbowling.top^
+||leatmansures.com^
+||leaveoverwork.com^
+||leaveundo.com^
+||leavingboth.com^
+||leavingenteredoxide.com^
+||leavingsuper.com^
+||lebinaphy.com^
+||lebpeqroqqvtf.com^
+||lecapush.net^
+||lecdhuq.com^
+||lecticashaptan.com^
+||ledaoutrush.com^
+||ledgingalcaid.com^
+||ledhatbet.com^
+||ledrapti.net^
+||leebisuk.xyz^
+||leechdesperatelymidterm.com^
+||leechiza.net^
+||leefosto.com^
+||leegaroo.xyz^
+||leeglgcsvoisg.com^
+||leenaitheez.com^
+||leeptoadeesh.net^
+||leesymvlvck.xyz^
+||leetaipt.net^
+||leetmedia.com^
+||leewayjazzist.com^
+||leezeemu.com^
+||leezeept.com^
+||leezoama.net^
+||leforgotteddisg.info^
+||left-world.com^
+||leftempower.com^
+||leftoverstatistics.com^
+||leftshoemakerexpecting.com^
+||legal-weight.pro^
+||legalavouch.com^
+||legalchained.com^
+||legalizedistil.com^
+||legalsofafalter.com^
+||legcatastrophetransmitted.com^
+||legendaryremarkwiser.com^
+||legendbrowsprelude.com^
+||legendeducationalprojects.com^
+||legerikath.com^
+||leggygagbighearted.com^
+||leggymomme.top^
+||leginsi2leopard1oviy1hf.com^
+||legitimatelubricant.com^
+||legitimatemess.pro^
+||legitimatepowers.com^
+||legmcwfok.com^
+||legxrhrrb.xyz^
+||lehechapunevent.com^
+||lehoacku.net^
+||lehtymns.com^
+||leisurebrain.com^
+||leisurehazearcher.com^
+||leisureinhibitdepartment.com^
+||leisurelyeaglepestilent.com^
+||leisurelyparoleexcitedly.com^
+||leisurelypizzascarlet.com^
+||lelesidesukbeing.info^
+||lelrouxoay.com^
+||lementwrencespri.info^
+||lemetri.info^
+||lemitsuz.net^
+||lemmaheralds.com^
+||lemondependedadminister.com^
+||lemotherofhe.com^
+||lemouwee.com^
+||lempeehu.xyz^
+||lemsoodol.com^
+||lenkmio.com^
+||lenmit.com^
+||lenopoteretol.com^
+||lentculturalstudied.com^
+||lenthyblent.com^
+||lentmatchwith.info^
+||lentoidreboast.top^
+||leonbetvouum.com^
+||leonistenstyle.com^
+||leonodikeu9sj10.com^
+||leoojlxbcvnmpbe.com^
+||leoparddisappearcrumble.com^
+||leopardenhance.com^
+||leopardfaithfulbetray.com^
+||leoyard.com^
+||lepetitdiary.com^
+||lephaush.net^
+||lepiotaplacus.top^
+||lepiotaspectry.com^
+||leqjnmmyqtb.com^
+||lernodydenknow.info^
+||leroonge.xyz^
+||lerrdoriak.com^
+||leskdywzbfk.com^
+||lesoocma.net^
+||lessencontraceptive.com^
+||lesserdragged.com^
+||lessite.pro^
+||lessonworkman.com^
+||lestqqoquamajn.com^
+||letaikay.net^
+||letinclusionbone.com^
+||letitnews.com^
+||letitredir.com^
+||letopreseynatc.org^
+||letqejcjo.xyz^
+||letsbegin.online^
+||letstry69.xyz^
+||lettedhomoean.shop^
+||letterslamp.online^
+||letterwolves.com^
+||leucan3thegm6um.com^
+||leukemianarrow.com^
+||leukemiaruns.com^
+||levelbraid.com^
+||leveragebestow.com^
+||leveragetypicalreflections.com^
+||leverseriouslyremarks.com^
+||leveryone.info^
+||levityheartinstrument.com^
+||levityprogramming.com^
+||levityquestionshandcuff.com^
+||levyteenagercrushing.com^
+||lewlanderpurgan.com^
+||lexicoggeegaw.website^
+||lfeaqcozlbki.com^
+||lfewvebxzt.com^
+||lfkxjcrlrrar.com^
+||lflcbcb.com^
+||lfmfkklhgqsk.com^
+||lfngqrtheim.com^
+||lfnwqrghxqrqb.com^
+||lfodybaft.com^
+||lfooldjzuyfhae.com^
+||lfpmtibqwqre.com^
+||lfstmedia.com^
+||lfufujhxmy.com^
+||lfwujowkcf.com^
+||lfxkgdvf.com^
+||lgcssusa.com^
+||lgepbups.xyz^
+||lgezbhylndpnuf.com^
+||lgqffscxfqv.com^
+||lgqqhbnvfywo.com^
+||lgs3ctypw.com^
+||lgse.com^
+||lgtdkpfnor.com^
+||lgviqkrimvmy.xyz^
+||lgwxawtg.com^
+||lh031i88q.com^
+||lhamjcpnpqb.xyz^
+||lhbrkotf.xyz^
+||lhdmihaby.xyz^
+||lhecbmq.com^
+||lheoutn.com^
+||lhioqxkralmy.com^
+||lhiswrkt.com^
+||lhmos.com^
+||li.blogtrottr.com^
+||li2meh6eni3tis.com^
+||liabilitygenerator.com^
+||liabilityspend.com^
+||liablematches.com^
+||liabletablesoviet.com^
+||liadm.com^
+||liaisondegreedaughters.com^
+||liambafaying.com^
+||liaoptse.net^
+||liarcram.com^
+||libcdn.xyz^
+||libedgolart.com^
+||libellousstaunch.com^
+||libelpreferred.com^
+||libelradioactive.com^
+||liberalthrustwhilst.com^
+||libertycdn.com^
+||libertystmedia.com^
+||libgetgrocers.top^
+||librariandemocrattoss.com^
+||libraryglowingjo.com^
+||licantrum.com^
+||licenseelegance.com^
+||lichsemicha.top^
+||lickinggetting.com^
+||lickingimprovementpropulsion.com^
+||licmiwot.com^
+||lidburger.com^
+||liddenlywilli.org^
+||lidsaich.net^
+||lieforepawsado.com^
+||liegelygosport.com^
+||liegesyn.top^
+||lievel.com^
+||lievhbbqbapjkh.com^
+||lifeboatdetrimentlibrarian.com^
+||lifeimpressions.net^
+||lifemoodmichelle.com^
+||lifeporn.net^
+||lifesoonersoar.org^
+||lifestyleheartrobust.com^
+||lifetds.com^
+||lifetimeagriculturalproducer.com^
+||lifewaykisan.click^
+||liffic.com^
+||lifiads.com^
+||lifict.com^
+||lifootsouft.com^
+||liftdna.com^
+||liftedd.net^
+||ligatus.com^
+||lightenintimacy.com^
+||lightfoot.top^
+||lightningbarrelwretch.com^
+||lightningcast.net^
+||lightningly.co^
+||lightningobstinacy.com^
+||lightsriot.com^
+||lightssyrupdecree.com^
+||ligninenchant.com^
+||liivhntsu.com^
+||lijybcfgnjh.com^
+||likeads.com^
+||likecontrol.com^
+||likedpatpresent.com^
+||likedstring.com^
+||likedtocometot.info^
+||likelihoodrevolution.com^
+||likenessmockery.com^
+||likenewvids.online^
+||likescenesfocused.com^
+||liktufmruav.com^
+||lilacbeaten.com^
+||lilacsloppy.com^
+||lilcybu.com^
+||lilialconcoct.top^
+||lilnowpunptsxs.com^
+||lilureem.com^
+||lilyhumility.com^
+||lilyrealitycourthouse.com^
+||lilysuffocateacademy.com^
+||lilysummoned.com^
+||limbcoastlineimpetuous.com^
+||limberkilnman.cam^
+||limbievireos.com^
+||limboduty.com^
+||limbrooms.com^
+||limeaboriginal.com^
+||limeclassycaption.com^
+||limemanprocbal.com^
+||limineshucks.com^
+||limitationvolleyballdejected.com^
+||limitbrillianceads.com^
+||limitedkettlemathematical.com^
+||limitesrifer.com^
+||limitlessascertain.com^
+||limitssimultaneous.com^
+||limoners.com^
+||limpattemptnoose.com^
+||limpingpick.com^
+||limpomut.com^
+||limurol.com^
+||lin01.bid^
+||lindasmensagens.online^
+||linderbourgs.top^
+||lineagecineol.top^
+||linearmummy.com^
+||linearsubdued.com^
+||linendamns.top^
+||lingamretene.com^
+||lingerdisquietcute.com^
+||lingerincle.com^
+||lingosurveys.com^
+||lingrethertantin.com^
+||lingyknubby.com^
+||liningdoimmigrant.com^
+||liningemigrant.com^
+||liningreduction.com^
+||link2thesafeplayer.click^
+||linkadvdirect.com^
+||linkbuddies.com^
+||linkchangesnow.com^
+||linkedassassin.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^
+||lintgallondissipate.com^
+||lintyahimsas.com^
+||linygamone.top^
+||liondolularhene.info^
+||lionessmeltdown.com^
+||lipidicchaoush.com^
+||lipmswonv.com^
+||lipqkoxzy.com^
+||lipsate.com^
+||lipurialauroyl.com^
+||liqikxqpx.com^
+||liquidapprovaltar.com^
+||liquidfire.mobi^
+||liquorelectric.com^
+||liquorsref.com^
+||lirangloid.top^
+||lirdooch.xyz^
+||list-ads.com^
+||listbrandnew.com^
+||listenedmusician.com^
+||listlessoftenkernel.com^
+||litarnrajol.com^
+||litdeetar.live^
+||literacyneedle.com^
+||literacysufficientlymicroscope.com^
+||literalbackseatabroad.com^
+||literalcorpulent.com^
+||literalpraisepassengers.com^
+||literaryonboard.com^
+||literatureheartburnwilling.com^
+||literaturehogwhack.com^
+||literaturerehearsesteal.com^
+||literatureunderstatement.com^
+||literpeore.com^
+||liton311ark.com^
+||littlecdn.com^
+||littlecutecats.com^
+||littlecutedogs.com^
+||littlecutelions.com^
+||littleearthquakeprivacy.com^
+||littleneptunenews.com^
+||littleworthjuvenile.com^
+||littlmarsnews22.com^
+||litvp.com^
+||liupoaa.com^
+||live-a-live.com^
+||livedspoonsbun.com^
+||liveleadtracking.com^
+||livelihoodpracticaloperating.com^
+||livelycontributorvariations.com^
+||livelytusk.com^
+||liverbarrelrustle.com^
+||livesexbar.com^
+||livestockfeaturenecessary.com^
+||livestormy.com^
+||livezombymil.com^
+||livid-inspector.com^
+||lividmoonsif.top^
+||lividn.com^
+||livingshedhowever.com^
+||livrfufzios.com^
+||liwnffsxdhn.com^
+||lixihyrwpgh.com^
+||lixnirokjqp.com^
+||lixsbdifa.com^
+||lixuhwuwychupbd.com^
+||lixxqkaqaragxu.com^
+||lizebruisiaculi.info^
+||lizouhaiwhe.com^
+||lizzieforcepincers.com^
+||ljbwzlmzlzbkm.top^
+||ljlbzdqznogl.com^
+||ljlvftvryjowdm.xyz^
+||ljoyjuis.com^
+||ljr3.site^
+||ljtodywdhx.xyz^
+||ljubleasyu.com^
+||ljyajgjvuv.com^
+||ljykyxgp.com^
+||ljyzfwahwe.com^
+||ljzxdranhsf.com^
+||lkcoffe.com^
+||lkdvvxvtsq6o.com^
+||lketpgwauan.com^
+||lkeurotpmiz.com^
+||lkg6g644.de^
+||lkhfkjp.com^
+||lkhmkmhlqst.xyz^
+||lkiawpwigg.com^
+||lkjgdyhtdrnau.com^
+||lkjoncgixi.com^
+||lkkemywlsyxsq.xyz^
+||lkkmnudvvx.com^
+||lklofubgk.com^
+||lkmedcjyh.xyz^
+||lkoqoxgkntjv.com^
+||lkoxbiwi.com^
+||lkpmprksau.com^
+||lkqd.net^
+||lkqpxhw.com^
+||lksbnrs.com^
+||lkxahvf.com^
+||llalo.click^
+||llbonxcqltulds.xyz^
+||llboqevyazylr.top^
+||lldkgppuwi.com^
+||lllshkre.com^
+||llmeocaptainh.com^
+||llozybovlkekk.top^
+||llpnrfplbkoalts.com^
+||llq9q2lacr.com^
+||llqqhwfjtdtvnt.com^
+||llthwkoqlxwajb.com^
+||lltyfiqsdgsvnr.xyz^
+||lludd-ize.com^
+||lluwrenwsfh.xyz^
+||llyighaboveth.com^
+||llykjmzqkzkbr.top^
+||llynbooming.top^
+||lmaghokalqji.xyz^
+||lmalyjywqlolv.top^
+||lmdfmd.com^
+||lmgyjug31.com^
+||lmj8i.pro^
+||lmkiltdmsgoiony.com^
+||lmmpjhvli.com^
+||lmn-pou-win.com^
+||lmp3.org^
+||lmqvowevzlwbr.top^
+||lmqysxpwytiknqe.com^
+||lmuondxclws.com^
+||lmvkxaadihu.com^
+||lnabew.com^
+||lnbdbdo.com^
+||lnbvulysvyc.com^
+||lncfuqbgpnmxm.xyz^
+||lnhamforma.info^
+||lnhdlukiketg.info^
+||lnjdtbpx.com^
+||lnk8j7.com^
+||lnkfrsgrt.xyz^
+||lnkrdr.com^
+||lnkvv.com^
+||lnlxhsjjqfjs.com^
+||lnmreidn.com^
+||lntrigulngdates.com^
+||lnyajvutvvirw.xyz^
+||lo8ve6ygour3pea4cee.com^
+||loadercdn.com^
+||loading-resource.com^
+||loadingscripts.com^
+||loadlatestoverlyinfo-program.info^
+||loadtime.org^
+||loaducaup.xyz^
+||loafplaceunchanged.com^
+||loafsmash.com^
+||loagoshy.net^
+||loaire.com^
+||loajawun.com^
+||loaksandtheir.info^
+||loanxas.xyz^
+||loaptaijuw.com^
+||loastees.net^
+||loathecurvedrepress.com^
+||loatherelevens.top^
+||loatheskeletonethic.com^
+||loazuptaice.net^
+||lobberamylom.top^
+||lobby-x.eu^
+||lobepessary.com^
+||lobesforcing.com^
+||lobfrbrlx.com^
+||loboclick.com^
+||loboloshetaery.com^
+||lobsterbusily.com^
+||lobsterredress.com^
+||lobsudsauhiw.xyz^
+||local-flirt.com^
+||localadbuy.com^
+||localedgemedia.com^
+||locallycompare.com^
+||locallyhastefowl.com^
+||localslutsnearme.com^
+||localsnaughty.com^
+||locandalorries.com^
+||locatchi.xyz^
+||locatedstructure.com^
+||locationaircondition.com^
+||lockdowncautionmentally.com^
+||locked-link.com^
+||lockerantiquityelaborate.com^
+||lockerdomecdn.com^
+||lockersatelic.cam^
+||lockerstagger.com^
+||locketthose.com^
+||lockingadmitted.com^
+||lockingcooperationoverprotective.com^
+||lockingvesselbaseless.com^
+||lockperseverancebertram.com^
+||locomotiveconvenientriddle.com^
+||locomotivetroutliquidate.com^
+||locooler-ageneral.com^
+||locusflourishgarlic.com^
+||lodebajury.top^
+||lodgedynamitebook.com^
+||lodgesweet.com^
+||lodroe.com^
+||loeilbygo.shop^
+||lofgfokgxtr.com^
+||loftknowing.com^
+||loftsbaacad.com^
+||loftychord.com^
+||loftyeliteseparate.com^
+||loggyareolas.top^
+||loghutouft.net^
+||logicconfinement.com^
+||logicdate.com^
+||logicdripping.com^
+||logicorganized.com^
+||logicschort.com^
+||loginlockssignal.com^
+||loglabitrufly.top^
+||loglaupt.com^
+||logsgroupknew.com^
+||logshort.xyz^
+||logystowtencon.info^
+||loinpriestinfected.com^
+||loiteringcoaltuesday.com^
+||loivpcn.com^
+||loivpdbzx.com^
+||loketsaucy.com^
+||loktrk.com^
+||lolacorded.top^
+||lolco.net^
+||loliumpruigo.com^
+||lologhfd.com^
+||lolsefti.com^
+||loneextreme.pro^
+||lonelytransienttrail.com^
+||lonerdrawn.com/watch.1008407049393.js
+||lonerdrawn.com^
+||lonfilliongin.com^
+||long1x.xyz^
+||longarctic.com^
+||longeargloving.com^
+||longerbuttonamendment.com^
+||longerhorns.com^
+||longestencouragerobber.com^
+||longestsundays.com^
+||longestwaileddeadlock.com^
+||longingarsonistexemplify.com^
+||longlakeweb.com^
+||longmansuchcesu.info^
+||lonreddone.com^
+||loobilycorvet.com^
+||loodauni.com^
+||loohiwez.net^
+||lookandfind.me^
+||lookebonyhill.com^
+||lookinews.com^
+||lookingnull.com^
+||lookoutabjectinterfere.com^
+||lookruler.com^
+||looksblazeconfidentiality.com^
+||looksdashboardcome.com^
+||lookshouldthin.com^
+||looksthrilled.com^
+||looktotheright.com^
+||lookujie.net^
+||lookwhippedoppressive.com^
+||loolausufouw.com^
+||loolowhy.com^
+||looluchu.com^
+||loomplyer.com^
+||loomscald.com^
+||loomspreadingnamely.com^
+||loooutlet.com^
+||loopanews.com^
+||loopfulescalop.top^
+||loopme.me^
+||loopr.co^
+||looscreech.com^
+||loose-chemistry.pro^
+||looseclassroomfairfax.com^
+||loosehandcuff.com^
+||loosematuritycloudless.com^
+||loosenpuppetnone.com^
+||loosishunproud.top^
+||lootexhausted.com^
+||lootexport.com^
+||loothoko.net^
+||lootynews.com^
+||looverfamose.top^
+||loozubaitoa.com^
+||loppersixtes.top^
+||lopqkwmm.xyz^
+||loqhpdkx.com^
+||loquatbethump.top^
+||lorageiros.com^
+||loralana.com^
+||lorcgnziipstq.com^
+||lordandogger.top^
+||lordhelpuswithssl.com^
+||lorswhowishe.com^
+||lorybnfh.com^
+||losercurt.com^
+||loserwentsignify.com^
+||losespiritsdiscord.com^
+||loshaubs.com^
+||losingfunk.com^
+||losingninth.com^
+||losingoldfry.com^
+||losingtiger.com^
+||lossactivity.com^
+||lostdormitory.com^
+||lostinfuture.com^
+||losybsno.com^
+||lotclergyman.com^
+||lothlyunfaith.com^
+||lotionfortunate.com^
+||lotreal.com^
+||lotstoleratescarf.com^
+||lotteryaffiliates.com^
+||lottingjacks.top^
+||lotusinmillier.com^
+||louakodybqfrv.com^
+||louchaug.com^
+||louchees.net^
+||louderwalnut.com^
+||loudlongerfolk.com^
+||louisaprocedureegoism.com^
+||louisedistanthat.com^
+||loukoost.net^
+||louloapi.com^
+||loulouly.net^
+||loungetackle.com^
+||loungyserger.com^
+||lourdoueisienne.website^
+||louseflippantsettle.com^
+||lousefodgel.com^
+||louses.net^
+||loustagu.com^
+||loustran288gek.com^
+||lousyfastened.com^
+||louxoxo.com^
+||love-world.me^
+||lovedcorrectionsuffix.com^
+||lovehiccuppurple.com^
+||lovely-sing.pro^
+||lovelybingo.com^
+||lovemateforyou.com^
+||loverevenue.com^
+||loverfellow.com^
+||loversarrivaladventurer.com^
+||loverssloppy.com^
+||lovesgoner.com^
+||lovesparkle.space^
+||loveyousaid.info^
+||low-sad.com^
+||lowdodrioon.com^
+||lowercommander.com^
+||lowereasygoing.com^
+||loweredexaggeratemeasures.com^
+||loweredinflammable.com^
+||lowestportedexams.com^
+||lowgraveleron.com^
+||lowlatiasan.com^
+||lowleafeontor.com^
+||lowlifeimprovedproxy.com^
+||lowlifesalad.com^
+||lownoc.org^
+||lowpedalhumidity.com^
+||lowremoraidon.com^
+||lowrihouston.pro^
+||lowseelan.com^
+||lowsmoochumom.com^
+||lowsteelixor.com^
+||lowtyroguer.com^
+||lowtyruntor.com^
+||lowuybgxsekr.com^
+||loxalrauch.com^
+||loxitdat.com^
+||loxtk.com^
+||loyalracingelder.com^
+||loyeesihighlyreco.info^
+||lp-preview.net^
+||lp247p.com^
+||lpair.xyz^
+||lpaoz.xyz^
+||lparket.com^
+||lpawakkabpho.com^
+||lpeqztx.com^
+||lpernedasesium.com^
+||lpetooopz.com^
+||lpfmeavbcqbmy.com^
+||lplmqxqte.com^
+||lpmcr1h7z.com^
+||lpmetorealiuk.info^
+||lpmugcevks.com^
+||lppexpgt.com^
+||lpravybegqv.com^
+||lptcfrgq.com^
+||lptiljy.com^
+||lptrak.com^
+||lptrck.com^
+||lpzhlqrrcvpnzj.com^
+||lqbvjmkwemboq.top^
+||lqbzuny.com^
+||lqcaznzllnrfh.com^
+||lqcdn.com^
+||lqclick.com^
+||lqjnjelmmya.com^
+||lqmvvsgusod.com^
+||lqpmulou.com^
+||lqsbqjuld.com^
+||lqtiwevsan.com^
+||lqvm.lvbeybbkovqar.top^
+||lqwswjwpmaih.com^
+||lqxuwqhh.com^
+||lr-in.com^
+||lraonxdikxi.com^
+||lrcdjqw.com^
+||lreqmoonpjka.com^
+||lrqknpk.com^
+||lryofjrfogp.com^
+||lsandothesaber.org^
+||lsgktcuajpifxg.xyz^
+||lsgpxqe.com^
+||lsgwkbk.com^
+||lsjne.com^
+||lsqggflcsm.com^
+||lstkadfnevu.com^
+||lstonorallantyne.com^
+||lsvblpynuezkbf.com^
+||lszydrtzsh.com^
+||ltapsxz.xyz^
+||ltassrv.com.s3.amazonaws.com^
+||ltassrv.com^
+||ltedinncreasuke.org^
+||ltengronsa.com^
+||lteyrcwpoh.xyz^
+||ltmcixdhx.com^
+||ltmuzcp.com^
+||ltmywtp.com^
+||ltnyzlrqggx.com^
+||ltrac4vyw.com^
+||lubbardstrouds.com^
+||lubowitz.biz^
+||lubricantexaminer.com^
+||lucentfreer.com^
+||lucentposition.com^
+||luciditycuddle.com^
+||lucidityhormone.com^
+||lucidlymutualnauseous.com^
+||lucidmedia.com^
+||luciuspushedsensible.com^
+||luckiersandia.top^
+||luckilyewe.com^
+||luckilyhurry.com^
+||lucklayed.info^
+||luckterrifying.com^
+||luckyads.pro^
+||luckyforbet.com^
+||luckypapa.xyz^
+||luckypushh.com^
+||luckyz.xyz^
+||lucrinearraign.com^
+||lucvhrdlywvnwh.com^
+||ludabmanros.com^
+||ludxivsakalg.com^
+||lugajxy.com^
+||luggagebuttonlocum.com^
+||luhhcodutax.com^
+||luhjdiomy.com^
+||luhkbsyx.com^
+||lujkkxgrbs.com^
+||lukdliketobepa.info^
+||lukeaccesspopped.com^
+||lukeexposure.com^
+||lukpush.com^
+||lulachu.com^
+||lulgpmdmbtedzl.com^
+||lullxkwwu.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^
+||lunatesame.top^
+||luncheonbeehive.com^
+||lunchpaybackdarcy.com^
+||lunchtimehermione.com^
+||lunchvenomous.com^
+||lungersleaven.click^
+||lungingunified.com^
+||lunio.net^
+||luofinality.com^
+||lupvaqvfeka.com^
+||luqlgnxfkgub.com^
+||luqqlylvh.com^
+||lurcicdhevi.com^
+||lurdoocu.com^
+||lureillegimateillegimate.com^
+||lurgaimt.net^
+||lurgimte.com^
+||lurkfibberband.com^
+||lurkgenerally.com^
+||luronews.com^
+||lurrynumud.com^
+||lusaisso.com^
+||luscioussensitivenesssavour.com^
+||lusciouswrittenthat.com^
+||lushcrush.com^
+||lusinlepading.com^
+||lustasserted.com^
+||lustickmiasmic.com^
+||lutachechu.pro^
+||luuming.com^
+||luvaihoo.com^
+||luwsebstwpc.com^
+||luwt.cloud^
+||luxadv.com^
+||luxatedbulten.com^
+||luxbetaffiliates.com.au^
+||luxcdn.com^
+||luxins.net^
+||luxlnk.com^
+||luxope.com^
+||luxup.ru^
+||luxup2.ru^
+||luxupadva.com^
+||luxupcdna.com^
+||luxupcdnb.com^
+||luxupcdnc.com^
+||luxuriousannotation.com^
+||luxuriousbreastfeeding.com^
+||luxuriouscomplicatedsink.com^
+||luxuryfluencylength.com^
+||luyten-98c.com^
+||luzulabeguile.com^
+||lv5hj.top^
+||lvbaeugc.com^
+||lvbeybbkovbaq.top^
+||lvbeybbkovqar.top^
+||lvbngvy.com^
+||lvhcqaku.com^
+||lvjptld.com^
+||lvlmhyjzdan.com^
+||lvnnqdgxdlhj.com^
+||lvodomo.info^
+||lvojjayaaoqym.top^
+||lvomenbxbyl.com^
+||lvsnmgg.com^
+||lvw7k4d3j.com^
+||lvwuuehkvitwn.com^
+||lvyowwkqealv.top^
+||lw2dplgt8.com^
+||lwgadm.com^
+||lwghtbqqmbxiet.com^
+||lwhyihajamafu.com^
+||lwjje.com^
+||lwjvyd.com^
+||lwlagvxxyyuha.xyz^
+||lwmheajc.com^
+||lwmmhsalfnoa.com^
+||lwojitro.top^
+||lwonclbench.com^
+||lwrnikzjpp.com^
+||lwvbhhvgrv.com^
+||lwwdvshhbj.com^
+||lwxuo.com^
+||lx2rv.com^
+||lxkzcss.xyz^
+||lxlncklnikihc.com^
+||lxnkuie.com^
+||lxstat.com^
+||lxvluwda.com^
+||lybgzqbuopv.com^
+||lyceessnakery.com^
+||lycheenews.com^
+||lycopuscris.com^
+||lycoty.com^
+||lydebbqcuam.com^
+||lydiacorneredreflect.com^
+||lydiapain.com^
+||lyearsfoundhertob.com^
+||lyfoldqwyihiv.xyz^
+||lygbbkgykzcr.com^
+||lygvtmeaekuv.com^
+||lyingdownt.xyz^
+||lyingleisurelycontagious.com^
+||lyjcwiwzkq.com^
+||lylufhuxqwi.com^
+||lylydevelope.com^
+||lyoak.com^
+||lyonthrill.com^
+||lyricalattorneyexplorer.com^
+||lyricaldefy.com^
+||lyricsgrand.com^
+||lyricslocusvaried.com^
+||lyricsneighbour.com^
+||lyricspartnerindecent.com^
+||lysim-lre.com^
+||lysinevii.click^
+||lysjpqhhzve.com^
+||lyssapebble.com^
+||lyticaframeofm.com^
+||lywasnothycanty.info^
+||lyzenoti.pro^
+||lzjl.com^
+||lzukrobrykk.com^
+||lzxdx24yib.com^
+||m-rtb.com^
+||m.xrum.info^
+||m0hcppadsnq8.com^
+||m0rsq075u.com^
+||m2.ai^
+||m2pub.com^
+||m2track.co^
+||m32.media^
+||m3cads.com^
+||m3i0v745b.com^
+||m4clicks.com^
+||m53frvehb.com^
+||m73lae5cpmgrv38.com^
+||m8ppac2on0xy.com^
+||m9w6ldeg4.xyz^
+||ma2gs3wne3gfej70osium.com^
+||ma3ion.com^
+||maaivkgdulv.com^
+||maaphdiwuoetl.com^
+||mabdkggqleseuhj.com^
+||mabelasateens.com^
+||mabolmvcuo.com^
+||mabtcaraqdho.com^
+||mabyerwaxand.click^
+||macacosmarline.top^
+||macan-native.com^
+||macaronibackachebeautify.com^
+||macaroniwalletmeddling.com^
+||macherazizzle.top^
+||machineryincuroutput.com^
+||machineryvegetable.com^
+||machogodynamis.com^
+||macomaenteria.top^
+||macro.adnami.io^
+||madadsmedia.com^
+||madbridalmomentum.com^
+||madcpms.com^
+||maddencloset.com^
+||maddenparrots.com^
+||maddenword.com^
+||madebabysittingimperturbable.com^
+||madeevacuatecrane.com^
+||madehimalowbo.info^
+||madehugeai.live^
+||madeinvasionneedy.com^
+||mademadelavish.com^
+||madesout.com^
+||madeupadoption.com^
+||madeupdependant.com^
+||madlegendlawsuit.com^
+||madlyexcavate.com^
+||madnessindians.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^
+||mafiaillegal.com^
+||mafon.xyz^
+||mafrarc3e9h.com^
+||mafroad.com^
+||maftirtagetol.website^
+||mafyak.com^
+||magapab.com^
+||magazinenews1.xyz^
+||magazinesfluentlymercury.com^
+||mage98rquewz.com^
+||magetrigla.com^
+||maggotpolity.com^
+||maghoutwell.com^
+||magicalbending.com^
+||magicalfurnishcompatriot.com^
+||magicallyitalian.com^
+||magicianboundary.com^
+||magiciancleopatramagnetic.com^
+||magicianguideours.com^
+||magicianimploredrops.com^
+||magicianoptimisticbeard.com^
+||magicignoresoil.com^
+||magistratehumorousjeep.com^
+||magmbb.com^
+||magniffic-strean.com^
+||magnificent-listen.com^
+||magnificentflametemperature.com^
+||magnificentmanlyyeast.com^
+||magr.cloud^
+||magsrv.com^
+||mahaidroagra.com^
+||mahourup.xyz^
+||maibaume.com^
+||maidendeprivation.com^
+||maiglair.net^
+||maihigre.net^
+||maihikuh.com^
+||mailboxdoablebasically.com^
+||mailboxleadsphone.com^
+||mailboxmileageattendants.com^
+||mailfdf.com^
+||mailmanuptown.com^
+||mailwithcash.com^
+||maimacips.com^
+||maimcatssystems.com^
+||maimeehu.com^
+||maimspeller.com^
+||main-ti-cod.com^
+||mainadv.com^
+||mainapiary.com^
+||mainnewsfuse.com^
+||mainroll.com^
+||maintainedencircle.com^
+||maintenancewinning.com^
+||maioux.xyz^
+||maipheeg.com^
+||maipofok.net^
+||maiptica.com^
+||mairbeets.com^
+||maithigloab.net^
+||maithooh.net^
+||majasgaol.com^
+||majesticinsensitive.com^
+||majesticrepresentative.pro^
+||majesticsecondary.com^
+||majestyafterwardprudent.com^
+||majestybrightennext.com^
+||major-video.click^
+||major.dvanadva.ru^
+||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^
+||makingnude.com^
+||malay.buzz^
+||maldini.xyz^
+||maleliteral.com^
+||malelocated.com^
+||malief.com^
+||malignantbriefcaseleading.com^
+||malinkesmectis.shop^
+||malletaskewbrittle.com^
+||malletdetour.com^
+||malleteighteen.com^
+||mallettraumatize.com^
+||malleusvialed.com^
+||mallinitially.com^
+||malljazz.com^
+||malnutritionbedroomtruly.com^
+||malnutritionvisibilitybailiff.com^
+||malowbowohefle.info^
+||maltcontaining.com^
+||malthaeurite.com^
+||maltohoo.xyz^
+||maltunfaithfulpredominant.com^
+||mamaapparent.com^
+||mamblubamblua.com^
+||mamerscastor.top^
+||mamluksburion.com^
+||mammaclassesofficer.com^
+||mammalbuy.com^
+||mammaldealbustle.com^
+||mammalsidewaysthankful.com^
+||mammocksambos.com^
+||mammothdumbest.com^
+||mamoth-deals.com^
+||mamrydoina.top^
+||mamydirect.com^
+||man2ch5836dester.com^
+||managementhans.com^
+||managesborerecords.com^
+||manahegazedatth.info^
+||manboo.xyz^
+||manbycus.com^
+||manbycustom.org^
+||manconsider.com^
+||mandantnutter.top^
+||mandatorycaptaincountless.com^
+||mandatorypainter.com^
+||mandrintamoyo.top^
+||manduzo.xyz^
+||manentsysh.info^
+||maneuptown.com^
+||mangensaud.net^
+||mangoa.xyz^
+||mangzoi.xyz^
+||maniasensiblecompound.com^
+||maniatoile.com^
+||maniconclavis.com^
+||manifefashiona.info^
+||manipulativegraphic.com^
+||manlytribute.com^
+||mannerconflict.com^
+||manoeuvrestretchingpeer.com^
+||manoirshrine.com^
+||manorfunctions.com^
+||manpowersets.com^
+||manrootarbota.com^
+||manslaughterhallucinateenjoyment.com^
+||mansudee.net^
+||mantapareseat.com^
+||manualbleedingand.com^
+||manualcasketlousy.com^
+||manualdin.com^
+||manualquiet.com^
+||manufacturerscenery.com^
+||manufacturerscornful.com^
+||manureinforms.com^
+||manureoddly.com^
+||manurepungentfew.com^
+||manuretravelingaroma.com^
+||manzosui.xyz^
+||mapakrogngi.com^
+||mapamnni.com^
+||mapbovdpdy.com^
+||mapeeree.xyz^
+||maper.info^
+||maplecurriculum.com^
+||maptitch.net^
+||maquiags.com^
+||marapcana.online^
+||marazma.com^
+||marbct.xyz^
+||marbil24.co.za^
+||marbleapplicationsblushing.com^
+||marbleborrowedours.com^
+||marchedrevolution.com^
+||marcherfilippo.com^
+||marchesbragged.com^
+||marchingdishonest.com^
+||marchingpostal.com^
+||marcoscrupulousmarks.com^
+||marecreateddew.com^
+||mareswimming.com^
+||margaritaimmense.com^
+||margaritapowerclang.com^
+||mariadock.com^
+||marial.pro^
+||marianneflog.com^
+||mariannestanding.com^
+||mariaretiredave.com^
+||marimedia.com^
+||marinadewomen.com^
+||marinegruffexpecting.com^
+||marineingredientinevitably.com^
+||maritaltrousersidle.com^
+||markedoneofthe.info^
+||markerleery.com^
+||marketcreatedwry.com^
+||marketgid.com^
+||marketingabsentremembered.com^
+||marketingbraid.com^
+||marketingenhanced.com^
+||marketinghinder.com^
+||marketland.me^
+||markofathenaluk.com^
+||markreptiloid.com^
+||markshospitalitymoist.com^
+||marktworks.com^
+||markxa.xyz^
+||marormesole.com^
+||marphezis.com^
+||marrowopener.com^
+||marryclamour.com^
+||marryingsakesarcastic.com^
+||marshagalea.com^
+||marshakhula.top^
+||marshalembeddedtreated.com^
+||marshwhisper.com^
+||marsoonlayup.com^
+||marspearelct.com^
+||martafatass.pro^
+||martcubic.com^
+||martenconstellation.com^
+||marti-cqh.com^
+||martinvitations.com^
+||martugnem.com^
+||martyrcontrol.com^
+||martyrvindictive.com^
+||marvedesderef.info^
+||marvelbuds.com^
+||marvelhuntcountry.com^
+||marvellousperforming.com^
+||marwerreh.top^
+||masakeku.com^
+||masaxe.xyz^
+||masbpi.com^
+||masculineillness.com^
+||masculyanoine.top^
+||masklink.org^
+||masonopen.com^
+||masontotally.com^
+||masqueradeentrustveneering.com^
+||masqueradeflashy.com^
+||masqueradethousand.com^
+||massacreintentionalmemorize.com^
+||massacresurrogate.com^
+||massagefumaria.click^
+||massariuscdn.com^
+||massbrag.care^
+||masserfusty.top^
+||massesnieces.com^
+||massivetreadsuperior.com^
+||massiveunnecessarygram.com^
+||masterfrowne.org^
+||mastexpelledsink.com^
+||mastinstungmoreal.com^
+||masturbaseinvegas.com^
+||matchaix.net^
+||matchingundertake.com^
+||matchjunkie.com^
+||matchuph.com^
+||matecatenae.com^
+||materialfirearm.com^
+||maternaltypicalattendance.com^
+||maternityiticy.com^
+||mathads.com^
+||mathematicalma.info^
+||mathematicsswift.com^
+||mathneedle.com^
+||mathsdelightful.com^
+||mathssyrupword.com^
+||maticalmasterouh.info^
+||matildawu.online^
+||matiro.com^
+||matreedknifes.com^
+||matrix-news.org^
+||matswhyask.cam^
+||matterlanguidmidnight.com^
+||mattockpackall.com^
+||mattressashamed.com^
+||mattressstumpcomplement.com^
+||mauchopt.net^
+||maudau.com^
+||maugoops.xyz^
+||mauhara.com^
+||maulupoa.com^
+||mauptaub.com^
+||mautifasa.xyz^
+||mautsanaces.shop^
+||mavokkozbvpy.com^
+||mavq.net^
+||maw5r7y9s9helley.com^
+||mawhhjoastprrd.com^
+||mawksspiloma.com^
+||mawlaybob.com^
+||maxbounty.com^
+||maxconvtrk.com^
+||maxigamma.com^
+||maxim.pub^
+||maximtoaster.com^
+||maximumductpictorial.com^
+||maximumimmortality.com^
+||maxocdgras.com^
+||maxonclick.com^
+||maxprofitcontrol.com^
+||maxserving.com^
+||maxvaluead.com^
+||maxytrk.com^
+||maya15.site^
+||maybejanuarycosmetics.com^
+||maybenowhereunstable.com^
+||mayberesemble.com^
+||maydeception.com^
+||maydoubloonsrelative.com^
+||mayhemabjure.com^
+||mayhemreconcileneutral.com^
+||mayhemsixtydeserves.com^
+||mayhemsurroundingstwins.com^
+||maylnk.com^
+||maymooth-stopic.com^
+||mayonnaiseplumbingpinprick.com^
+||mayorfifteen.com^
+||mayorfound.com^
+||mayorleap.com^
+||maypacklighthouse.com^
+||maysunown.live^
+||mayule.xyz^
+||mazdeangastrea.com^
+||mazefoam.com^
+||mb-npltfpro.com^
+||mb01.com^
+||mb102.com^
+||mb103.com^
+||mb104.com^
+||mb38.com^
+||mb57.com^
+||mbdippex.com^
+||mbewimcotjri.com^
+||mbidadm.com^
+||mbidinp.com^
+||mbidpsh.com^
+||mbindu.com^
+||mbjrkm2.com^
+||mbledeparatea.com^
+||mblhzlqkhukry.com^
+||mbnot.com^
+||mbphiclx.com^
+||mbreviewer.com^
+||mbreviews.info^
+||mbstrk.com^
+||mbtgcagioorcw.com^
+||mbuncha.com^
+||mbundabarony.top^
+||mbundapontic.click^
+||mbvfawgcsnukb.com^
+||mbvlmx.com^
+||mbvlmz.com^
+||mbvndisplay.site^
+||mbvsm.com^
+||mbxudcghfy.com^
+||mc7clurd09pla4nrtat7ion.com^
+||mcahjwf.com^
+||mcfstats.com^
+||mcizas.com^
+||mckensecuryr.info^
+||mcovipqaxq.com^
+||mcppsh.com^
+||mcpuwpsh.com^
+||mcpuwpush.com^
+||mcqgfoc.com^
+||mcrertpgdjbvj.com^
+||mcrfncrswbeka.com^
+||mctailqwjke.com^
+||mcurrentlyse.shop^
+||mcurrentlysea.info^
+||mcvwjzj.com^
+||mcxmke.com^
+||mcycity.com^
+||mczbf.com^
+||mdadx.com^
+||mddsp.info^
+||mdghnrtegwuqar.com^
+||mdoirsw.com^
+||mdpycygel.com^
+||mdwmrmfsimtabb.com^
+||me4track.com^
+||me6q8.top^
+||me7x.site^
+||meadowdocumentcaprizecaprize.com^
+||meagplin.com^
+||mealplanningideas.com^
+||mealrake.com^
+||meandiminutionhit.com^
+||meanieichnite.com^
+||meaningfullandfallbleat.com^
+||meaningfunnyhotline.com^
+||meansneverhorrid.com^
+||meantimechimneygospel.com^
+||meaofscnjt.com^
+||measlyglove.pro^
+||measts.com^
+||measuredlikelihoodperfume.com^
+||measuredsanctify.com^
+||measuredshared.com^
+||measurementaz.com^
+||measuringcabinetclerk.com^
+||measuringrules.com^
+||meatjav11.fun^
+||meawo.cloud^
+||mebeptxj.com^
+||mechaelpaceway.com^
+||mechanicalcardiac.com^
+||meckaughiy.com^
+||meconicoutfish.com^
+||meddleachievehat.com^
+||meddlekilled.com^
+||meddlingwager.com^
+||medfoodsafety.com^
+||medfoodspace.com^
+||medfoodtech.com^
+||medgoodfood.com^
+||media-412.com^
+||media-general.com^
+||media-sapiens.com^
+||media-servers.net^
+||media6degrees.com^
+||media970.com^
+||mediaappletree.com^
+||mediabelongkilling.com^
+||mediaclick.com^
+||mediacpm.com^
+||mediaf.media^
+||mediaforge.com^
+||mediagridwork.com^
+||mediaoaktree.com^
+||mediaonenetwork.net^
+||mediapalmtree.com^
+||mediapeartree.com^
+||mediapush1.com^
+||mediasama.com^
+||mediaserf.net^
+||mediaspineadmirable.com^
+||mediasprucetree.com^
+||mediatebrazenmanufacturer.com^
+||mediative.ca^
+||mediative.com^
+||mediatraks.com^
+||mediaver.com^
+||mediaxchange.co^
+||medical-aid.net^
+||medicalcandid.com^
+||medicalpossessionlint.com^
+||medicationlearneddensity.com^
+||medicationneglectedshared.com^
+||medimnbream.top^
+||medinewaps.com^
+||mediocrecount.com^
+||meditateenhancements.com^
+||mediuln.com^
+||mediumtunapatter.com^
+||medleyads.com^
+||medoofty.com^
+||medriz.xyz^
+||medullapreppy.top^
+||medusasglance.com^
+||medyanetads.com^
+||meeewms.com^
+||meekcomplaint.pro^
+||meekscooterliver.com^
+||meelaque.com^
+||meemichob.com^
+||meenetiy.com^
+||meepsaph.xyz^
+||meepwrite.com^
+||meerihoh.net^
+||meerustaiwe.net^
+||meestuch.com^
+||meet4you.net^
+||meet4youu.com^
+||meet4youu.net^
+||meetic-partners.com^
+||meetingcoffeenostrils.com^
+||meetingrailroad.com^
+||meetwebclub.com^
+||meewireg.com^
+||meezauch.net^
+||mefestivalbout.com^
+||megaad.nz^
+||megabookline.com^
+||megacot.com^
+||megadeliveryn.com^
+||megdexchange.com^
+||meghis.com^
+||megmobpoi.club^
+||megnotch.xyz^
+||meinxovwep.com^
+||meksicie.net^
+||mekstolande.com^
+||melhvsfwueuvx.com^
+||meligh.com^
+||melindacst.com^
+||melit-zoy.com^
+||mellodur.net^
+||melnhroru.com^
+||melodramaticlaughingbrandy.com^
+||melodyplans.com^
+||melongetplume.com^
+||melonransomhigh.com^
+||meltedacrid.com^
+||meltembrace.com^
+||meltyoungmarijuana.com^
+||melyapons.top^
+||membersattenuatejelly.com^
+||memberscrisis.com^
+||membershipimmunitysport.com^
+||memia.xyz^
+||memorableanticruel.com^
+||memorablecutletbet.com^
+||memorableeditor.com^
+||memorizematch.com^
+||menacehabit.com^
+||menacing-awareness.pro^
+||mendationforca.info^
+||mendedrefuel.com^
+||mendslaughter.com^
+||mentalincomprehensiblealien.com^
+||mentallyissue.com^
+||mentionedpretentious.com^
+||mentionedrubbing.com^
+||mentiopportal.org^
+||mentorconform.com^
+||mentoremotionapril.com^
+||mentrandi.com^
+||mentswithde.com^
+||mentxviewsinte.info^
+||mentxviewsinterf.info^
+||meo257na3rch.com^
+||meofmukindwoul.info^
+||meowpushnot.com^
+||meowthon.com^
+||merchenta.com^
+||mercifulsurveysurpass.com^
+||mercuras.com^
+||mercuryprettyapplication.com^
+||mercurysugarconsulting.com^
+||merelysqueak.com^
+||mergebroadlyclenched.com^
+||mergedlava.com^
+||mergeindigenous.com^
+||mergerecoil.com^
+||merig.xyz^
+||meritabroadauthor.com^
+||meropeafrown.top^
+||merry-hearing.pro^
+||merryindecisionremained.com^
+||merterpazar.com^
+||merzostueru2hu8jr09.com^
+||meseyktphwwxq.com^
+||mesmerizebeasts.com^
+||mesmerizeexempt.com^
+||mesmerizemutinousleukemia.com^
+||mesozoabandh.com^
+||mesqwrte.net^
+||messagereceiver.com^
+||messenger-notify.digital^
+||messenger-notify.xyz^
+||messengeridentifiers.com^
+||messy-concentrate.com^
+||messymeter.com^
+||mestoaxo.net^
+||mestreqa.com^
+||mestupidity.com^
+||metahv.xyz^
+||metalbow.com^
+||metallcorrupt.com^
+||metasterisk.com^
+||metatestruck.com^
+||metatrckpixel.com^
+||metavertising.com^
+||metavertizer.com^
+||meteorclashbailey.com^
+||meteordentproposal.com^
+||metesmaculae.com^
+||metfoetushandicraft.com^
+||methodfluyts.top^
+||methodslacca.top^
+||methodyprovand.com^
+||methoxyunpaled.com^
+||metoacrype.com^
+||metogthr.com^
+||metorealiukz.org^
+||metosk.com^
+||metotreatwithdify.info^
+||metredesculic.com^
+||metrica-yandex.com^
+||metricattempt.com^
+||metrics.io^
+||metricswpsh.com^
+||metsaubs.net^
+||mettlecrating.com^
+||metwandfertile.top^
+||metzia.xyz^
+||mevarabon.com^
+||mewgzllnsp.com^
+||mewlstomolo.top^
+||mexicantransmission.com^
+||mexoacmaidu.com^
+||meyximegrgypnv.com^
+||mfabxfb.com^
+||mfadsrvr.com^
+||mfbarfvjk.com^
+||mfceqvxjdownjm.xyz^
+||mfcewkrob.com^
+||mfhlsdd.com^
+||mfihwtbtwl.com^
+||mfk-cpm.com^
+||mflztgubvfo.com^
+||mfofgdhtv.com^
+||mfqfgjftee.com^
+||mfthkdj.com^
+||mftracking.com^
+||mgcash.com^
+||mgdjmp.com^
+||mgdtnwnjwewlph.com^
+||mghkpg.com^
+||mgjgqztw.com^
+||mgl9hmluh.com^
+||mglvfetiub.com^
+||mgrcghccvk.com^
+||mgwdrnjxolcr.com^
+||mgxqqtrdse.com^
+||mgxxuqp.com^
+||mgyccfrshz.com^
+||mh9dskj8jg.com^
+||mhadsd.com^
+||mhamanoxsa.com^
+||mhboxleky.com^
+||mhbyzzp.com^
+||mhcfsjbqw.com^
+||mhdiaok.com^
+||mhdprkwje.com^
+||mheniwwacl.com^
+||mhhr.cloud^
+||mhkvktz.com^
+||mhqjiaxpenfw.com^
+||mhrnlgsf.com^
+||mhrpusbstm.com^
+||mhvllvgrefplg.com^
+||mhwpwcj.com^
+||mi62r416j.com^
+||mi82ltk3veb7.com^
+||miamribud.com^
+||miaouedcrevass.com^
+||miayarus.com^
+||micastpyridic.com^
+||micechillyorchard.com^
+||micghiga2n7ahjnnsar0fbor.com^
+||michealmoyite.com^
+||mickiesetheric.com^
+||microad.net^
+||microadinc.com^
+||micronsecho.com^
+||microscopeattorney.com^
+||microscopeunderpants.com^
+||microwavedisguises.com^
+||microwavemay.com^
+||midastouchrt.com^
+||middaypredicamentnephew.com^
+||middleagedlogineveryone.com^
+||middleagedreminderoperational.com^
+||midgetdeliveringsmartly.com^
+||midgetincidentally.com^
+||midistortrix.com^
+||midlandfeisty.com^
+||midmaintee.com^
+||midnightcontemn.com^
+||midnoonfrigate.shop^
+||midootib.net^
+||midpopedge.com^
+||midstconductcanned.com^
+||midstdropped.com^
+||midstrelate.com^
+||midstwillow.com^
+||midsummerinoculate.com^
+||midtermbuildsrobot.com^
+||midwifelangurs.com^
+||midwiferider.com^
+||miggslxuqlowz.com^
+||mightylottrembling.com^
+||mightytshirtsnitch.com^
+||migimsas.net^
+||mignished-sility.com^
+||mignonsniper.com^
+||migopwrajhca.com^
+||migraira.net^
+||migrantacknowledged.com^
+||migrantfarewellmoan.com^
+||migrantspiteconnecting.com^
+||migrationscale.com^
+||migrationscarletquick.com^
+||migric.com^
+||mikeylaude.com^
+||mikhrmpwbtrip.com^
+||mikop.xyz^
+||milasktic.com^
+||mildcauliflower.com^
+||mildjav11.fun^
+||mildlyrambleadroit.com^
+||mildoverridecarbonate.com^
+||mileesidesu.org^
+||milesdrone.com^
+||milfunsource.com^
+||militiatillers.top^
+||milksquadronsad.com^
+||milkygoodness.xyz^
+||milkywaynewspaper.com^
+||millennialmedia.com^
+||millerminds.com^
+||millionsafternoonboil.com^
+||millionsskinny.com^
+||milljeanne.com^
+||millsurfaces.com^
+||millustry.top^
+||milteept.xyz^
+||miltlametta.com^
+||miluwo.com^
+||mimicbeeralb.com^
+||mimicdisperse.com^
+||mimilcnf.pro^
+||mimosaavior.top
+||mimosaavior.top^
+||mimxdsqiativb.com^
+||mindamender.com^
+||mindedallergyclaim.com^
+||mindedcarious.com^
+||minderalasselfemployed.com^
+||mindless-fruit.pro^
+||mindlessindignantlimbs.com^
+||mindlessnight.com^
+||mindlessslogan.com^
+||mindlessswim.pro^
+||mindssometimes.com^
+||minealoftcolumnist.com^
+||minefieldripple.com^
+||minently.com^
+||mineraltip.com^
+||mingleabstainsuccessor.com^
+||mingledcommit.com^
+||mingledcounterfeittitanic.com^
+||minglefrostgrasp.com^
+||mingonnigh.com^
+||miniaturecomfortable.com^
+||miniatureoffer.pro^
+||miniglobalcitizens.com^
+||minimize363.fun^
+||minimizetommyunleash.com^
+||minimumacquitteam.com^
+||minimumonwardfertilised.com^
+||ministryensuetribute.com^
+||minivetossal.top^
+||minorcrown.com^
+||minorityspasmodiccommissioner.com^
+||minotaur107.com^
+||minsaith.xyz^
+||mintclick.xyz^
+||mintmanunmanly.com^
+||mintybug.com^
+||minutesdevise.com^
+||minutessongportly.com^
+||miraculousregimentabbreviate.com^
+||miraells.top^
+||miredindeedeisas.info^
+||mirfakpersei.top^
+||mirifelon.com^
+||mirroraddictedpat.com^
+||mirsuwoaw.com^
+||mirtacku.xyz^
+||mirthrehearsal.com^
+||misaboi.com^
+||misaglam.com^
+||misarea.com^
+||miscalculatesuccessiverelish.com^
+||miscellaneousheartachehunter.com^
+||mischiefrealizationbraces.com^
+||mischiefwishes.com^
+||misctool.xyz^
+||misenab.com^
+||miserable-discount.com^
+||miserablefocus.com^
+||miserdiscourteousromance.com^
+||miseryclevernessusage.com^
+||misfields.com^
+||misfortunedelirium.com^
+||misgala.com^
+||misguidedfind.com^
+||misguidedfriend.pro^
+||misguidednourishing.com^
+||mishandlemole.com^
+||mishapideal.com^
+||mishapsummonmonster.com^
+||miskalsbending.com^
+||miskoru.com^
+||mislaer.com^
+||mismaum.com^
+||missilesocalled.com^
+||missilesurvive.com^
+||missionaryhypocrisypeachy.com^
+||missioncontinuallywarp.com^
+||missiondues.com^
+||missitzantiot.com^
+||misslinkvocation.com^
+||misslk.com^
+||misspelluptown.com^
+||misspkl.com^
+||misstaycedule.com^
+||misszuo.xyz^
+||mistakeadministrationgentlemen.com^
+||mistakeenforce.com^
+||mistakeidentical.com^
+||misterbangingfancied.com^
+||misterdefrostale.com^
+||mistletoeethicleak.com^
+||mistletoeforensics.com^
+||mistrustconservation.com^
+||mistydexterityflippant.com^
+||misunderstandrough.com^
+||misuseartsy.com^
+||misusefreeze.com^
+||misuseoyster.com^
+||misuseproductions.com^
+||misyuni.com^
+||mitosisaralia.top^
+||mittenheatdied.com^
+||miuo.cloud^
+||miveci.uno^
+||miwllmo.com^
+||mixandfun.com^
+||mixclckchat.net^
+||mixedpianist.com^
+||mixhillvedism.com^
+||mixpo.com^
+||miyqoyyazdal.com^
+||mizensdisney.com^
+||mjehvuwgy.com^
+||mjeltachv.com^
+||mjgvrxbu.com^
+||mjpvukdc.com^
+||mjqvfrmyvumj.com^
+||mjsytjw.com^
+||mjterajvyil.com^
+||mjudrkjajgxx.xyz^
+||mjvnpybcakx.com^
+||mjxlfwvirjmt.com^
+||mjymhwdu.com^
+||mjzrebrjty.com^
+||mkeliihb.com^
+||mkenativji.com^
+||mkepacotck.com^
+||mkgiiijigxwwn.com^
+||mkhoj.com^
+||mkjsqrpmxqdf.com^
+||mkkvprwskq.com^
+||mkxfbiwcet.com^
+||ml0z14azlflr.com^
+||ml314.com^
+||mlatrmae.net^
+||mlaykpjmdeso.com^
+||mldfckinkpyhwk.com^
+||mldxqrntd.xyz^
+||mlhmaoqf.xyz^
+||mlirbkbpyg.com^
+||mllatydz.com^
+||mlldrlujqg.com^
+||mllqfiucttnuzn.com^
+||mlnadvertising.com^
+||mlnybwnbwzhiy.com^
+||mloxcnrt.com^
+||mlpeqwkruffs.com^
+||mlqyyucumcoxum.com^
+||mlrfltuc.com^
+||mlrrvusoiebaox.com^
+||mlstatmaehnvtgu.com^
+||mlsys.xyz^
+||mltmsw0td.com^
+||mluemlmxn.com^
+||mluptwapaj.com^
+||mlvlesvw.com^
+||mlwstbdnwdfyng.com^
+||mlxanxnktseoxm.com^
+||mlzxfwvonky.com^
+||mm-cgnews.com^
+||mm-syringe.com^
+||mmadsgadget.com^
+||mmchoicehaving.com^
+||mmctsvc.com^
+||mmczmfgpq.com^
+||mmdyvkndcsiw.com^
+||mmentorapp.com^
+||mmismm.com^
+||mmjfnxx.com^
+||mmjjnufyaadr.com^
+||mmliwvbw.com^
+||mmmdn.net^
+||mmmytckae.com^
+||mmoabpvutkr.com^
+||mmoddkdn.com^
+||mmondi.com^
+||mmotraffic.com^
+||mmpgultziojbcw.com^
+||mmphijndajxiui.com^
+||mmpxrajwrbpcylq.com^
+||mmqvujl.com^
+||mmsmpjtksdnjqw.com^
+||mmtnat.com^
+||mmutpubcaegu.com^
+||mmvideocdn.com^
+||mmxshltodupdlr.xyz^
+||mn1nm.com^
+||mn230126pb.com^
+||mnaspm.com^
+||mnaujmo.com^
+||mnbvjhg.com^
+||mncvjhg.com^
+||mndjcojpsdcr.com^
+||mndlvr.com^
+||mndsrv.com^
+||mndvjhg.com^
+||mnekumtrssln.com^
+||mnetads.com^
+||mnevjhg.com^
+||mng-ads.com^
+||mnhjk.com^
+||mnhjkl.com^
+||mnnxqjvewinmxc.com^
+||mntzr11.net^
+||mntzrlt.net^
+||mnvgvhksif.com^
+||mnwjxqwt.xyz^
+||mnzznvpktnqtmm.com^
+||mo3i5n46.de^
+||mo9jr8ie6sier3an.com^
+||moadworld.com^
+||moaglail.xyz^
+||moagroal.com^
+||moakaumo.com^
+||moanhaul.com^
+||moaningbeautifulnobles.com^
+||moaningtread.com^
+||moanishaiti.com^
+||moanomoa.xyz^
+||moapaglee.net^
+||moapuwhe.com^
+||moartraffic.com^
+||moastizi.xyz^
+||moatads.com^
+||moawgsfidoqm.com^
+||moawhoumahow.com^
+||mob1ledev1ces.com^
+||mobdel2.com^
+||mobexpectationofficially.com^
+||mobgold.com^
+||mobibiobi.com^
+||mobicont.com^
+||mobicow.com^
+||mobidevdom.com^
+||mobiflyc.com^
+||mobiflyd.com^
+||mobiflys.com^
+||mobifobi.com^
+||mobifoth.com^
+||mobile5shop.com^
+||mobiledevel.com^
+||mobileoffers-7-j-download.com^
+||mobileoffers-ac-download.com^
+||mobileoffers-dld-download.com^
+||mobileoffers-downloadapp-a.com^
+||mobileoffers-ep-download.com^
+||mobilepreviouswicked.com^
+||mobiletracking.ru^
+||mobipromote.com^
+||mobiright.com^
+||mobisla.com^
+||mobitracker.info^
+||mobiyield.com^
+||mobmsgs.com^
+||mobnotices.com^
+||mobpartner.mobi^
+||mobpushup.com^
+||mobreach.com^
+||mobshark.net^
+||mobstitial.com^
+||mobstrks.com^
+||mobthoughaffected.com^
+||mobtrks.com^
+||mobtyb.com^
+||mobytrks.com^
+||mocean.mobi^
+||mockingcard.com^
+||mockingchuckled.com^
+||mockingcolloquial.com^
+||mockingsubtlecrimpycrimpy.com^
+||mocmubse.net^
+||modelingfraudulent.com^
+||modents-diance.com^
+||modepatheticms.com^
+||moderategermmaria.com^
+||modescrips.info^
+||modificationdispatch.com^
+||modifymaintenance.com^
+||modifywilliamgravy.com^
+||modiolitorah.top^
+||modoodeul.com^
+||modoro360.com^
+||modulecooper.com^
+||moduledescendantlos.com^
+||modulepush.com^
+||moedgapers.com^
+||moera.xyz^
+||moetconfisk.top^
+||mofettecalmed.com^
+||mogointeractive.com^
+||mogulcrambos.top^
+||mohiwhaileed.com^
+||moiernonpaid.com^
+||moilizoi.com^
+||moistblank.com^
+||moistcargo.com^
+||moistenmanoc.com^
+||moistentrailed.top^
+||mojoaffiliates.com^
+||mojogike.net^
+||mokotoparch.top^
+||mokrqhjjcaeipf.xyz^
+||moksoxos.com^
+||moleconcern.com^
+||molecularhouseholdadmiral.com^
+||mollandgleam.top^
+||molseelr.xyz^
+||molttenglobins.casa^
+||molypsigry.pro^
+||momclumsycamouflage.com^
+||momecubane.com^
+||momentarilyhalt.com^
+||momentincorrect.com^
+||momentumgreenhouseexpert.com^
+||momentumjob.com^
+||momhomicidalspa.com^
+||momijoy.ru^
+||mommygravelyslime.com^
+||monadplug.com^
+||monarchoysterbureau.com^
+||monarchstraightforwardfurnish.com^
+||monasterymedication.com^
+||moncoerbb.com^
+||mondaydeliciousrevulsion.com^
+||mondayscan.com^
+||monetag.com^
+||monetheulogic.com^
+||monetizer101.com^
+||moneycosmos.com^
+||moneymak3rstrack.com^
+||moneymakercdn.com^
+||moneytatorone.com^
+||mongpepper.com^
+||monhax.com^
+||monismartlink.com^
+||monitorpeachy.com^
+||monkeybroker.net^
+||monkeysloveyou.com^
+||monkeyunseen.com^
+||monkquestion.com^
+||monksfoodcremate.com^
+||monksmilestonewill.com^
+||monnionyusdrum.com^
+||monopolydecreaserelationship.com^
+||monsoonlassi.com^
+||monsterofnews.com^
+||monstrous-boyfriend.pro^
+||monstrousrowandays.com^
+||montafp.top^
+||montangop.top^
+||monthcurrencybeam.com^
+||monthlypatient.com^
+||monthsappear.com^
+||monthsshefacility.com^
+||montkpl.top^
+||montkyodo.top^
+||montlusa.top^
+||montnotimex.top^
+||montpdp.top^
+||montwam.top^
+||monumentcountless.com^
+||monumentsmaterialeasel.com^
+||monutroco.com^
+||monxserver.com^
+||moocaicaico.com^
+||moodjav12.fun^
+||moodokay.com^
+||moodunitsmusic.com^
+||mookie1.com^
+||moomenog.com^
+||moonads.net^
+||mooncklick.com^
+||moonheappyr.com^
+||moonicorn.network^
+||moonjscdn.info^
+||moonoafy.net^
+||moonreals.com^
+||moonrocketaffiliates.com^
+||moontuftboy.com^
+||moonveto.com^
+||moonvids.online^
+||moonvids.space^
+||mooroore.xyz^
+||mootermedia.com^
+||mooxar.com^
+||mopedisods.com^
+||mopeia.xyz^
+||mopemodelingfrown.com^
+||mopesrubelle.com^
+||mopiwhoisqui.com^
+||moplahsoleil.top^
+||moradu.com^
+||moral-enthusiasm.pro^
+||moralitylameinviting.com^
+||morbidproblem.com^
+||morbitempus.com^
+||morclicks.com^
+||mordoops.com^
+||moregamers.com^
+||morenonfictiondiscontent.com^
+||moreoverwheelbarrow.com^
+||moretestimonyfearless.com^
+||morgdm.ru^
+||morguebattle.com^
+||morict.com^
+||morionsluigini.digital^
+||moriscogabbles.com^
+||mormonindianajones.com^
+||morningamidamaruhal.com^
+||morningglory101.io^
+||morroinane.com^
+||morrolorries.top^
+||morsalurluch.com^
+||mortifyfelony.com^
+||mortoncape.com^
+||mortypush.com^
+||moscowautopsyregarding.com^
+||mosqueworking.com^
+||mosquitofelicity.com^
+||mosquitosubjectsimportantly.com^
+||mosrtaek.net^
+||mossgaietyhumiliation.com^
+||mosswhinepanther.com^
+||mostauthor.com^
+||mostdeport.com^
+||mostlyparabledejected.com^
+||mostlysolecounsellor.com^
+||mostlytreasure.com^
+||motelproficientsmartly.com^
+||mothandhad.info^
+||mothandhadbe.info^
+||motherehoom.pro^
+||motherhoodlimiteddetest.com^
+||mothifta.xyz^
+||mothima.com^
+||mothwetcheater.com^
+||motionless-range.pro^
+||motionretire.com^
+||motionsablehostess.com^
+||motionsaucermentioned.com^
+||motionspots.com^
+||motivefantee.top^
+||motivessuggest.com^
+||motleyanybody.com^
+||motsardi.net^
+||mouesdefaces.click^
+||moulterrouses.top^
+||moumstetjk.com^
+||mounaiwu.net^
+||mountainbender.xyz^
+||mountaincaller.top^
+||mountaingaiety.com^
+||mountainwavingequability.com^
+||mountedgrasshomesick.com^
+||mountedstoppage.com^
+||mountrideroven.com^
+||mourncohabit.com^
+||mourndaledisobedience.com^
+||mournfulparties.com^
+||mourningmillsignificant.com^
+||mourningonionthing.com^
+||mournpatternremarkable.com^
+||mourntrick.com^
+||mouseespendle.top^
+||mouseforgerycondition.com^
+||mousmeetrike.com^
+||moustachepoke.com^
+||mouthaipee.xyz^
+||mouthdistance.bond^
+||mouthinvincibleexpecting.com^
+||movad.de^
+||movad.net^
+||movcpm.com^
+||movemeforward.co^
+||movementdespise.com^
+||movementgang.com^
+||moverenvironmentalludicrous.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^
+||mowdzgbusbqug.com^
+||mowhamsterradiator.com^
+||moxuthoo.net^
+||moycheiistill.com^
+||mozgvya.com^
+||mozoo.com^
+||mp-pop.barryto.one^
+||mp3bars.com^
+||mp3dance.today^
+||mp3pro.xyz^
+||mp3vizor.com^
+||mpafnyfiexpe.net^
+||mpanyinadi.info^
+||mpanythathav.info^
+||mpanythathaveresultet.info^
+||mpay69.com^
+||mpbohwtqqnw.com^
+||mpbpuctr.com^
+||mpcbjnku.com^
+||mpcrvcbwdouo.com^
+||mpeaagpugbjf.com^
+||mpfqphqf.com^
+||mphhqaw.com^
+||mphkwlt.com^
+||mpk01.com^
+||mplayeranyd.info^
+||mpljrzsdufq.com^
+||mploymehnthejuias.info^
+||mpnrs.com^
+||mpougdusr.com^
+||mpqgoircwb.com^
+||mprhrvnxppdxci.com^
+||mpsauudmnwarh.com^
+||mpsuadv.ru^
+||mptentry.com^
+||mptgate.com^
+||mpuqucafrtt.com^
+||mpvvjpsdgvkpd.com^
+||mpzgnxmd.com^
+||mpzwsvueph.com^
+||mqabjtgli.xyz^
+||mqaqtwkbwcqty.xyz^
+||mqcjqjhy.com^
+||mqdeeisghdpd.xyz^
+||mqkuzy.com^
+||mqldskirbp.com^
+||mqnrrawj.com^
+||mqqxkkenfws.com^
+||mquawbxc.com^
+||mraozo.xyz^
+||mrareljqr.com^
+||mraza2dosa.com^
+||mrdzuibek.com^
+||mremlogjam.com^
+||mrflvyizjrkytj.com^
+||mrgrekeroad.com^
+||mrjb7hvcks.com^
+||mrlscr.com^
+||mrmlxqck.com^
+||mrpihtwtoprvw.com^
+||mrpsptpspesyg.com^
+||mrpztdpe.com^
+||mrqtxghhbykcjx.com^
+||mrrhmjuve.com^
+||mrstpnyxlbd.com^
+||mrtnsvr.com^
+||mrvio.com^
+||mryinerg.com^
+||mrykkulwenw.com^
+||mryzroahta.com^
+||mrzikj.com^
+||ms3t.club^
+||msads.net^
+||msdiouc.com^
+||msehm.com^
+||msensuedcounteract.com^
+||msgose.com^
+||mshago.com^
+||msidxwkjfqbrq.com^
+||mskjtggjwix.com^
+||msnvqfjg.com^
+||msotdipkjtata.com^
+||mspnvrkthtvcpl.com^
+||mspznxahjjx.com^
+||msrehcmpeme.com^
+||msrvt.net^
+||mstlewdhec.com^
+||msyyvyle.com^
+||mt34iofvjay.com^
+||mtburn.com^
+||mtejadostvovn.com^
+||mtgzlnugxej.com^
+||mthvjim.com^
+||mtinsqq.com^
+||mtkgyrzfygdh.com^
+||mttjepfakwch.com^
+||mttvhsmbtnmse.xyz^
+||mtwdmk9ic.com^
+||mtypitea.net^
+||mtytfjijgsfoy.com^
+||mtzenhigqg.com^
+||muchezougree.com^
+||muchlivepad.com^
+||muchotrust.com^
+||mucinyak.com^
+||muckilywayback.top^
+||mucopussamkhya.com^
+||mucvvcbqrwfmir.com^
+||mudbankoxfords.top^
+||muddiedbubales.com^
+||muddyharold.com^
+||muddyprocedure.com^
+||muddyquote.pro^
+||muendakutyfore.info^
+||mufcrkk.com^
+||muffled-apartment.com^
+||mufflercypress.com^
+||mufflerlightsgroups.com^
+||muffygaslike.click^
+||mugantlerfloral.com^
+||mugexfxue.com^
+||mugleafly.com^
+||mugpothop.com^
+||mugrikees.com^
+||mugwetsomalo.top^
+||muhlyramrod.top^
+||muipe.xyz^
+||mujilora.com^
+||mukhtarproving.com^
+||mulaukso.com^
+||mulberryay.com^
+||mulberrydoubloons.com^
+||mulberryresistoverwork.com^
+||mulberrytoss.com^
+||muleattackscrease.com^
+||mulecleared.com^
+||mulesto.com^
+||muletatyphic.com^
+||multicoloredsteak.pro^
+||multieser.info^
+||multimater.com^
+||multiplydiscourage.com^
+||multiplyinvisible.com^
+||multiwall-ads.shop^
+||multstorage.com^
+||mumintend.com^
+||mummydiverseprovided.com^
+||mumpingwomerah.top^
+||munilf.com^
+||munpracticalwh.info^
+||muomaccdrzo.com^
+||mupufktvziob.com^
+||mupyfpimgnvqdgy.com^
+||muqoxfnwyz.com^
+||muragetunnel.com^
+||muralattentive.com^
+||murallyhuashi.casa^
+||muraubse.com^
+||murderassuredness.com^
+||muricidmartins.com^
+||muriheem.net^
+||murkestminter.com^
+||murkybrashly.com^
+||murkymouse.online^
+||murreyequate.com^
+||murtbgab.com^
+||muscatscurls.click^
+||muscledarcysilly.com^
+||musclehaulse.top^
+||muscleomnipresent.com^
+||musclesadmonishment.com^
+||muscleserrandrotund.com^
+||musclesprefacelie.com^
+||musclyskeely.top^
+||muscularcopiedgulp.com^
+||musedemeanouregyptian.com^
+||museummargin.com^
+||mushroomplainsbroadly.com^
+||musicalbilateral.com^
+||musicalglutton.com^
+||musicianabrasiveorganism.com^
+||musicnote.info^
+||musieblolly.com^
+||musmentportal.com^
+||musselchangeableskier.com^
+||mussybebrave.com^
+||mustardeveningobvious.com^
+||mustbehand.com^
+||mustdealingfrustration.com^
+||mutcheng.net^
+||mutecrane.com^
+||mutenessdollyheadlong.com^
+||mutinydisgraceeject.com^
+||mutinygrannyhenceforward.com^
+||mutmfwgdoxvbbuo.com^
+||mutomb.com^
+||mutsjeamenism.com^
+||mutteredadis.org^
+||mutteredadisa.com^
+||muttergrew.com^
+||muttermathematical.com^
+||mutualreviveably.com^
+||mutux.cfd^
+||muzarabeponym.website^
+||muzhikendover.top^
+||muzoohat.net^
+||muzzlematrix.com^
+||muzzlepairhysteria.com^
+||mvbh7124w.com^
+||mvblxbuxe.com^
+||mvcqerddcnyfx.com^
+||mvgxadljnwyf.com^
+||mvgzwamfvkw.com^
+||mvhiyha.com^
+||mvjlsdqd.com^
+||mvkjeglvbbfvm.xyz^
+||mvlxwnbeucyrfam.xyz^
+||mvlxxocul.xyz^
+||mvlyimxovnsw.xyz^
+||mvmzlg.xyz^
+||mvnmkbixlvb.com^
+||mvntaalwjvk.com^
+||mvnznqp.com^
+||mvubzqaowhhgii.com^
+||mvujvxc.com^
+||mvvhwabeshu.xyz^
+||mvwkysam.com^
+||mvwslulukdlux.xyz^
+||mwazhey.com^
+||mwbrnpmixxtu.com^
+||mwcxljdywq.com^
+||mwifcugxihhpwm.com^
+||mwikpepfiw.com^
+||mwirawdrexp.com^
+||mwjkteucypb.com^
+||mwkusgotlzu.com^
+||mwlle.com^
+||mwmqtisxndbjdr.com^
+||mworkhovdimin.info^
+||mworkhovdiminat.info^
+||mwprotected.com^
+||mwquick.com^
+||mwrgi.com^
+||mwtnnfseoiernjx.xyz^
+||mwxopip.com^
+||mxgboxq.com^
+||mxgdslqtrdb.com^
+||mxgjgvoazhit.com^
+||mxipwcyo.xyz^
+||mxmezfyjgw.com^
+||mxmkhyrmup.com^
+||mxplwkgqfvln.com^
+||mxptint.net^
+||mxtads.com^
+||mxtqenvjpwj.com^
+||mxuiso.com^
+||mxzluxet.com^
+||my-hanson.com^
+||my.shymilftube.com^
+||my1elitclub.com^
+||myabsconds.com^
+||myaceaeudist.shop^
+||myactualblog.com^
+||myadcash.com^
+||myadsserver.com^
+||myaliamusties.top^
+||mybdrttnqbrh.com^
+||mybestdc.com^
+||mybestnewz.com^
+||mybetterck.com^
+||mybetterdl.com^
+||mybettermb.com^
+||mybmrtrg.com^
+||mycamlover.com^
+||mycasinoaccounts.com^
+||mycdn.co^
+||mycdn2.co^
+||mycelesterno.com^
+||myckdom.com^
+||myclickpush.com^
+||mycoolfeed.com^
+||mycoolnewz.com^
+||mycrdhtv.xyz^
+||mydailynewz.com^
+||myeasetrack.com^
+||myeasyvpn.com^
+||myfastcdn.com^
+||myfcvvacftdam.com^
+||myfreshposts.com^
+||myfreshspot.com^
+||mygoodlives.com^
+||mygsyv.com^
+||mygtmn.com^
+||myhappy-news.com^
+||myhjlprux.com^
+||myhugewords.com^
+||myhypeposts.com^
+||myhypestories.com^
+||myhzndxsndppx.com^
+||myimagetracking.com^
+||myjack-potscore.life^
+||myjdhmoiiwgise.com^
+||mykiger.com^
+||mykneads24.com^
+||mykofyridhsoss.xyz^
+||mylarrhoding.top^
+||mylinkbox.com^
+||myliveforyoudreder.com^
+||mylot.com^
+||myniceposts.com^
+||myolnyr5bsk18.com^
+||myperfect2give.com^
+||mypopads.com^
+||myraqcajwkeyqd.com^
+||myrtolbanzai.com^
+||myselfkneelsmoulder.com^
+||mysleepds.com^
+||mysticaldespiseelongated.com^
+||mysticmatebiting.com^
+||mysuyuslaq.com^
+||mysweetteam.com^
+||myteamdev.com^
+||mythicsallies.com^
+||mythings.com^
+||mytiris.com^
+||myudkrefaiygs.com^
+||myunderthfe.info^
+||mywondertrip.com^
+||mzcaiegjmuwfd.com^
+||mzicucalbw.com^
+||mziso.xyz^
+||mzodalowsh.com^
+||mzol7lbm.com^
+||mzotuklkorr.com^
+||mzteishamp.com^
+||mztqgmr.com^
+||mzulenef.com^
+||mzuspejtuodc.com^
+||mzwdiyfp.com^
+||mzxfrok.com^
+||mzzxfib.com^
+||n0299.com^
+||n0355.com^
+||n0400.com^
+||n0433.com^
+||n0gge40o.de^
+||n0v1cdn.com^
+||n2major.com^
+||n40wn7hqh.com^
+||n49seircas7r.com^
+||n4m5x60.com^
+||n4pusher.com^
+||n6kux3ys3lhv.com^
+||n7e4t5trg0u3yegn8szj9c8xjz5wf8szcj2a5h9dzxjs50salczs8azls0zm.com^
+||n9s74npl.de^
+||naawurkshdhs.com^
+||nabaldeed.top^
+||nabalpal.com^
+||nabauxou.net^
+||nabbr.com^
+||nabgrocercrescent.com^
+||nabicbh.com^
+||nableriptide.com^
+||nablesasmetotrea.info^
+||nachodusking.com^
+||nachusfarced.top^
+||nacontent.pro^
+||nacy6d355.com^
+||nadajotum.com^
+||nadjyiyolmxfea.com^
+||nadruphoordy.xyz^
+||nads.io^
+||naewynn.com^
+||naffor.com^
+||naforeshow.org^
+||naggingirresponsible.com^
+||nagrainoughu.com^
+||nagrande.com^
+||nagwrotedetain.com^
+||naiantcapling.com^
+||naifshinnied.top^
+||naiglipu.xyz^
+||naigristoa.com^
+||nailsandothesa.org^
+||naimoate.xyz^
+||naipatouz.com^
+||naipsouz.net^
+||nairapp.com^
+||naisepsaige.com^
+||naiskosungueal.top^
+||naive-skin.pro^
+||naivegirlie.com^
+||naivescorries.com^
+||nakedfulfilhairy.com^
+||nalhedgelnhamf.info^
+||naliw.xyz^
+||naloblwidg.com^
+||nameads.com^
+||namel.net^
+||namelessably.com^
+||namelymagnanimitycube.com^
+||namelymutiny.com^
+||namesakecapricorntotally.com^
+||namesakedisappointmentpulverize.com^
+||namesakeoscilloscopemarquis.com^
+||namjzoa.xyz^
+||namol.xyz^
+||nan0cns.com^
+||nan46ysangt28eec.com^
+||nanborderrocket.com^
+||nancontrast.com^
+||nandasmile.org^
+||nandtheathema.info^
+||nanduquelch.com^
+||nandweandthe.org^
+||naneducate.com^
+||nanesbewail.com^
+||nanfleshturtle.com^
+||nangalupeose.com^
+||nangelsaidthe.info^
+||nanhermione.com^
+||nanouwho.com^
+||nanrumandbac.com^
+||naolemkkg.com^
+||naomicasuist.top^
+||naonoupm.com^
+||naopgibzhfrz.com^
+||naoprj.com^
+||napainsi.net^
+||napallergy.com^
+||narenrosrow.com^
+||narispigweed.top^
+||narkalignevil.com^
+||narrucp.com^
+||nastokit.com^
+||nastycognateladen.com^
+||nastycomfort.pro^
+||nastymankinddefective.com^
+||natapea.com^
+||natcreativeide.info^
+||nathanaeldan.pro^
+||nationhandbook.com^
+||nationsencodecordial.com^
+||nationssalvation.com^
+||nativclick.com^
+||native-adserver.com^
+||nativeadmatch.com^
+||nativeadsfeed.com^
+||nativepu.sh^
+||nativeshumbug.com^
+||nativewpsh.com^
+||nativewpshep.com^
+||natregs.com^
+||natsdk.com^
+||natseegirde.net^
+||nattepush.com^
+||natuarycomping.com^
+||naturalhealthsource.club^
+||naturalistsbumpmystic.com^
+||naturallyedaciousedacious.com^
+||naturewhatmotor.com^
+||naubatodo.com^
+||naubme.info^
+||naucaips.com^
+||naucaish.net^
+||naufistuwha.com^
+||naughtynotice.pro^
+||naulme.info^
+||naupouch.xyz^
+||naupseko.com^
+||nauseacomplimentary.com^
+||nauseousonto.com^
+||nauthait.com^
+||nauwheer.net^
+||navaidaosmic.top^
+||navalreasonablynearby.com^
+||navelasylumcook.com^
+||navelfletch.com^
+||naveljutmistress.com^
+||navgewtxakd.com^
+||navigablepiercing.com^
+||navigateconfuseanonymous.com^
+||navigatecrudeoutlaw.com^
+||navigateiriswilliam.com^
+||navigationconcept.com^
+||navywilyoccur.com^
+||nawabsalkenes.top^
+||nawbusdf.com^
+||nawcgetfwpbff.com^
+||nawpush.com^
+||naxadrug.com^
+||naybreath.com^
+||nazakxodbz.com^
+||nazallhtjfh.com^
+||nazyepfnko.com^
+||nb09pypu4.com^
+||nbhywngpk.xyz^
+||nbinhcfnyegxxrv.com^
+||nbmramf.de^
+||nbmuesyi.com^
+||nboclympics.com^
+||nboedfpto.com^
+||nbottkauyy.com^
+||nbr9.xyz^
+||nbrsoqcwgmif.com^
+||nbstatic.com^
+||nbucvfymvkyv.com^
+||nbwvxfqpfonnqi.xyz^
+||ncaavvcssf.com^
+||ncejhltxobrl.com^
+||nceteventuryrem.com^
+||ncevipdjsuoln.com^
+||ncgvowqfolon.com^
+||ncoadbwagfvsdya.com^
+||ncpgxioelrp.com^
+||ncpnth.xyz^
+||ncpxhrurirscgsd.com^
+||ncubadmavfp.com^
+||ncukankingwith.info^
+||ncukgqjfaxjv.com^
+||ncwabgl.com^
+||ncz3u7cj2.com^
+||nczxuga.com^
+||ndandinter.hair^
+||ndaspiratiotyukn.com^
+||ndatgiicef.com^
+||ndaymidydlesswale.info^
+||ndccouuyotn.com^
+||ndcomemuni.com^
+||nddnvliv.com^
+||ndegj3peoh.com^
+||ndejhe73jslaw093.com^
+||ndenthaitingsho.com^
+||nderpurganismpr.info^
+||nderthfeo.info^
+||ndha4sding6gf.com^
+||ndhfywacw.com^
+||nditingdecord.org^
+||ndjelsefd.com^
+||ndocfwuyhvlr.com^
+||ndpugkr.com^
+||ndqkxjo.com^
+||ndqxdgnungzfx.com^
+||ndroip.com^
+||ndthensome.com^
+||ndtsusmqnuslkqx.com^
+||ndwouldmeu.info^
+||ndzksr.xyz^
+||ndzoaaa.com^
+||neads.delivery^
+||neahbutwehavein.info^
+||neandwillha.info^
+||nearestaxe.com^
+||nearestmicrowavespends.com^
+||nearestsweaty.com^
+||nearvictorydame.com^
+||neateclipsevehemence.com^
+||neatenscarfed.com^
+||neathygienesmash.com^
+||neatsafety.com^
+||neawaytogyptsix.info^
+||nebackextol.top^
+||nebsefte.net^
+||nebulouslostpremium.com^
+||necessaryescort.com^
+||necessarysticks.com^
+||necheadirtlse.org^
+||nechupsu.com^
+||neckloveham.live^
+||nedamericantpas.info^
+||nedandlooked.org^
+||nedaughablelead.info^
+||nedouseso.com^
+||neebeech.com^
+||neechube.net^
+||needeevo.xyz^
+||needleworkemmaapostrophe.com^
+||needleworkhearingnorm.com^
+||needydepart.com^
+||needyscarcasserole.com^
+||neegreez.com^
+||neehoose.com^
+||neepomiba.net^
+||neerecah.xyz^
+||neetoutoo.com^
+||neexzbibw.com^
+||neezausu.net^
+||nefdcnmvbt.com^
+||negatesupervisor.com^
+||negative-might.pro^
+||neglectblessing.com^
+||negligentpatentrefine.com^
+||negolist.com^
+||negotiaterealm.com^
+||negotiationmajestic.com^
+||negxkj5ca.com^
+||negyuk.com^
+||neigh11.xyz^
+||neighborhood268.fun^
+||neighrewarn.click^
+||neintheworld.org^
+||neitherpennylack.com^
+||nejxdoy.com^
+||nekcakexk.com^
+||nelhon.com^
+||nellads.com^
+||nellmeeten.com^
+||nellthirteenthoperative.com^
+||nelreerdu.net^
+||nemewagro.com^
+||nenectedithcon.info^
+||nengeetcha.net^
+||neoftheownouncillo.info^
+||neopowerlab.com^
+||neousaunce.com^
+||neozoicriffled.com^
+||nereserv.com^
+||nereu-gdr.com^
+||nerfctv.com^
+||nerolsdraymen.com^
+||neropolicycreat.com^
+||nervegus.com^
+||nervingbensh.com^
+||nervousclangprobable.com^
+||nervoustolsel.com^
+||nesefurthere.info^
+||nesfspublicate.info^
+||neshigreek.com^
+||nessainy.net^
+||nestledmph.com^
+||netcatx.com^
+||netflopin.com^
+||nethebravero.com^
+||netherinertia.life^
+||nethosta.com^
+||netpatas.com^
+||netstam.com^
+||netund.com^
+||neutralturbulentassist.com^
+||neuwiti.com^
+||nevbbl.com^
+||never2never.com^
+||neverforgettab.com^
+||neverthelessamazing.com^
+||neverthelessdamagingmakes.com^
+||neverthelessdepression.com^
+||nevillepreserved.com^
+||new-incoming.email^
+||new-new-years.com^
+||new-programmatic.com^
+||new17write.com^
+||newadflow.com^
+||newadflown.com^
+||newadflows.com^
+||newadsfit.com^
+||newaprads.com^
+||newarsalten.click^
+||newbiquge.org^
+||newbluetrue.xyz^
+||newbornleasetypes.com^
+||newbornprayerseagle.com^
+||newdhopr.com^
+||newdisplayformats.com^
+||newdomain.center^
+||newestchalk.com^
+||newestnone.shop^
+||newhigee.net^
+||newir3ltyug79aiman.com^
+||newjulads.com^
+||newlifezen.com^
+||newlyleisure.com^
+||newlywedexperiments.com^
+||newmayads.com^
+||newmownbuttes.com^
+||newoctads.com^
+||newprofitcontrol.com^
+||newregazedatth.com^
+||newrotatormarch23.bid^
+||newrtbbid.com^
+||news-back.org^
+||news-balica.com^
+||news-bizowa.com^
+||news-bobeho.com^
+||news-butoto.com^
+||news-buzz.cc^
+||news-capufu.com^
+||news-fadubi.com^
+||news-galuzo.cc^
+||news-getogo.com^
+||news-headlines.co^
+||news-jelafa.com^
+||news-jivera.com^
+||news-losaji.com^
+||news-mefuba.cc^
+||news-nerahu.cc^
+||news-paxacu.com^
+||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-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^
+||newsletterparalyzed.com^
+||newslikemeds.com^
+||newsmaxfeednetwork.com^
+||newsnourish.com^
+||newspapermeaningless.com^
+||newstarads.com^
+||newstemptation.com^
+||newsunads.com^
+||newswhose.com^
+||newsyour.net^
+||newthuads.com^
+||newtits.name^
+||newvideoapp.pro^
+||newwinner.life^
+||newzilla.name^
+||newzmaker.me^
+||nexaapptwp.top^
+||nexdunaw.xyz^
+||nextmillmedia.com^
+||nextpsh.top^
+||nezygmobha.com^
+||nfctoroxi.xyz^
+||nfkd2ug8d9.com^
+||nfojcjzhxwnh.com^
+||nfoxlyvassg.com^
+||nfupxwsdzbqen.com^
+||nfuwpyx.com^
+||nfwivxk.com^
+||nfxlrsxwvofi.com^
+||ngdxvnkovnrv.xyz^
+||ngegas.files.im^
+||ngeoziadiyc4hi2e.com^
+||ngfruitiesmatc.info^
+||ngfycrwwd.com^
+||ngineet.cfd^
+||ngjeaizqad.com^
+||ngjgnidajyls.xyz^
+||nglestpeoplesho.com^
+||nglmedia.com^
+||ngplansforourco.info^
+||ngponhtot.xyz^
+||ngrjmdqvqk.com^
+||ngsggarznc.com^
+||ngsinspiringtga.info^
+||ngtktfwvyqf.com^
+||ngujaqm.com^
+||ngvcalslfbmtcjq.xyz^
+||ngxpprnv.com^
+||nhanziohqat.com^
+||nhckxyxaiwqnssh.com^
+||nheappyrincen.info^
+||nhjnkis.com^
+||nhjsuchlliioi.com^
+||nhksyoei.com^
+||nhopaepzrh.com^
+||nhphkweyx.xyz^
+||nhspndjqoehzf.com^
+||nhuzqnpnbjm.com^
+||nhyxzeqkoqme.com^
+||nianstarvards.info^
+||niauuslsoxwte.com^
+||nicatethebene.info^
+||nicboab.com^
+||nice-mw.com^
+||nicelocaldates.com^
+||nicelyinformant.com^
+||nicerisle.com^
+||nicesthoarfrostsooner.com^
+||nicheads.com^
+||nichedlinks.com^
+||nichedreps.life^
+||nicheevaderesidential.com^
+||nicholassemicircledomesticated.com^
+||nichools.com^
+||nichtfaeroe.top^
+||nicibelite.com^
+||nickeeha.net^
+||nickeleavesdropping.com^
+||nickelphantomability.com^
+||nicknameuntie.com^
+||nicksstevmark.com^
+||nicmaui.com^
+||nicmisa.com^
+||nicthei.com^
+||nidaungig.net^
+||nidredra.net^
+||niecesexhaustsilas.com^
+||niecesregisteredhorrid.com^
+||niepaunmaned.top^
+||niersfohiplaceof.info^
+||nieveni.com^
+||nievetacunjer.top^
+||nifty-transportation.com^
+||nifvikfakt.com^
+||niggeusakebvkb.xyz^
+||nigglerimprove.top^
+||nightbesties.com^
+||nightclubconceivedmanuscript.com^
+||nighter.club^
+||nightfallforestallbookkeeper.com^
+||nightfallroad.com^
+||nighthereflewovert.info^
+||nightmarerelive.com^
+||nightsboostam.com^
+||nightspickcough.com^
+||nigmen.com^
+||nigooshe.net^
+||nihiy.com^
+||nijosgstamb.com^
+||nikkiexxxads.com^
+||nilmc7i0w.com^
+||nilreels.com^
+||niltibse.net^
+||nimhuemark.com^
+||nimrute.com^
+||ninanceenab.com^
+||ninancukanking.info^
+||nindscity.com^
+||nindsstudio.com^
+||nineanguish.com^
+||nineteenlevy.com^
+||nineteenthdipper.com^
+||nineteenthpurple.com^
+||nineteenthsoftballmorality.com^
+||ninetyninesec.com^
+||ninetypastime.com^
+||ningdblukzqp.com^
+||ninkorant.online^
+||ninnycoastal.com^
+||ninoglostoay.com^
+||ninsinsu.com^
+||ninsu-tmc.com^
+||ninthfad.com^
+||nippona7n2theum.com^
+||niqwtevkb.xyz^
+||nisdnwiug.com^
+||nishoagn.com^
+||nismscoldnesfspu.com^
+||nitqbanrbcv.xyz^
+||nitridslah.com^
+||nitrogendetestable.com^
+||nitrousacuity.top^
+||niwluvepisj.site^
+||niwooghu.com^
+||nixinggrugru.top^
+||nizarstream.xyz^
+||nization.com^
+||nizvimq.com^
+||njejgoscqmcqn.com^
+||njfxmqvonppwq.com^
+||njjebgkvrniwmr.com^
+||njlcmkzfex.com^
+||njlgwpardzl.com^
+||njlzougyfjo.com^
+||njpaqnkhaxpwg.xyz^
+||njplpnoxgnbpid.com^
+||njsbccyenjyq.com^
+||njtkqifu.com^
+||nkbhsbteuu.com^
+||nkbobsj.com^
+||nkbpmxdubcd.com^
+||nkcsycwf.com^
+||nkewdzp.com^
+||nkfinsdg.com^
+||nkieuulsvvjrfh.com^
+||nkjhcmlf.com^
+||nkljaxdeoygatfw.xyz^
+||nkmsite.com^
+||nkredir.com^
+||nkrvqmvlyryzn.com^
+||nktbcnkdxhqniwx.com^
+||nlbgkaesfhf.com^
+||nlblzmn.com^
+||nld0jsg9s9p8.com^
+||nleldedallovera.info^
+||nlfqqjvyfr.com^
+||nlkli.com^
+||nlnmfkr.com^
+||nlntrk.com^
+||nlwjdxsa.com^
+||nlyxqpeo.com^
+||nlzxclfg.com^
+||nmanateex.top^
+||nmcdn.us^
+||nmcpmjreuswnzs.com^
+||nmcsqihltjdnheq.com^
+||nmersju.com^
+||nmhcroxspro.com^
+||nmjamblevt.com^
+||nmkhvtnypwykfh.xyz^
+||nmkli.com^
+||nmqwdmtwjleb.com^
+||nmrjnqiwocfyi.com^
+||nmsedhkcd.com^
+||nmxcadosdrcbd.com^
+||nmybyxnjscf.com^
+||nncvwymtn.com^
+||nnetvsvxrxhkai.com^
+||nnjisvdxaoet.com^
+||nnkqkvqk.com^
+||nnncrox.com^
+||nnowa.com^
+||nntzjgzvbzz.com^
+||nnxijkdigwywla.com^
+||no2veeamggaseber.com^
+||noaderir.com^
+||noafoaji.xyz^
+||noahilum.net^
+||noanawie.com^
+||noanrzfdt.com^
+||noapsovochu.net^
+||noaptauw.com^
+||noazauro.net^
+||nobbutaaru.com^
+||nobilitybefore.com^
+||noblelevityconcrete.com^
+||noblesweb.com^
+||nobodyengagement.com^
+||nobodylightenacquaintance.com^
+||nocaudsomt.xyz^
+||noclef.com^
+||nocturnal-employer.pro^
+||nocyjsmirnfwcb.com^
+||nodcaterercrochet.com^
+||nodreewy.net^
+||noearon.click^
+||noelsdoc.cam^
+||noerwe5gianfor19e4st.com^
+||noetianidite.top^
+||nofashot.com^
+||nofidroa.xyz^
+||nognoongut.com^
+||nohezu.xyz^
+||nohowsankhya.com^
+||noiselessvegetables.com^
+||noisesperusemotel.com^
+||noisybeforemorton.com^
+||noisyjoke.pro^
+||noisyoursarrears.com^
+||noisytariff.com^
+||noisyunidentifiedinherited.com^
+||nojhhsg.com^
+||noktaglaik.com^
+||nollolofgulmof.com^
+||nolrougn.com^
+||noltaudi.com^
+||nomadodiouscherry.com^
+||nomadsbrand.com^
+||nomadsfit.com^
+||nomeetit.net^
+||nomeuspagrus.com^
+||nominalclck.name^
+||nominalreverend.com^
+||nominateallegation.com^
+||nominatecambridgetwins.com^
+||nomorepecans.com^
+||noncepter.com^
+||noncommittaltextbookcosign.com^
+||nondeepunweave.top^
+||nondescriptelapse.com^
+||nondescriptlet.com^
+||nondescriptmaterial.com^
+||nondescripttuxedo.com^
+||nonepushed.com^
+||nonerr.com^
+||nonesleepbridle.com^
+||nonestolesantes.com^
+||nonfictionrobustchastise.com^
+||nonfictiontickle.com^
+||nongrayrestis.com^
+||nonoossol.xyz^
+||nonremid.com^
+||nonsensethingresult.com^
+||nonspewpa.com^
+||nonstoppartner.de^
+||noodledbulky.top^
+||noodledesperately.com^
+||noodokod.xyz^
+||nooglaug.net^
+||noojoomo.com^
+||nookwiser.com^
+||nooloqfzdta.com^
+||noolt.com^
+||noondaylingers.com^
+||noopapnoeic.digital^
+||noopking.com^
+||nooraunod.com^
+||nope.xn--mgbkt9eckr.net^
+||nope.xn--ngbcrg3b.com^
+||nope.xn--ygba1c.wtf^
+||nopolicycrea.info^
+||nopoloferewer.com^
+||noproblfr.com^
+||noptog.com^
+||norardmirror.com^
+||norentisol.com^
+||noretia.com^
+||normalheart.pro^
+||normallydirtenterprising.com^
+||normalpike.com^
+||normalrepublicemulate.com^
+||normkela.com^
+||normugtog.com^
+||norrisengraveconvertible.com^
+||norrissoundinghometown.com^
+||northleaderpayback.com^
+||northmay.com^
+||northwestdiddived.com^
+||norymo.com^
+||nosebleedjumbleblissful.com^
+||nosedetriment.com^
+||nossairt.net^
+||nostrilquarryprecursor.com^
+||nostrilsdisappearedconceited.com^
+||nostrilsunwanted.com^
+||nosuhplhkvvza.com^
+||notabilitytragic.com^
+||notablechemistry.pro^
+||notablevehicle.com^
+||notalgrubbed.com^
+||notaloneathome.com^
+||notchcollectormuffin.com^
+||notcotal.com^
+||notdyedfinance.com^
+||notebookbesiege.com^
+||notebookmedicine.com^
+||noted-factor.pro^
+||notepastaparliamentary.com^
+||notepositivelycomplaints.com^
+||notesbook.in^
+||notesrumba.com^
+||nothiermonicg.com^
+||nothingnightingalejuly.com^
+||nothingpetwring.com^
+||nothycantyo.com^
+||noticebroughtcloud.com^
+||noticedbibi.com^
+||notifcationpushnow.com^
+||notifer.co.in^
+||notification-list.com^
+||notificationallow.com^
+||notifications.website^
+||notiflist.com^
+||notifpushnext.net^
+||notifpushnow.com^
+||notifsendback.com^
+||notify-service.com^
+||notify.rocks^
+||notify6.com^
+||notifydisparage.com^
+||notifyerr.com^
+||notifyoutspoken.com^
+||notifypicture.info^
+||notifysrv.com^
+||notifzone.com^
+||notionfoggy.com^
+||notionsshrivelcustomer.com^
+||notionstayed.com^
+||notjdyincro.com^
+||notonthebedsheets.com^
+||notorietycheerypositively.com^
+||notorietyobservation.com^
+||notorietyterrifiedwitty.com^
+||notoriouscount.com^
+||notoriousentice.com^
+||notos-yty.com^
+||notwithstandingjuicystories.com^
+||notwithstandingpeel.com^
+||noucoush.net^
+||nougacoush.com^
+||noughtefface.com^
+||noughttrustthreshold.com^
+||noukotumorn.com^
+||noumohur.com^
+||nounaswarm.com^
+||noungundated.com^
+||nounooch.com^
+||nounpasswordangles.com^
+||nounrespectively.com^
+||noupsube.xyz^
+||noureewo.com^
+||nourishinghorny.com^
+||nourishmentrespective.com^
+||nouveau-digital.com^
+||nouveaulain.com^
+||novadune.com^
+||novel-inevitable.com^
+||novelcompliance.com^
+||novelty.media^
+||noveltyensue.com^
+||novemberadventures.com^
+||novemberadventures.name^
+||novemberassimilate.com^
+||novemberseatsuccession.com^
+||novembersightsoverhear.com^
+||novemberslantwilfrid.com^
+||novibet.partners^
+||novicetattooshotgun.com^
+||novidash.com^
+||novitrk1.com^
+||novitrk4.com^
+||novitrk7.com^
+||novitrk8.com^
+||nowforfile.com^
+||nowhisho.net^
+||nowlooking.net^
+||nowspots.com^
+||nowsubmission.com^
+||nowtrk.com^
+||nowxdpborhej.com^
+||noxdgqcm.com^
+||noxiousinvestor.com^
+||noxiousrecklesssuspected.com^
+||noxixeffzek.com^
+||nozirelower.top^
+||nozzorli.com^
+||npaqfubekak.com^
+||npbkhsarqzp.com^
+||npcad.com^
+||npcta.xyz^
+||npdnnsgg.com^
+||npdocxjt.com^
+||npetropicalnorma.com^
+||nphtakjpw.com^
+||npjhdunxxfhwgtv.com^
+||npkkpknlwaslhtp.xyz^
+||npkzqlhtecxx.com^
+||npmgfyajejhlde.com^
+||npoqyrxjmphdo.com^
+||npprvby.com^
+||npracticalwhic.buzz^
+||nptauiw.com^
+||npugpilraku.com^
+||npulchj.com^
+||npvos.com^
+||nqccynlnmmumt.com^
+||nqcdenlfuvuoqj.com^
+||nqftyfn.com^
+||nqgdljechyyska.com^
+||nqgkuanetr.com^
+||nqhataamn.xyz^
+||nqisabwtfbm.com^
+||nqkdocgce.com^
+||nqmfmnmqysei.com^
+||nqn7la7.de^
+||nqoxrsrf.com^
+||nqrkzcd7ixwr.com^
+||nqslmtuswqdz.com^
+||nqtufgmgmjnwlj.com^
+||nqvlkmmti.com^
+||nrcykmnukb.com^
+||nrecitnr.com^
+||nreg.world^
+||nretholas.com^
+||nrnma.com^
+||nrnmsqpjghj.com^
+||nrqppdgnhaagjq.com^
+||nrs6ffl9w.com^
+||nrtaimyrk.com^
+||nrunmoldy.com^
+||nrvbadypy.com^
+||nrxdmssm.com^
+||nryanocytqc.com^
+||nrztjbpish.com^
+||ns003.com^
+||nsaascp.com^
+||nsaimplemuke.info^
+||nsdsvc.com^
+||nservantasrela.info^
+||nsexfxwcvro.xyz^
+||nsfwadds.com^
+||nsgyedmpxy.com^
+||nsjczjnrravfcj.com^
+||nsjyfpo.com^
+||nskwqto.com^
+||nslokxweviwqbg.com^
+||nsmartad.com^
+||nsmpydfe.net^
+||nsoimtgmnnbvi.com^
+||nspmotion.com^
+||nspot.co^
+||nssoahlyadvb.xyz^
+||nstoodthestatu.info^
+||nsuchasricew.com^
+||nsultingcoe.net^
+||nsuuuhqgjrdxhs.com^
+||nsyywkq.com^
+||nszeybs.com^
+||ntaqujdadat.com^
+||ntcqmdif.com^
+||ntedbycathyhou.info^
+||ntemtrfrqe.com^
+||nterpimne.com^
+||ntgetjpqk.com^
+||ntjmnyzwkpb.com^
+||ntlysearchingf.info^
+||ntmastsault.info^
+||ntmastsaultet.info^
+||ntmatchwithy.info^
+||ntmemns.com^
+||ntoftheusysia.info^
+||ntoftheusysianedt.info^
+||ntoftheusysih.info^
+||ntreeom.com^
+||ntrfr.leovegas.com^
+||ntrftrk.com^
+||ntsiwoulukdli.org^
+||ntsujfrvvabs.com^
+||ntswithde.autos^
+||ntuplay.xyz^
+||nturnwpqyqup.com^
+||ntv.io^
+||ntvk1.ru^
+||ntvpevents.com^
+||ntvpever.com^
+||ntvpforever.com^
+||ntvpinp.com^
+||ntvpwpush.com^
+||ntvsw.com^
+||ntxviewsinterfu.info^
+||nuanceslimli.top^
+||nubbieraristae.com^
+||nubseech.com^
+||nuclav.com^
+||nucleo.online^
+||nudczusipbu.com^
+||nudebenzoyl.digital^
+||nudesgirlsx.com^
+||nudgehydrogen.com^
+||nudgeworry.com^
+||nueduringher.org^
+||nuerprwm.xyz^
+||nuevonoelmid.com^
+||nuftitoat.net^
+||nuggetschou.com^
+||nuglegdkyjlaye.com^
+||nugrudsu.xyz^
+||nui.media^
+||nuisancehi.com^
+||nukeluck.net^
+||nukxwyyhuinwf.com^
+||nuleedsa.net^
+||nulez.xyz^
+||null-point.com^
+||nullahsembira.top^
+||nullscateringinforms.com^
+||nullsglitter.com^
+||numberium.com^
+||numberscoke.com^
+||numbersinsufficientone.com^
+||numbertrck.com^
+||numbninth.com^
+||numbswing.pro^
+||numbtoday.com^
+||numeralembody.com^
+||numeralstoast.com^
+||nunciosmegasse.website^
+||nunearn.com^
+||nuniceberg.com^
+||nupdhyzetb.com^
+||nuphizarrafw.com^
+||nupjzylhequ.com^
+||nuptoomaugou.net^
+||nuqwe.com^
+||nuraghireels.com^
+||nurcghihmec.com^
+||nurewsawan.org^
+||nurewsawaninc.info^
+||nurhagstackup.com^
+||nurno.com^
+||nurobi.info^
+||nuroflem.com^
+||nursecompellingsmother.com^
+||nurserysurvivortogether.com^
+||nuseek.com^
+||nutantvirific.com^
+||nutattorneyjack.com^
+||nutchaungong.com^
+||nutgxfwechkcuf.com^
+||nutiipwkk.com^
+||nutmegshow.com^
+||nutrientassumptionclaims.com^
+||nutrientmole.com^
+||nutritionshooterinstructor.com^
+||nutshellcellularfibber.com^
+||nutshellwhipunderstood.com^
+||nutsmargaret.com^
+||nuttinghoised.com^
+||nuxaxpluqa.com^
+||nuxdwjicbg.com^
+||nv3tosjqd.com^
+||nvaepsns.com^
+||nvane.com^
+||nvchhzg.com^
+||nvgelwnecuw.com^
+||nvjgmugfqmffbgk.xyz^
+||nvlalpfft.com^
+||nvloulsfonqpfwm.com^
+||nvougpk.com^
+||nvtvssczb.com^
+||nvudvvaecq.com^
+||nvuwqcfdux.xyz^
+||nvvmslfqowhkkv.com^
+||nvxcvyfedg.com^
+||nvzaezebhow.com^
+||nvzcoggh.com^
+||nwbndajssvjpuw.com^
+||nwejuljibczi.com^
+||nwemnd.com^
+||nwhuomqmuym.com^
+||nwmnd.com^
+||nwwais.com^
+||nwwrtbbit.com^
+||nxbxxnpb.com^
+||nxdcyhmwxlqc.com^
+||nxexydg.com^
+||nxhnaibu.com^
+||nxikijn.com^
+||nxiqvhhm.com^
+||nxladsrj.com^
+||nxlreuwdto.com^
+||nxp8tefwy.com^
+||nxpdotflwcmrcfh.com^
+||nxqolxelijv.com^
+||nxszxho.com^
+||nxt-psh.com^
+||nxtck.com^
+||nxtpsh.com^
+||nxtpsh.top^
+||nxtytjeakstivh.com^
+||nxumrjvebxr.com^
+||nxutavor.com^
+||nxwrgrymkfp.com^
+||nxymehwu.com^
+||nyadmcncserve-05y06a.com^
+||nyadra.com^
+||nycixrayvbowpue.com^
+||nyetm2mkch.com^
+||nygwcwsvnu.com^
+||nyhrgss.com^
+||nyihcpzdloe.com^
+||nykcksdpo.com^
+||nylonnickel.com^
+||nylonnickel.xyz^
+||nymilasha.click^
+||nynjiahyewoji.com^
+||nyorgagetnizati.info^
+||nyqpgzohhllvx.com^
+||nythathavere.org^
+||nytrng.com^
+||nyutkikha.info^
+||nzfhloo.com^
+||nzimmoadxfa.com^
+||nzlebmxoebtff.com^
+||nzme-ads.co.nz^
+||nzrzgorm.com^
+||nzuebfy.com^
+||nzvlpvgqsa.com^
+||nzwxemqwpv.com^
+||o-oo.ooo^
+||o18.click^
+||o18.link^
+||o2c7dks4.de^
+||o313o.com^
+||o333o.com^
+||o3sxhw5ad.com^
+||o4nofsh6.de^
+||o4uxrk33.com^
+||o626b32etkg6.com^
+||o911o.com^
+||oacaighy.com^
+||oachailo.net^
+||oackoubs.com^
+||oackoulimtoo.com^
+||oadehibut.xyz^
+||oadrojoa.net^
+||oadsaurs.net^
+||oaftaijo.net^
+||oagleeju.xyz^
+||oagnatch.com^
+||oagnolti.net^
+||oagoalee.xyz^
+||oagoofoo.net^
+||oagreess.net^
+||oagroucestou.net^
+||oahaurti.com^
+||oahosaisaign.com^
+||oainternetservices.com^
+||oainzuo.xyz^
+||oajsffmrj.xyz^
+||oakaumou.xyz^
+||oakbustrp.com^
+||oakchokerfumes.com^
+||oaklesy.com^
+||oakmostlyaccounting.com^
+||oakoghoy.net^
+||oakrirtorsy.xyz^
+||oaksafta.com^
+||oaksandtheircle.info^
+||oalitoug.com^
+||oalsauwy.net^
+||oalselry.com^
+||oaltusoamp.com^
+||oamoatch.com^
+||oamtorsa.net^
+||oanimsen.net^
+||oansaifo.net^
+||oaphoace.net^
+||oaphogekr.com^
+||oaphooftaus.com^
+||oapsoulreen.net^
+||oarcompartmentexaggerate.com^
+||oardilin.com^
+||oargaung.com^
+||oarsmorsel.com^
+||oarsoocm.com^
+||oarsparttimeparent.com^
+||oarssamgrandparents.com^
+||oarswithdraw.com^
+||oartoogree.com^
+||oasazedy.com^
+||oasishonestydemented.com^
+||oassimpi.net^
+||oastoamox.com^
+||oataltaul.com^
+||oatbcxnhacfjnc.com^
+||oatchelt.com^
+||oatchoagnoud.com^
+||oatmealaspectpulp.com^
+||oatmealstickyflax.com^
+||oatscheapen.com^
+||oatsouje.net^
+||oawhaursaith.com^
+||oaxoulro.com^
+||oaxpcohp.com^
+||oaxuroaw.net^
+||oaykswyxtbn.com^
+||oazartie.com^
+||obbabvonfkal.com^
+||obbkucbipw.com^
+||obdoboli.xyz^
+||obdtawpwyr.com^
+||obduratecommence.com^
+||obduratedroppingmagnitude.com^
+||obduratesettingbeetle.com^
+||obduratewiggle.com^
+||obdzhnzqeg.com^
+||obeajvasfvj.xyz^
+||obediencechainednoun.com^
+||obedientapologyinefficient.com^
+||obedientrock.com^
+||obedirectukly.info^
+||obelionkiter.click^
+||obeselysass.top^
+||obeus.com^
+||obeyedortostr.cc^
+||obeyfreelanceloan.com^
+||obeysatman.com^
+||obgdk.top^
+||obhggjchjkpb.xyz^
+||obituaryfuneral.com^
+||objectbrilliance.com^
+||objectdressed.com^
+||objectionportedseaside.com^
+||objectionsdomesticatednagging.com^
+||objective-wright-961fed.netlify.com^
+||objectivepressure.com^
+||objectsentrust.com^
+||obkgavorztij.com^
+||obligebuffaloirresolute.com^
+||obligemadeuprough.com^
+||obliterateminingarise.com^
+||oblivionpie.com^
+||oblivionthreatjeopardy.com^
+||oblivionwatcherrebellious.com^
+||oblongcondition.com^
+||oblongravenousgosh.com^
+||obnoxiouspatrolassault.com^
+||obnoxiousstackderide.com^
+||oboitlwjjvkkd.com^
+||obolxietnquosyr.com^
+||obouckie.com^
+||obpocloxbon.com^
+||obqdwcfcvc.com^
+||obraioewm.com^
+||obrom.xyz^
+||obsanluvx.com^
+||obscenityaccordinglyrest.com^
+||obscenityimplacable.com^
+||obscurejury.com^
+||observanceafterthrew.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^
+||obstre.com^
+||obtainedcredentials.com^
+||obtainedoraltreat.com^
+||obtrusivecrisispure.com^
+||obviousestate.com^
+||oc2tdxocb3ae0r.com^
+||ocasosfjpbf.com^
+||ocbyxycdl.xyz^
+||occame.com^
+||occasion219.fun^
+||occasionallyregionsadverb.com^
+||occdmioqlo.com^
+||occndvwqxhgeicg.xyz^
+||occqnaaepflqxw.com^
+||occums.com^
+||occupationcomplimentsenjoyment.com^
+||occupiedpace.com^
+||occurclaimed.com^
+||occurdefrost.com^
+||ocddolmggjc.com^
+||ocean-trk.com^
+||oceanfilmingexperience.com^
+||oceanvids.space^
+||ocflkcgwjem.com^
+||ocheebou.xyz^
+||ochoawhou.com^
+||ocjdmjxm.com^
+||ocjmbhy.com^
+||ockerfisher.top^
+||oclaserver.com^
+||oclasrv.com^
+||oclpegogoccxlw.com^
+||ocmhood.com^
+||ocmpsfoyadwm.com^
+||ocmtag.com^
+||ocoaksib.com^
+||ocogmhqo.com^
+||oconner.link^
+||ocoumsetoul.com^
+||ocponcphaafb.com^
+||octanmystes.com^
+||octavdtabacco.top^
+||octavianimmaculate.com^
+||octinerep.com^
+||octmikvehs.com^
+||octobergypsydeny.com^
+||octopidroners.com^
+||octopod.cc^
+||octopusiron.com^
+||octopuspop.com^
+||ocumknxm.com^
+||ocuwyfarlvbq.com^
+||ocyoxysw.com^
+||oczqhythihhu.com^
+||oddsserve.com^
+||odjweddfuh.com^
+||odnaknopka.ru^
+||odnaturedfe.org^
+||odologyelicit.com^
+||odonticmetae.top^
+||odorantpilkins.top^
+||odouanmhndwipg.com^
+||odoucessu.com^
+||odourcowspeculation.com^
+||odpfujlimjuk.com^
+||odpgponumrw.com^
+||odpokjcucdax.com^
+||odqicviub.com^
+||odrgacvbl.com^
+||odssyvfqrlwwj.com^
+||oecpcmpr.com^
+||oedprntsyfrl.com^
+||oefaxmob.com^
+||oeggofabhhob.com^
+||oehfvrpeleg.com^
+||oelwojattkd.xyz^
+||oepnccxasww.com^
+||oesaxttqhpdc.com^
+||oestpq.com^
+||oetkwahrsdvrnn.com^
+||oeufvkymknbie.com^
+||oeuvy1td2.com^
+||oevll.com^
+||of-bo.com^
+||ofashgonfcwp.com^
+||ofayswots.shop^
+||ofcamerupta.com^
+||ofchildr.buzz^
+||ofclaydolr.com^
+||ofdanpozlgha.com^
+||ofdittor.com^
+||ofdrapiona.com^
+||ofdxfsho.com^
+||ofedupub.com^
+||offalakazaman.com^
+||offchatotor.com^
+||offenddishwater.com^
+||offendedcontributorfour.com^
+||offendedtwine.com^
+||offendergrapefruitillegally.com^
+||offendselfportrait.com^
+||offenseholdrestriction.com^
+||offercookerychildhood.com^
+||offergate-apps-pubrel.com^
+||offergate-games-download1.com^
+||offergate-software6.com^
+||offerimage.com^
+||offerlink.co^
+||offernow24.com^
+||offersapp.in^
+||offersbid.net^
+||offershub.net^
+||offerstrackingnow.com^
+||offerwall.site^
+||offfurreton.com^
+||offhandclubhouse.com^
+||offhandpump.com^
+||offhdgatyooum.com^
+||officerdiscontentedalley.com^
+||officeroey.top^
+||officetablntry.org^
+||officialbanisters.com^
+||officiallyflabbyperch.com^
+||officialraising.com^
+||officialstovethemselves.com^
+||offloadingsite.com^
+||offmachopor.com^
+||offmantiner.com^
+||offoonguser.com^
+||offpichuan.com^
+||offsetpushful.com^
+||offshoreapprenticeheadphone.com^
+||offshoredependant.com^
+||offshoredutchencouraging.com^
+||offshorenonfictionbriefing.com^
+||offshuppetchan.com^
+||offsigilyphor.com^
+||offwardtendry.top^
+||offxkeapbvwe.com^
+||ofglicoron.net^
+||ofgogoatan.com^
+||ofhappinyer.com^
+||ofhunch.com^
+||ofhypnoer.com^
+||ofitstefukste.org^
+||ofkvdwqimwxnm.com^
+||ofleafeona.com^
+||ofnkswddtp.xyz^
+||ofoockoo.com^
+||ofphanpytor.com^
+||ofpiplupon.com^
+||ofqopmnpia.com^
+||ofseedotom.com^
+||ofslakotha.com^
+||oftencostbegan.com^
+||oftheappyri.org^
+||oftheseveryh.org^
+||ofzzuqlfuof.com^
+||ogaewcqgj.com^
+||ogblanchi.com^
+||ogeeztf.com^
+||ogercron.com^
+||ogetherefwukoul.info^
+||ogghpaoxwv.com^
+||oghqvffmnt.com^
+||ogicatius.com^
+||ogle-0740lb.com^
+||ogniicbnb.ru^
+||ogqophjilar.com^
+||ografazu.xyz^
+||ograuwih.com^
+||ogrepsougie.net^
+||ogrrmasukq.com^
+||ogtakvkpoaxt.com^
+||ogvkyxx.com^
+||ogwmubfnjbzyo.com^
+||ogwnjcumfbgm.com^
+||ogwqkgtboxol.com^
+||ogygialuther.top^
+||ohaijoub.com^
+||ohcgwgeyfjlqlhe.com^
+||ohdjswkuaym.xyz^
+||ohfavdbmuat.com^
+||ohfowsawvgig.com^
+||ohhotnmcibij.com^
+||ohibal.com^
+||ohimunpracticalw.info^
+||ohjfacva.com^
+||ohjhsopp.com^
+||ohkahfwumd.com^
+||ohkdsplu.com^
+||ohkvifgino.com^
+||ohkyxnjj.com^
+||ohlattice.com^
+||ohldsplu.com^
+||ohmcasting.com^
+||ohmwrite.com^
+||ohmyanotherone.xyz^
+||ohndsplu.com^
+||ohnpb9yi0.com^
+||ohnwmjnsvijdrgx.xyz^
+||ohqcrifmugat.com^
+||ohqduxhcuab.com^
+||ohrdsplu.com^
+||ohrkihivhtz.com^
+||ohsatum.info^
+||ohswmojunbmo.com^
+||ohtctjiuow.com^
+||ohudkrjhxmf.com^
+||ohvcasodlbut.com^
+||oianz.xyz^
+||oiarske.com^
+||oiavdib.com^
+||oijorfkfwtdswv.xyz^
+||oinkedbowls.com^
+||ointmentapathetic.com^
+||ointmentbarely.com^
+||ointmentfloatingsaucepan.com^
+||ointmenthind.com^
+||oisqckeiqwyg.com^
+||oivteiwwave.com^
+||oiycak.com^
+||ojafexcbndql.com^
+||ojapanelm.xyz^
+||ojbrtkrvew.com^
+||ojgvteduhsko.com^
+||ojhjzzuekxq.com^
+||ojiwkroegfkbx.com^
+||ojjduccmolc.com^
+||ojmvywz.com^
+||ojoglir.com^
+||ojoodoaptouz.com^
+||ojpem.com^
+||ojrq.net^
+||ojsxtysilofk.com^
+||ojtarsdukk.com^
+||ojtatygrl.xyz^
+||ojuhfoa.com^
+||ojuhjcmhemvs.com^
+||ojwapnolwa.com^
+||ojwonhtrenwi.com^
+||ojyggbl.com^
+||ojzghaawlf.com^
+||okaidsotsah.com^
+||okapiropp.top^
+||okayarab.com^
+||okaydisciplemeek.com^
+||okayfreemanknot.com^
+||okdecideddubious.com^
+||okdigital.me^
+||okfgsbtmcnh.com^
+||okhrtusmuod.com^
+||okiafogless.top^
+||okjjwuru.com^
+||okjxihboesueh.com^
+||okkbugnixajf.com^
+||oklahi.com^
+||oko.net^
+||okrasbj6.de^
+||oksooem.com^
+||okt5mpi4u570pygje5v9zy.com^
+||oktarnxtozis.com^
+||oktpage.com^
+||okueroskynt.com^
+||okunyox.com^
+||okupvueal.com^
+||okvatbotgacv.com^
+||okvovqrfuc.com^
+||okxaplomkpca.com^
+||okxqmiagltpe.com^
+||olatumal.com^
+||olaxcandela.top^
+||olayomad.com^
+||old-go.pro^
+||olderdeserved.com^
+||oldersfeuars.top^
+||oldership.com^
+||oldeststrickenambulance.com^
+||oldfashionedcity.pro^
+||oldfashionedmadewhiskers.com^
+||oldforeyesheh.info^
+||oldgyhogola.com^
+||oldied.com^
+||oldndalltheold.org^
+||oldpiecesontheth.com^
+||oldsia.xyz^
+||oldyveena.com^
+||oleinironed.top^
+||oleoshaves.top^
+||olep.xyz^
+||olgknseruf.com^
+||olibes.com^
+||olineman.pro^
+||olitoedr.com^
+||olivedinflats.space^
+||olivefail.com^
+||olivefamine.com^
+||ollsukztoo.com^
+||olmsoneenh.info^
+||olnjitvizo.com^
+||olnkpexujhuw.com^
+||olnoklmuxo.com^
+||ololenopoteretol.info^
+||olomonautcatho.info^
+||olpaeclary.top^
+||olq18dx1t.com^
+||olqkudodsrix.com^
+||oltcneutwheoioo.xyz^
+||oltptelifmal.com^
+||olularhenewrev.info^
+||olvwnmnp.com^
+||olxcvfwfej.com^
+||olxtqlyefo.xyz^
+||olxwweaf.com^
+||olympicsappointment.com^
+||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^
+||omclyzyapf.com^
+||omcrobata.com^
+||omdittoa.com^
+||omdtragteorb.com^
+||omegatrak.com^
+||omelettebella.com^
+||omenrandomoverlive.com^
+||omfiydlbmy.com^
+||omg2.com^
+||omgpm.com^
+||omgranbulltor.com^
+||omgrdrodobidu.com^
+||omgt3.com^
+||omgt4.com^
+||omgt5.com^
+||omguk.com^
+||omgwowgirls.com^
+||omission119.fun^
+||omissionmexicanengineering.com^
+||omitbailey.com^
+||omitcalculategalactic.com^
+||omitpollenending.com^
+||omjqukadtolg.com^
+||omkitww.com^
+||omkxadadsh.com^
+||ommopxpfuofm.com^
+||omnatuor.com^
+||omni-ads.com^
+||omnidokingon.com^
+||omnipotentglobalbeer.com^
+||omnipresentstream.com^
+||omniscrienttow.com^
+||omnitagjs.com^
+||omoahope.net^
+||omoonsih.net^
+||omopeemt.net^
+||omouswoma.info^
+||ompanythat.org^
+||omphantumpom.com^
+||omruihaeaf.com^
+||omshedinjaor.com^
+||omvcilk.com^
+||omvenusaurchan.com^
+||omzoroarkan.com^
+||omzylhvhwp.com^
+||on3rdjl1h0e3.shop^
+||onad.eu^
+||onads.com^
+||onakasulback.autos^
+||onameketathar.com^
+||onandeggsis.com^
+||onasider.top/tc
+||onasider.top^
+||onatallcolumn.com^
+||onatsoas.net^
+||onaugan.com^
+||onautcatholi.xyz^
+||onboardhairy.com^
+||oncdiranwrus.com^
+||oncesets.com^
+||onclarck.com^
+||onclasrv.com^
+||onclckmn.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^
+||ondajqfaqolmq.xyz^
+||ondeerlingan.com^
+||ondewottom.com^
+||ondpjzusmncg.com^
+||ondshub.com^
+||oneadvupfordesign.com^
+||oneclck.net^
+||oneclickpic.net^
+||onedmp.com^
+||onedragon.win^
+||oneegrou.net^
+||onefoldonefoldadaptedvampire.com^
+||onefoldonefoldpitched.com^
+||onegamespicshere.com^
+||onegoropsintold.com^
+||onelivetra.com^
+||onelpfulinother.com^
+||onemacusa.net^
+||onemboaran.com^
+||onemileliond.info^
+||onenectedithconsu.info^
+||onenetworkdirect.com^
+||onenetworkdirect.net^
+||onenomadtstore.com^
+||oneotheacon.cc^
+||onepstr.com^
+||oneqanatclub.com^
+||onerousgreeted.com^
+||oneselfindicaterequest.com^
+||onesocailse.com^
+||onespot.com^
+||onestoreblog.com^
+||onesuns.com^
+||onetag4you.com^
+||onetouch12.com^
+||onetouch17.info^
+||onetouch19.com^
+||onetouch20.com^
+||onetouch22.com^
+||onetouch26.com^
+||onetouch4.com^
+||onetouch6.com^
+||onetouch8.info^
+||onetrackesolution.com^
+||onevenadvnow.com^
+||ongastlya.com^
+||ongoingverdictparalyzed.com^
+||ongrpdwwnvliao.xyz^
+||onibyezctus.com^
+||onkafxtiqcu.com^
+||onkavst.com^
+||online-adnetwork.com^
+||onlinedeltazone.online^
+||onlinepromousa.com^
+||onlineuserprotector.com^
+||onlombreor.com^
+||onlyfansrips.com^
+||onlypleaseopposition.com^
+||onlyry.net^
+||onlyyourbiglove.com^
+||onmanectrictor.com^
+||onmantineer.com^
+||onmarshtompor.com^
+||onnasvmatrma.com^
+||onnnuvtikmzy.com^
+||onpluslean.com^
+||onpsrrejx.com^
+||onrbsceloko.com^
+||onscormation.info^
+||onseleauks.org^
+||onservantas.org^
+||onservantasr.info^
+||onseviperon.com^
+||onshowit.com^
+||onshucklea.com^
+||onsolrockon.com^
+||onstunkyr.com^
+||ontinuedidgm.com^
+||ontj.com^
+||ontodirection.com^
+||ontosocietyweary.com^
+||onverforrinho.com^
+||onvictinitor.com^
+||onwardrespirationcommandment.com^
+||onwasrv.com^
+||onychinferous.top^
+||onzazqarhmpi.com^
+||onznwiocrrim.com^
+||oo00.biz^
+||oobitsou.net^
+||oobsaurt.net^
+||oobuwjnlljbah.com^
+||oocsutvtggeuu.com^
+||oocxefrgn.com^
+||oodrampi.com^
+||oodsauns.net^
+||oodsoobe.com^
+||oofptbhbdb.com^
+||ooftounu.com^
+||ooglouth.xyz^
+||oogneenu.net^
+||oogroopt.com^
+||oohaussa.com^
+||ooivmtvmxpqwf.com^
+||oojitsoo.net^
+||oojrefcsammcmt.com^
+||ookresit.net^
+||ookroush.com^
+||oolassouwa.com^
+||ooloptou.net^
+||oolsoudsoo.xyz^
+||ooltakreenu.xyz^
+||oomphavenger.com^
+||oomphcorker.top^
+||oomsijahail.com^
+||oomsoapt.net^
+||oomtexoa.com^
+||oonasuhghjmzyw.com^
+||oongouha.xyz^
+||oonsaigu.xyz^
+||oonsouque.com^
+||oopatet.com^
+||oophoame.xyz^
+||oophuvum.net^
+||oopoawee.xyz^
+||oopukrecku.com^
+||oopursie.com^
+||oorbfdycj.com^
+||oordeevum.com^
+||oorsooga.com^
+||oortoofeelt.xyz^
+||oosonechead.org^
+||oosoojainy.xyz^
+||oossautsid.com^
+||oostotsu.com^
+||ooswxraxqm.com^
+||ootchaig.xyz^
+||ootchoft.com^
+||oothupeelobs.com^
+||ootsoobs.net^
+||oovaufty.com^
+||ooxobsaupta.com^
+||ooxookrekaun.com^
+||oozawvoizsdal.com^
+||op00.biz^
+||op01.biz^
+||op02.biz^
+||opalmetely.com^
+||opatacarnal.top^
+||opbllqzsmfoxq.com^
+||opchikoritar.com^
+||opclauncheran.com^
+||opclck.com^
+||opdavplcufic.com^
+||opdowvamjv.com^
+||opdxpycrizuq.com^
+||opeanresultanc.com^
+||opeanresultancete.info^
+||opefaq.com^
+||opencan.net^
+||openerkey.com^
+||openingdreamsspinster.com^
+||openinggloryfin.com^
+||openingmetabound.com^
+||openlysideline.com^
+||openmindedaching.com^
+||openmindter.com^
+||openslowlypoignant.com^
+||opentecs.com^
+||openx.net^
+||openxadexchange.com^
+||openxenterprise.com^
+||openxmarket.asia^
+||operaharvestrevision.com^
+||operaserver.com^
+||operationalcocktailtribute.com^
+||operationalsuchimperfect.com^
+||operativeperemptory.com^
+||operatorgullibleacheless.com^
+||operms.com^
+||opfourpro.org^
+||opgolan.com^
+||ophisrebrown.top^
+||ophoacit.com^
+||ophophiz.xyz^
+||ophqmhser.com^
+||ophvkau.com^
+||opkfijuifbuyynyny.com^
+||opkinglerr.com^
+||oplo.org^
+||oplpectation.xyz^
+||opmuudn.com^
+||opmxizgcacc.com^
+||oponixa.com^
+||opositeasysemblyjus.info^
+||opoxv.com^
+||oppedtoalktoherh.info^
+||oppersianor.com^
+||opponenteaster.com^
+||opportunitybrokenprint.com^
+||opportunitygrandchildrenbadge.com^
+||opportunitysearch.net^
+||opposedunconscioustherapist.com^
+||opposerpleion.top^
+||opposesmartadvertising.com^
+||oppositeemperorcollected.com^
+||oppositevarietiesdepict.com^
+||oppressiontheychore.com^
+||oppressiveconnoisseur.com^
+||oppressiveoversightnight.com^
+||oppxzerrufhe.com^
+||opqhihiw.com^
+||opreseynatcreativei.com^
+||oprill.com^
+||opsaupsa.com^
+||opshuckleor.com^
+||opsookiz.net^
+||opsoomet.net^
+||opsoudaw.xyz^
+||opsozouphy.com^
+||optad360.io^
+||optad360.net^
+||optaivuy.net^
+||optaroag.com^
+||opteama.com^
+||optedprebend.top^
+||opter.co^
+||opthushbeginning.com^
+||opticalwornshampoo.com^
+||opticlygremio.com^
+||optidownloader.com^
+||optimalscreen1.online^
+||optimatic.com^
+||optimizesocial.com^
+||optimizesrv.com^
+||optnx.com^
+||optraising.com^
+||optvx.com^
+||optyruntchan.com^
+||optzsrv.com^
+||opuluswanton.top^
+||opvanillishan.com^
+||opxogkbiqkti.com^
+||oqcjtifihpi.com^
+||oqcrqirncna.xyz^
+||oqddkgixmqhovv.xyz^
+||oqeazohx.com^
+||oqejupqb.xyz^
+||oqfrudzatovc.com
+||oqhbykhlt.com^
+||oqkedrojyy.xyz^
+||oqkucsxfrcjtho.xyz^
+||oqnabsatfn.com^
+||oqpahlskaqal.com^
+||oqsttfy.com^
+||oqxehynxtckgha.com^
+||orabsola.com^
+||oralmaliciousmonday.com^
+||oralsproxied.com^
+||oranegfodnd.com^
+||orangeads.fr^
+||orangeconsoleclairvoyant.com^
+||oraporn.com^
+||oratefinauknceiwo.com^
+||oratorpounds.com^
+||orbengine.com^
+||orbitcarrot.com^
+||orbsclawand.com^
+||orbsdiacle.com^
+||orbsrv.com^
+||orchardmaltregiment.com^
+||orchestraanticipation.com^
+||orchidreducedbleak.com^
+||orcjagpox.com^
+||orclrul.com^
+||orcnakokt.com^
+||ordbzeokdxku.com^
+||ordciqczaox.com^
+||orderlydividepawn.com^
+||orderlyregister.pro^
+||ordgcoazsswo.com^
+||ordinaleatersouls.com^
+||ordinalexclusively.com^
+||ordinarilycomedyunload.com^
+||ordinarilyinstead.com^
+||ordinarilyrehearsenewsletter.com^
+||ordinaryspyimpassable.com^
+||ordisposableado.com^
+||ordzimwtaa.com^
+||orebuthehadsta.info^
+||orecticconchae.com^
+||oregonguttera.com^
+||oreiletfortify.top^
+||oreoverseer.top^
+||orest-vlv.com^
+||oretracker.top^
+||oreyeshe.info^
+||orfa1st5.de^
+||orfabfbu.com^
+||orgagetnization.org^
+||organiccopiedtranquilizer.com^
+||organize3452.fun^
+||organizecoldness.com^
+||organizerprobe.com^
+||orgassme.com^
+||orgerm.com^
+||orgueapropos.top^
+||orientaldumbest.com^
+||orientaljoyful.com^
+||orientalrazor.com^
+||orientjournalrevolution.com^
+||originalblow.pro^
+||originateposturecubicle.com^
+||originatepromotebetrayal.com^
+||origincrayonremained.com^
+||origintube.com^
+||origunix.com^
+||orisow.com^
+||orjfun.com^
+||orjmtknm.com^
+||orjohmpkq.com^
+||orlandowaggons.com^
+||orldwhoisquite.org^
+||orldwhoisquiteh.info^
+||orleanbeleve.click^
+||orlotalers.com^
+||orlowedonhisdhilt.info^
+||ormolusapiary.com^
+||ornamentbyechose.com^
+||ornatecomputer.com^
+||ornatomial.click^
+||ornismolal.top^
+||orogenyslounge.com^
+||orpoobj.com^
+||orqaxjj.com^
+||orqrdm.com^
+||orquideassp.com^
+||orraxckivsud.com^
+||orrmmdsdc.com^
+||orrvucstaxip.com^
+||orrwavakgqr.com^
+||ortontotlejohn.com^
+||oruxdwhatijun.info^
+||os2mypcw8.com^
+||osangauh.net^
+||osarmapa.net^
+||oscism.com^
+||oscohkajcjz.com^
+||osekwacuoxt.xyz^
+||osesuntent.top^
+||osfrjut.com^
+||osgqretnpoqsubt.com^
+||oshaista.xyz^
+||osharvrziafx.com^
+||oshunooy.xyz^
+||osjhvtxsyiuyjv.com^
+||oskiwood.com^
+||osmousavosets.com^
+||osoirux.com^
+||ospartners.xyz^
+||ospreyorceins.com^
+||osptjkslmy.com^
+||osqbfakufafv.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^
+||ossyfirecpo.com^
+||ostazvtx.com^
+||ostensiblecompetitive.com^
+||ostfuwdmiohg.com^
+||ostilllookinga.cc^
+||ostlon.com^
+||ostrichmustardalloy.com^
+||osucwlavnbkaect.com^
+||osufjhrfvavyu.com^
+||oszlnxwqlc.com^
+||oszzxhqhfh.com^
+||otabciukwurojh.xyz^
+||otarbadvnmrap.com^
+||otbackstage2.online^
+||otbuzvqq8fm5.com^
+||otdalxhhiah.com^
+||otekmnyfcv.com^
+||otfiqdmohyhywj.com^
+||othdgemanow.com^
+||otherofherlittl.com^
+||otherofherlittle.info^
+||otherwiseassurednessloaf.com^
+||othiijwtgcmjmj.com^
+||otingolston.com^
+||otisephie.com^
+||otjawzdugg.com^
+||otkqhtmbvolte.com^
+||otlopudpvfq.com^
+||otnolabttmup.com^
+||otnolatrnup.com^
+||otomacotelugu.com^
+||otorwardsoffhdgat.com^
+||otqxvqzdgl.com^
+||otrwaram.com^
+||otrzcixradze.com^
+||ottdhysral.com^
+||otterwoodlandobedient.com^
+||otvlehf.com^
+||otwqvqla.com^
+||otwzipajrxaf.com^
+||otxgjkjad.com^
+||oubeliketh.info^
+||oucaibie.net^
+||ouchruse.com^
+||oudistit.com^
+||oudoanoofoms.com^
+||oudseroa.com^
+||oufauthy.net^
+||ouftukoo.net^
+||ougnultoo.com^
+||ougrauty.com^
+||ougribot.net^
+||ouhastay.net^
+||ouhnvkjhpajeob.com^
+||oujouniw.com^
+||oukdpbystipe.com^
+||ouknowsaidthea.info^
+||ouldhukelpm.org^
+||ouleegneeje.com^
+||ouloansu.com^
+||oulragart.xyz^
+||oulrarta.net^
+||oulrukry.xyz^
+||oulsools.com^
+||oulukdliketo.shop^
+||oumainseeba.xyz^
+||oumoshomp.xyz^
+||oumpashy.net^
+||oumtirsu.com^
+||ounceanalogous.com^
+||oungimuk.net^
+||oungoowe.xyz^
+||ounigaugsurvey.space^
+||ounsamie.xyz^
+||oupastah.com^
+||oupaumul.net^
+||oupe71eiun.com^
+||ouphoarg.com^
+||ouphouch.com^
+||oupushee.com^
+||oupusoma.net^
+||ourcommonnews.com^
+||ourcommonstories.com^
+||ourcoolposts.com^
+||ourcoolspot.com^
+||ourcoolstories.com^
+||ourdadaikri.com^
+||ourdailystories.com^
+||ourdesperate.com^
+||ourdreamsanswer.info^
+||ourgumpu.xyz^
+||ourhotfeed.com^
+||ourhotstories.com^
+||ourhypewords.com^
+||ouricsexja.com^
+||ourl.link^
+||ourmumble.com^
+||ourscience.info^
+||ourselvesoak.com^
+||ourselvessuperintendent.com^
+||oursexasperationwatchful.com^
+||ourtecads.com^
+||ourteeko.com^
+||ourtopstories.com^
+||ourtshipanditlas.info^
+||ourtshipanditlast.info^
+||ouryretyequire.info^
+||ouryretyequirem.info^
+||ouseoyopersed.info^
+||ouseswhichtot.org^
+||ousinouk.xyz^
+||ousouzay.net^
+||oussaute.net^
+||ousseghu.net^
+||oussouveem.com^
+||oustoope.com^
+||outabsola.com^
+||outaipoma.com^
+||outarcaninean.com^
+||outbalanceleverage.com^
+||outbursttones.com^
+||outchops.xyz^
+||outclaydola.com^
+||outcrycaseate.com^
+||outdilateinterrupt.com^
+||outelectrodean.com^
+||outflednailbin.com^
+||outfoxnapalms.com^
+||outgratingknack.com^
+||outhauzours.com^
+||outheelrelict.com^
+||outhulem.net^
+||outkisslahuli.com^
+||outlawchillpropose.com^
+||outlayomnipresentdream.com^
+||outlineappearbar.com^
+||outlinesweatraces.com^
+||outloginequity.com^
+||outlookabsorb.com^
+||outlookreservebennet.com^
+||outmatchurgent.com^
+||outnumberconnatetomato.com^
+||outnumberminded.com^
+||outnumberpickyprofessor.com^
+||outoctillerytor.com^
+||outofthecath.org^
+||outpoptusseh.top^
+||outrageous-mine.pro^
+||outrotomr.com^
+||outseeltor.com^
+||outsetnormalwaited.com^
+||outseylor.com^
+||outsiftfictor.top^
+||outsimiseara.com^
+||outsliggooa.com^
+||outsmoke-niyaxabura.com^
+||outsohoam.com^
+||outstandingspread.com^
+||outstandingsubconsciousaudience.com^
+||outstantewq.info^
+||outsudoo.net^
+||outtimburrtor.com^
+||outtunova.com^
+||outvoteloco.shop^
+||outwhirlipedeer.com^
+||outwitridiculousresume.com^
+||outwoodeuropa.com^
+||outyanmegaom.com^
+||ouvertrenewed.com^
+||ouwhejoacie.xyz^
+||ouxourtoo.com^
+||ouyoqudevfal.com^
+||ouzavamt.com^
+||ouzeelre.net^
+||ouzrqrzktv.com^
+||ovaleithermansfield.com^
+||ovaosgukck.com^
+||ovardu.com^
+||ovcenehu.com^
+||ovdimin.buzz^
+||oveechoops.xyz^
+||ovenbifaces.cam^
+||overallalreadyregistry.com^
+||overallfetchheight.com^
+||overboardbilingual.com^
+||overboardlocumout.com^
+||overcacneaan.com^
+||overcomecheck.com^
+||overcooked-construction.com^
+||overcrowdsillyturret.com^
+||overcrummythrift.com^
+||overdates.com^
+||overdonealthough.com^
+||overduerebukeloyal.com^
+||overduerole.com^
+||overestimateoption.com^
+||overestimateyearly.com^
+||overfixaphakic.top^
+||overgalladean.com^
+||overheadnell.com^
+||overheadplough.com^
+||overhearpeasantenough.com^
+||overheatusa.com^
+||overjoyeddarkenedrecord.com^
+||overjoyedtempfig.com^
+||overjoyedwithinthin.com^
+||overkirliaan.com^
+||overlapflintsidenote.com^
+||overlivedub.com^
+||overloadmaturespanner.com^
+||overlook.fun^
+||overlooked-scratch.pro^
+||overlookedtension.pro^
+||overlookrapt.com^
+||overlyindelicatehoard.com^
+||overmewer.com^
+||overnumeler.com^
+||overonixa.com^
+||overpetleersia.com^
+||overponyfollower.com^
+||overprotectiveskilled.com^
+||overratedlively.com^
+||overreactperverse.com^
+||overreactsewershaped.com^
+||overseasearchopped.com^
+||overseasinfringementsaucepan.com^
+||overseasjune.com^
+||oversightantiquarianintervention.com^
+||oversightbullet.com^
+||oversleepcommercerepeat.com^
+||overswaloton.com^
+||overswirling.sbs^
+||overthetopexad.com^
+||overtimeequation.com^
+||overtimetoy.com^
+||overtrapinchchan.net^
+||overture.com^
+||overturnotherall.com^
+||overwhelmcontractorlibraries.com^
+||overwhelmfarrier.com^
+||overwhelmhavingbulky.com^
+||overwhelmingconclusionlogin.com^
+||overwhelmingdarncalumny.com^
+||overwhelmingoblige.com^
+||overwhelmpeacock.com^
+||overzoruaon.com^
+||overzubatan.com^
+||ovethecityonatal.info^
+||ovfjiktdr.com^
+||ovgjveaokedo.xyz^
+||ovhacmobpval.com^
+||ovhkfewhyqiz.com^
+||ovibospeseta.com^
+||ovjrqycdrwqh.com^
+||ovkamwvdof.com^
+||ovkcuzujnl.com^
+||ovqds.com^
+||ovsdnhpigmtd.xyz^
+||ovsgalzea.com^
+||ovsiicni.com^
+||ovspahdicqan.com^
+||ovsrhikuma.com^
+||ovstfuogmni.com^
+||ovvmrrufvhclxf.com^
+||ow5a.net^
+||owbroinothiermol.xyz^
+||owcdilxy.xyz^
+||owenexposure.com^
+||oweoumoughtcal.com^
+||owevel.com^
+||owfjlchuvzl.com^
+||owfrbdikoorgn.xyz^
+||owgjivjkoelfhcn.com^
+||owhlmuxze.com^
+||owhoalagly.com^
+||owhoogryinfo.com^
+||owingsorthealthy.com^
+||owingsucceeding.com^
+||owithlerendu.com^
+||owlcongratulate.com^
+||owlerydominos.cam^
+||owlsalqrarab.com^
+||owlunimmvn.com^
+||owndata.network^
+||ownzzohggdfb.com^
+||owoxauky.com^
+||owqrtaodb.com^
+||owrddzml.com^
+||owrkwilxbw.com^
+||owsfsoogb.com^
+||owwafgaqdapg.com^
+||owwczycust.com^
+||owwogmlidz.com^
+||ox4h1dk85.com^
+||oxado.com^
+||oxbbzxqfnv.com^
+||oxbowfog.com^
+||oxbowmentaldraught.com^
+||oxenturftrot.com^
+||oxghhbxz.com^
+||oxhdtgmlryv.com^
+||oxhfalnniu.com^
+||oxhojtapzbwa.com^
+||oxidemustard.com^
+||oxidetoward.com^
+||oxjexkubhvwn.xyz^
+||oxkgcefteo.com^
+||oxkhifobfkky.com^
+||oxkpbuv.com^
+||oxllyobna.com^
+||oxmoonlint.com^
+||oxmqzeszyo.com^
+||oxnhhswdzwam.com^
+||oxowcjxiffsj.com^
+||oxrqdkfftw.com^
+||oxthrilled.com^
+||oxtkmgvmgu.com^
+||oxtracking.com^
+||oxtsale1.com^
+||oxwtihtvdwgdaq.com^
+||oxxvikappo.com^
+||oxybe.com^
+||oxydend2r5umarb8oreum.com^
+||oxygenblobsglass.com^
+||oxygenpermissionenviable.com^
+||oxynticarkab.com^
+||oybcobkru.xyz^
+||oyen3zmvd.com^
+||oyi9f1kbaj.com^
+||oyihoxw.com^
+||oyopersed.info^
+||oyoperseduca.com^
+||oypjpbthhxhyuvq.com^
+||oypucuqsuwabnxy.com^
+||oysterbywordwishful.com^
+||oysterfoxfoe.com^
+||oytoworkwithcatuk.com^
+||oywzrri.com^
+||oyxctgotabvk.com^
+||oyyihttyklfwcgy.xyz^
+||ozationsuchasric.org^
+||ozayvgkqpymt.com^
+||ozbvlfiggzpxb.com^
+||ozectynptd.com^
+||ozesrbglrp.com^
+||ozhhujt.com^
+||ozihechzlcsgs.com^
+||ozlenbl.com^
+||ozlofsviborc.com^
+||ozlwhampaofq.com^
+||ozmspawupo.com^
+||oznhkuilvrsdf.com^
+||ozobsaib.com^
+||ozonemedia.com^
+||ozongees.com^
+||ozsturgeonafford.com^
+||ozvnumjdncpfvt.com^
+||ozwolnonnotv.com^
+||ozwwawcaxoxh.com^
+||ozwxhoonxlm.com^
+||ozznarazdtz.com^
+||ozzruxazcoxc.com^
+||p-analytics.life^
+||p1yhfi19l.com^
+||p59othersq.com^
+||pa5ka.com^
+||paarsvc.com^
+||paasvalhall.top^
+||pacekami.com^
+||pachakliq.top^
+||pacificprocurator.com^
+||pacificvernonoutskirts.com^
+||pacifoos.net^
+||pacijwarnfrtq.com^
+||packageeyeball.com^
+||packmenappui.top^
+||pacoaniy.net^
+||pacquetpusher.com^
+||paddlediscovery.com^
+||paddleniecehandicraft.com^
+||padfungusunless.com^
+||padma-fed.com^
+||padsabs.com^
+||padsans.com^
+||padsanz.com^
+||padsats.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^
+||paekicz.com^
+||pafiptuy.net^
+||pafteejox.com^
+||pageantbagauspice.com^
+||pageantcause.com^
+||pageantcountrysideostentatious.com^
+||pagejunky.com^
+||pagemystery.com^
+||pagnawhouk.net^
+||pagnehmfxah.xyz^
+||pagtvmcbfjafj.com^
+||pahbasqibpih.com^
+||pahccuafbom.com^
+||pahjkmbtnkdc.com^
+||paht.tech^
+||pahtef.tech^
+||pahtfi.tech^
+||pahtgq.tech^
+||pahthf.tech^
+||pahtky.tech^
+||pahtwt.tech^
+||pahtzh.tech^
+||paibopse.com^
+||paichaus.com^
+||paid.outbrain.com^
+||paidlemirkily.com^
+||paigarohauja.com^
+||paiglumousty.net^
+||paikoasa.tv^
+||paikoaza.net^
+||painfullyconfession.com^
+||painfultransport.com^
+||painharmlesscommence.com^
+||painkillercontrivanceelk.com^
+||painlessassumedbeing.com^
+||painlightly.com^
+||painsdire.com^
+||paintednarra.top^
+||paintwandering.com^
+||paipsuto.com^
+||paishoonain.net^
+||paiwaupseto.com^
+||paiwena.xyz^
+||paiwhisep.com^
+||pajamasgnat.com^
+||pajamasguests.com^
+||palakahone.com^
+||palama2.co^
+||palama2.com^
+||palaroleg.guru^
+||palatedaylight.com^
+||paleexamsletters.com^
+||paleogdeedful.top^
+||paletteantler.com^
+||paletteoverjoyed.com^
+||palibs.tech^
+||pallonenuda.top^
+||pallorirony.com^
+||palmcodliverblown.com^
+||palmfulcultivateemergency.com^
+||palmfulvisitsbalk.com^
+||palmkindnesspee.com^
+||palmmalice.com^
+||palpablefungussome.com^
+||palpablememoranduminvite.com^
+||palroudi.xyz^
+||palsybrush.com^
+||palsyowe.com^
+||paltryheadline.com^
+||paluinho.cloud^
+||palvanquish.com^
+||palzscurou.com^
+||pampergloriafable.com^
+||pamperseparate.com^
+||pampervacancyrate.com^
+||pamphletredhead.com^
+||pamphletthump.com^
+||pampimty.com^
+||pamury.xyz^
+||pamwrymm.live^
+||panaceoutlash.com^
+||panamakeq.info^
+||panaservers.com^
+||panattain.com^
+||pancakedusteradmirable.com^
+||pandasincl.top^
+||pandasloveforlife.com^
+||panelerkingly.top^
+||pangdeserved.com^
+||pangiingsinspi.com^
+||pangtues.xyz^
+||panicmiserableeligible.com^
+||panisicelectre.top^
+||pannamdashee.com^
+||pannumregnal.com^
+||panowiesnarled.click^
+||panoz.xyz^
+||panpant.xyz^
+||pansymerbaby.com^
+||pantafives.com^
+||pantheatincted.click^
+||pantiesattemptslant.com^
+||pantomimecattish.com^
+||pantomimecommitmenttestify.com^
+||pantomimemistystammer.com^
+||pantrydivergegene.com^
+||pantslayerboxoffice.com^
+||pantsurplus.com^
+||pantuz.xyz^
+||paoukgnssmkeys.com^
+||papaneecorche.com^
+||papawrefits.com^
+||papayacallose.top^
+||papererweerish.top^
+||paphoolred.com^
+||papilio3glauecus.com^
+||papillapunning.top^
+||papiostanner.top^
+||papismkhedahs.com^
+||papmeatidigbo.com^
+||pappyalfaje.com^
+||paqcpeotbx.com^
+||parachutecourtyardgrid.com^
+||parachuteeffectedotter.com^
+||parachutelacquer.com^
+||parademuscleseurope.com^
+||paradiseannouncingnow.com^
+||paradisenookminutes.com^
+||paradizeconstruction.com^
+||paragraphdisappointingthinks.com^
+||paragraphopera.com^
+||parallelgds.store^
+||parallelinefficientlongitude.com^
+||paralyzedepisodetiny.com^
+||paralyzedresourcesweapons.com^
+||paranoiaantiquarianstraightened.com^
+||paranoiaourselves.com^
+||paraphdeafer.top^
+||parasitevolatile.com^
+||parasolsever.com^
+||parasolsond.com^
+||paravaprese.com^
+||parboilkpuesi.com^
+||parcookgitano.top^
+||pardaoboccia.shop^
+||parecyrclame.com^
+||parentingcalculated.com^
+||parentlargevia.com^
+||parentpensionvolunteer.com^
+||parentsatellitecheque.com^
+||pargodysuria.top^
+||paripartners.ru^
+||parishconfinedmule.com^
+||parishintoxicate.com^
+||parishleft.com^
+||parishseparated.com^
+||parisjeroleinpg.com^
+||paritywarninglargest.com^
+||parkcircularpearl.com^
+||parkdues.com^
+||parkdumbest.com^
+||parkedcountdownallows.com^
+||parkingcombstrawberry.com^
+||parkingridiculous.com^
+||parkurl.com^
+||parliamentarypublicationfruitful.com^
+||parliamentaryreputation.com^
+||parlorbagseconomy.com^
+||parlorstudfacilitate.com^
+||parlouractivityattacked.com^
+||parnelfirker.com^
+||paronymtethery.com^
+||parrallforums.top^
+||parrecleftne.xyz^
+||parrotlamista.top^
+||parrotstrim.com^
+||parserskiotomy.com^
+||parsiheep.net^
+||parsimoniousinvincible.net^
+||parsonhimaircraft.com^
+||partedexpensive.com^
+||parthanonstatue.com^
+||partial-pair.pro^
+||partiallyexploitrabbit.com^
+||partiallyguardedascension.com^
+||partiallyrunnerproductive.com^
+||partialpreachground.com^
+||participantderisive.com^
+||participateconsequences.com^
+||participatemop.com^
+||participateoppositedifferent.com^
+||participationimpediment.com^
+||particlesnuff.com^
+||particularlyarid.com^
+||partieseclipse.com^
+||partiesinches.com^
+||partion-ricism.xyz^
+||partitedene.top^
+||partitionshawl.com^
+||partlytrouble.com^
+||partnerbcgame.com^
+||partnerentry.com^
+||partnerlinks.io^
+||partpedestal.com^
+||partridgehostcrumb.com^
+||partsbury.com^
+||partsfroveil.com^
+||parttimelucidly.com^
+||parttimeobdurate.com^
+||parttimesupremeretard.com^
+||parturemv.top^
+||partyingdisastrouskitty.com^
+||partypartners.com^
+||parumal.com^
+||parvulitogged.com^
+||parwiderunder.com^
+||pas-rahav.com^
+||pasaltair.com^
+||pasbstbovc.com^
+||pascualpecked.top^
+||paservices.tech^
+||pasjcutadak.com^
+||paslsa.com^
+||passablecoalitionvarious.com^
+||passablejeepparliament.com^
+||passagessixtyseeing.com^
+||passelsylvius.top^
+||passeura.com^
+||passfixx.com^
+||passingpact.com^
+||passionacidderisive.com^
+||passionatephilosophical.com^
+||passiondimlyhorrified.com^
+||passionfruitads.com^
+||passirdrowns.com^
+||passtechusa.com^
+||passwordslayoutvest.com^
+||passwordssaturatepebble.com^
+||pasteldevaluation.com^
+||pastfrolicpackage.com^
+||pastjauntychinese.com^
+||pastoupt.com^
+||pastureacross.com^
+||pasxfixs.com^
+||patakaendymal.top^
+||patalogs.com^
+||patchassignmildness.com^
+||patchedcyamoid.com^
+||patefysouari.com^
+||patentdestructive.com^
+||paternalcostumefaithless.com^
+||paternalrepresentation.com^
+||paternityfourth.com^
+||patgsrv.com^
+||pathloaded.com^
+||pathosacetals.com^
+||pathsectorostentatious.com^
+||patientlyperkgarment.com^
+||patiomistake.com^
+||patoionanrumand.com^
+||patronageausterity.com^
+||patronagepolitician.com^
+||patrondescendantprecursor.com^
+||patronimproveyourselves.com^
+||patronknowing.com^
+||patroposalun.pro^
+||patsincerelyswing.com^
+||patsyendless.com^
+||patsyfactorygallery.com^
+||pattenplouter.com^
+||patternimaginationbull.com^
+||pattyheadlong.com^
+||paubaulo.com^
+||pauewr4cw2xs5q.com^
+||paughtyrostrum.com^
+||paugrozefou.net^
+||paularrears.com^
+||paulastroid.com^
+||paulcorrectfluid.com^
+||paunaupa.com^
+||paushoow.net^
+||paussidsipage.com^
+||pausteegohoa.net^
+||pavfazbwiap.com^
+||paviestrewel.top^
+||pavisordjerib.com^
+||pawbothcompany.com^
+||pawderstream.com^
+||pawheatyous.com^
+||pawhiqsi.com^
+||pawhybkpqgqw.com^
+||pawkilycurvous.com^
+||pawmaudwaterfront.com^
+||pawscreationsurely.com^
+||paxmedia.net^
+||paxsfiss.com^
+||paxxfiss.com^
+||paxyued.com^
+||pay-click.ru^
+||payae8moon9.com^
+||paybackmodified.com^
+||paybackvocal.com^
+||payfertilisedtint.com^
+||paygmlaudwl.com^
+||paymentsweb.org^
+||paymistrustflake.com^
+||payoffdisastrous.com^
+||payoffdonatecookery.com^
+||payslipselderly.com^
+||paysqueak.com^
+||pazashevy.com^
+||pazials.xyz^
+||pazzfun.com^
+||pbacijttzozq.com^
+||pbbqzqi.com^
+||pbcde.com^
+||pbcohtm.com^
+||pbdo.net^
+||pbfnyvl.com^
+||pbgormggma.com^
+||pbhjohrx.xyz^
+||pbhrwhehnyibit.com^
+||pbkdf.com^
+||pblcpush.com^
+||pblinq.com^
+||pblmppbnu.com^
+||pbmt.cloud^
+||pbnjzwjsy.com^
+||pbqqzibusu.com^
+||pbsawkue.com^
+||pbterra.com^
+||pbwlanlzmzeip.com^
+||pbxai.com^
+||pbxopblttvorhd.com^
+||pbyvehcz.com^
+||pc-ads.com^
+||pc180101.com^
+||pc1ads.com^
+||pc20160301.com^
+||pc2121.com^
+||pc2ads.com^
+||pc2ads.ru^
+||pc5ads.com^
+||pccasia.xyz^
+||pccjtxsao.com^
+||pcdgninekvch.com^
+||pcfchubby.top^
+||pcglvhrln.com^
+||pchcwqsfaqpw.com^
+||pcheahrdnfktvhs.xyz^
+||pcirurrkeazm.com^
+||pclk.name^
+||pcmaddwoxex.com^
+||pcmclks.com^
+||pcpqqnlvw.xyz^
+||pcruwbk.com^
+||pctlwm.com^
+||pctsrv.com^
+||pctv.xyz^
+||pcvlpotybnd.com^
+||pcyprkoqednl.xyz^
+||pd-news.com^
+||pdbqyzi.com^
+||pdcnxobcv.com^
+||pdfsearchhq.com^
+||pdfurqok.com^
+||pdgmhnlayjm.com^
+||pdjmarxsne.com^
+||pdjurmfxvebbaoq.xyz^
+||pdn-1.com^
+||pdn-2.com^
+||pdn-3.com^
+||pdn-5.com^
+||pdnyxyqoihia.xyz^
+||pdqdovmsynelej.com^
+||pdridjiviq.com^
+||pdrqubl.com^
+||pdsybkhsdjvog.xyz^
+||pdvacde.com^
+||pdygfdtghcyh.com^
+||peacebanana.com^
+||peacefulactivity.com^
+||peacefulburger.com^
+||peacefullyclenchnoun.com^
+||peacefullyundergroundsubsided.com^
+||peachesevaporateearlap.com^
+||peachessummoned.com^
+||peachrecess.com^
+||peachsquat.com^
+||peachybeautifulplenitude.com^
+||peachytopless.com^
+||peachywaspish.com^
+||peacockshudder.com^
+||peacto.com^
+||peakclick.com^
+||peakluckily.com^
+||peakpushedancestor.com^
+||peanutsfuscin.com^
+||pearlhereby.com^
+||pearlrip.com^
+||peasbishopgive.com^
+||peaveynee.top^
+||pebadu.com^
+||pebbledteledus.com^
+||pebbleoutgoing.com^
+||pecdfzy.com^
+||pecialukizeias.info^
+||pecifyspacing.com^
+||peckbattledrop.com^
+||peckrespectfully.com^
+||pectasefrisker.com^
+||pectosealvia.click^
+||pectsofcukorporatef.info^
+||peculiaritiessevermaestro.com^
+||pedestalturner.com^
+||pedeticinnet.com^
+||pedlujvcfd.com^
+||peechohovaz.xyz^
+||peeingmunster.top^
+||peekaure.xyz^
+||peekipaiw.com^
+||peelaipu.xyz^
+||peelecoroner.top^
+||peelxotvq.com^
+||peemee.com^
+||peenuteque.net^
+||peepholelandreed.com^
+||peephoogruku.net^
+||peer39.net^
+||peerdomatop.click^
+||peeredfoggy.com^
+||peeredgerman.com^
+||peeredplanned.com^
+||peeredstates.com^
+||peeredwalkingcloud.com^
+||peeringinvasion.com^
+||peesopit.net^
+||peesteso.xyz^
+||peethach.com^
+||peethobo.com^
+||peevishaboriginalzinc.com^
+||peevishchasingstir.com^
+||peevishchosen.com^
+||peevishforceless.com^
+||pefeyyuguqsg.com^
+||pegablackjal.com^
+||pegasuson.com^
+||peggyhypoid.com^
+||peglikedioecia.com^
+||pegloang.com^
+||peirs5tbakchios.com^
+||peisantcorneas.com^
+||pejzeexukxo.com^
+||pekcbuz.com^
+||pekroace.net^
+||pekseerdune.xyz^
+||pelamydlours.com^
+||pelargiunmelt.top^
+||peliastitters.com^
+||pelletslimosa.com^
+||pelliancalmato.com^
+||pelorusgravest.top^
+||pemsrv.com^
+||penaltyoutmatch.com^
+||penapne.xyz^
+||pendulumwhack.com^
+||pengobyzant.com^
+||penguest.xyz^
+||penguindeliberate.com^
+||penitentarduous.com^
+||penitentiaryoverdosetumble.com^
+||penitentpeepinsulation.com^
+||penkhkqkbyt.com^
+||penniedtache.com^
+||pennilesscomingall.com^
+||pennilesspictorial.com^
+||pennilessrobber.com^
+||pennilesstestangrily.com^
+||pennyotcstock.com^
+||penrake.com^
+||pensionboarding.com^
+||pensionerbegins.com^
+||pensionerbrightencountess.com^
+||pensiveblindlytwin.com^
+||pentalime.com^
+||pentodetaffy.top^
+||penuchefirms.com^
+||peohara.com^
+||peopleshouldthin.com^
+||peospjryrzxuyb.com^
+||pepapigg.xyz^
+||pepepush.net^
+||pepiggies.xyz^
+||peppaping.xyz^
+||pepperbufferacid.com^
+||peppermintinstructdumbest.com^
+||pepperthusadventure.com^
+||pepperunmoveddecipher.com^
+||peppincalmy.top^
+||peppy2lon1g1stalk.com^
+||pepyyzqqgciv.com^
+||pequotpatrick.click^
+||perceivedagrarian.com^
+||perceivedfineembark.com^
+||percentageartistic.com^
+||percentagethinkstasting.com^
+||perceptionatomicmicrowave.com^
+||perceptiongrandparents.com^
+||percussivecloakfortunes.com^
+||percussiverefrigeratorunderstandable.com^
+||percynaturalist.com^
+||perechsupors.com^
+||pereliaastroid.com^
+||perennialsecondly.com^
+||perfb.com^
+||perfectflowing.com^
+||perfectionministerfeasible.com^
+||perfectlywent.com^
+||perfectmarket.com^
+||perfectplanned.com^
+||performance-check.b-cdn.net^
+||performanceadexchange.com^
+||performanceonclick.com^
+||performancetrustednetwork.com^
+||performanteads.com^
+||performassumptionbonfire.com^
+||performedlifestyleburial.com^
+||performingdistastefulsevere.com^
+||performinggushorseman.com^
+||performingwhosegride.com^
+||performit.club^
+||performtechnique.com^
+||perfumeantecedent.com^
+||perfunctoryfrugal.com^
+||perhapsdrivewayvat.com^
+||perhiptid.com^
+||perhui.com^
+||perics.com^
+||perigshfnon.com^
+||perilousalonetrout.com^
+||perimeterridesnatch.com^
+||periodicjotrickle.com^
+||periodicmassageate.com^
+||periodicpole.com^
+||periodicprodigal.com^
+||periodscirculation.com^
+||periodspoppyrefuge.com^
+||perjurycelsiussenses.com^
+||perksyringefiring.com^
+||permanentadvertisebytes.com^
+||permanentlymission.com^
+||permanentlyvulture.com^
+||permissionarriveinsert.com^
+||permissionfence.com^
+||permissivegrimlychore.com^
+||permitwarmer.com^
+||pernodkelder.top^
+||perperarenail.com^
+||perpetrateabsolute.com^
+||perpetratejewels.com^
+||perpetualcod.com^
+||perryflealowest.com^
+||perryvolleyball.com^
+||persaonwhoisablet.com^
+||persecutenosypajamas.com^
+||persecutionmachinery.com^
+||perseducatiuca.com^
+||persetoenail.com^
+||perseverancekaleidoscopefinance.com^
+||perseverancewash.com^
+||perseverehang.com^
+||persevereindirect.com^
+||perseverevoice.com^
+||persicrejolt.com^
+||persistarcticthese.com^
+||persistbrittle.com^
+||persistsaid.com^
+||persona3.tech^
+||personalityhamlet.com^
+||personalityleftoverwhiskers.com^
+||personalityvillainlots.com^
+||personifyallege.com^
+||perspectiveunderstandingslammed.com^
+||perspectivevaluation.com^
+||perspirationauntpickup.com^
+||perspirationfraction.com^
+||persuadepointed.com^
+||persuasivepenitentiary.com^
+||pertawee.net^
+||pertersacstyli.com^
+||pertfinds.com^
+||pertinentadvancedpotter.com^
+||pertlouv.com^
+||perttogahoot.com^
+||pertyvaluationia.monster^
+||perusebulging.com^
+||peruseinvitation.com^
+||perverseunsuccessful.com^
+||pervertmine.com^
+||pervertscarreceipt.com^
+||peshkarties.top^
+||peskyclarifysuitcases.com^
+||peskycrash.com^
+||peskylock.com^
+||peskyresistamaze.com^
+||pesoaniz.com^
+||pessimisticconductiveworrying.com^
+||pessimisticextra.com^
+||pesterclinkaltogether.com^
+||pesteroverwork.com^
+||pesterunusual.com^
+||pestholy.com^
+||pestilenttidefilth.org^
+||petargumentswhirlpool.com^
+||petasmaeryops.com^
+||petasusawber.com^
+||petchesa.net^
+||petchoub.com^
+||petendereruk.com^
+||petideadeference.com^
+||petrelbeheira.website^
+||petrifacius.com^
+||petrolbuck.com^
+||petrolgraphcredibility.com^
+||petrousrandle.com^
+||petsavoury.com^
+||pettishprecopy.com^
+||petyntrx.com^
+||pexkmaebfy.xyz^
+||pexuvais.net^
+||pezoomsekre.com^
+||pezuhdhzrmb.com^
+||pf34zdjoeycr.com^
+||pfactgmb.xyz^
+||pfdclqlitxypve.com^
+||pfddniedc.com^
+||pfeite.com^
+||pfewuzbtkr.com^
+||pfiuyt.com^
+||pfjfrxayglyouj.com^
+||pflmikjx.com^
+||pflvyqvpiwdnl.com^
+||pfmmzmdba.com^
+||pfompiorkla.com^
+||pfulhwxjeoi.com^
+||pfyscjwxjcqdsqc.com^
+||pgaictlq.xyz^
+||pgezbuz.com^
+||pgjlctmswgnwf.com^
+||pgjt26tsm.com^
+||pglcyeawb.com^
+||pglxiyiylgjpy.com^
+||pgmcdn.com^
+||pgmediaserve.com^
+||pgmfuffwfl.com^
+||pgonews.pro^
+||pgorttohwo.info^
+||pgpartner.com^
+||pgssjxz.com^
+||pgssl.com^
+||pgtabxxmb.com^
+||pgvjhejpnnir.com^
+||pgwcrtobrdjx.com^
+||pgwlzodsll.com^
+||phaarnsvqzlr.com^
+||phabycebe.com^
+||phaeismcurtal.top^
+||phaglalt.com^
+||phaibimoa.xyz^
+||phaidraih.net^
+||phaighoosie.com^
+||phaikroo.net^
+||phaikrouh.com^
+||phaiksul.net^
+||phaimseksa.com^
+||phaipaun.net^
+||phaisoaz.com^
+||phaitaghy.com^
+||phalingy.net^
+||phamsacm.net^
+||phantomattestationzillion.com^
+||phantomtheft.com^
+||phapsarsox.xyz^
+||pharmcash.com^
+||phaseranarch.com^
+||phaseunleden.top^
+||phastoag.com^
+||phauckoo.xyz^
+||phaudree.com^
+||phaunaitsi.net^
+||phaurtuh.net^
+||phause.com^
+||phautchiwaiw.net^
+||pheasantarmpitswallow.com^
+||phee1oci.com^
+||pheedsoan.com^
+||pheeghie.net^
+||pheegoab.click^
+||pheegopt.xyz^
+||pheepudo.net^
+||pheersie.com^
+||pheftoud.com^
+||pheniter.com^
+||phenomenonwhilstsleek.com^
+||phenotypebest.com^
+||phepofte.net^
+||pheptoam.com^
+||pheselta.net^
+||phesheet.net^
+||phetsaikrugi.com^
+||phewhouhopse.com^
+||phftcml.com^
+||phglobk.com^
+||phhxlhdjw.xyz^
+||phialedamende.com^
+||phicmune.net^
+||phiduvuka.pro^
+||philadelphiadip.com^
+||philosophicalurgegreece.com^
+||philosophydictation.com^
+||phirgese.com^
+||phirozeon.com^
+||phitchoord.com^
+||phkucgq.com^
+||phkwimm.com^
+||phkyhiohh.com^
+||phloxsub73ulata.com^
+||phmqqbm.com^
+||phoackoangu.com^
+||phoalard.net^
+||phoamsoa.xyz^
+||phoaphoxsurvey.space^
+||phoaptee.net^
+||phoaraut.com^
+||phoawhap.net^
+||phoawhoax.com^
+||phokruhefeki.com^
+||phokukse.com^
+||pholrock.net^
+||phomoach.net^
+||phoneboothsabledomesticated.com^
+||phoneraisedconstituent.com^
+||phoobsoalrie.com^
+||phooghoo.com^
+||phoognol.com^
+||phoojeex.xyz^
+||phookroamte.xyz^
+||phooreew.net^
+||phoossax.net^
+||phoosuss.net^
+||phortaub.com^
+||phosphatepossible.com^
+||photofuturecrappy.com^
+||photographcrushingsouvenirs.com^
+||photographerinopportune.com^
+||photographingreliant.com^
+||photographingstirinput.com^
+||photographyprovincelivestock.com^
+||phoulade.xyz^
+||phoumpait.com^
+||phourdee.com^
+||phoutchounse.com^
+||phouvemp.net^
+||phpkxtwuibv.com^
+||phraa-lby.com^
+||phrasespokesmansurmise.com^
+||phraseybeulah.com^
+||phrygiakodak.top^
+||phsism.com^
+||phts.io^
+||phubsorg.xyz^
+||phudreez.com^
+||phujaudsoft.xyz^
+||phukienthoitranggiare.com^
+||phulaque.com^
+||phultems.net^
+||phultids.com^
+||phumpauk.com^
+||phupours.com^
+||phursefter.net^
+||phuthobsee.com^
+||phuzeeksub.com^
+||phvhnxebmrzf.com^
+||phxnkysa.com^
+||phylumslypes.top^
+||phymasfacks.com^
+||physical-flow-i-255.site^
+||physicalblueberry.com^
+||physicaldetermine.com^
+||physicallyshillingattentions.com^
+||physicalnecessitymonth.com^
+||physiquefourth.com^
+||phytyltweaked.com^
+||phywifupta.com^
+||piafxnwmbx.com^
+||piaigyyigyghjmi.xyz^
+||pianistcampingroom.com^
+||piarecdn.com^
+||piaroankenyte.store^
+||piazzatepal.com^
+||picadmedia.com^
+||picarasgalax.com^
+||picbucks.com^
+||piccid.com^
+||pickaflick.co^
+||pickedincome.com^
+||picklecandourbug.com^
+||picklesdumb.com^
+||picklespealwanderer.com^
+||pickupnationalityinexhaustible.com^
+||pickuppestsyndrome.com^
+||pickvideolink.com^
+||picsofdream.space^
+||picsti.com^
+||pictela.net^
+||pictorialtraverse.com^
+||picturecorrespond.com^
+||pieceresponsepamphlet.com^
+||piecreatefragment.com^
+||pienbitore.com^
+||piercepavilion.com^
+||pierchestnut.com^
+||piercing-employment.pro^
+||pierisrapgae.com^
+||pierlinks.com^
+||pierrapturerudder.com^
+||pietyharmoniousablebodied.com^
+||pigcomprisegruff.com^
+||piggiepepo.xyz^
+||pigistles.com^
+||pigletsmunsee.top^
+||piglingdetar.top^
+||pigmewpiete.com^
+||pignuwoa.com^
+||pigrewartos.com^
+||pigroldgdednc.com^
+||pigsflintconfidentiality.com^
+||pigtre.com^
+||pihmvhv.com^
+||pihu.xxxpornhd.pro^
+||pihzhhn.com^
+||pikrumsi.net^
+||pilaryhurrah.com^
+||piledannouncing.com^
+||piledchinpitiful.com^
+||pilespaua.com^
+||pilgrimarduouscorruption.com^
+||pilkinspilular.click^
+||pillsofecho.com^
+||pillthingy.com^
+||pilltransgress.com^
+||piloteegazy.com^
+||piloteraser.com^
+||pilotnourishmentlifetime.com^
+||pilpulbagmen.com^
+||pilsarde.net^
+||piltockcurt.top^
+||pimenttoryfy.top^
+||pimpleinterference.com^
+||pinaffectionatelyaborigines.com^
+||pinballpublishernetwork.com^
+||pincersnap.com^
+||pinchbarren.com^
+||pinchingoverridemargin.com^
+||pincruqtjcu.com^
+||pineappleconsideringpreference.com^
+||pinefluencydiffuse.com^
+||pinesichor.click^
+||ping-traffic.info^
+||pinkleo.pro^
+||pinkpig2le8tt09.com^
+||pinlockasellus.top^
+||pinoffence.com^
+||pinprickmerry.com^
+||pinprickverificationdecember.com^
+||pinprickwinconfirm.com^
+||pintlecylix.top^
+||pintoutcryplays.com^
+||pinttalewag.com^
+||pinwalerompers.com^
+||pioneercomparatively.com^
+||pioneerhardshipfarewell.com^
+||pioneersuspectedjury.com^
+||pioneerusual.com^
+||piouscheers.com^
+||piouspoemgoodnight.com^
+||pip-pip-pop.com^
+||pipaffiliates.com^
+||pipeaota.com^
+||pipeofferear.com^
+||pipeoverwhelm.com^
+||pipeschannels.com^
+||pipetskeloid.com^
+||pipprfvhpykpvk.com^
+||pipsol.net^
+||piqueendogen.com^
+||piratedivide.com^
+||pirdnpamgbwjv.com^
+||pirnirok.top^
+||pirogumbrina.shop^
+||pirouque.com^
+||pirtecho.net^
+||pisism.com^
+||piskaday.com^
+||pistolstumbled.com^
+||pistolterrificsuspend.com^
+||pitarahlordy.top^
+||pitasevpk.com^
+||pitcharduous.com^
+||pitchedfurs.com^
+||pitchedgenuinevillain.com^
+||pitchedvalleyspageant.com^
+||pitcherprobable.com^
+||piteevoo.com^
+||pitonlocmna.com^
+||pitsampy.net^
+||pitshopsat.com^
+||pitteddilemma.top^
+||pitycultural.com^
+||pityneedsdads.com^
+||pitysuffix.com^
+||piuyt.com^
+||pivotrunner.com^
+||piwhbfgyj.com^
+||pixazza.com^
+||pixel-eu.jggegj-rtbix.top^
+||pixel-eu.s0q260-rtbix.top^
+||pixelhere.com^
+||pixelplay.pro^
+||pixelspivot.com^
+||pixfuture.net^
+||pixxur.com^
+||piybineqejjswp.com^
+||piz7ohhujogi.com^
+||pizzasocalled.com^
+||pizzlessclimb.top^
+||pjagilteei.com^
+||pjhbyaaadlw.com^
+||pjivapiumeb.com^
+||pjjpp.com^
+||pjnwmbz.com^
+||pjoibbc.com^
+||pjoqkmks.com^
+||pjqchcfwtw.com^
+||pjslwort.com^
+||pjsos.xyz^
+||pjuumyikooj.com^
+||pjvartonsbewand.info^
+||pjvunkjgh.com^
+||pjwshrlhyjyhqu.xyz^
+||pjyvgdpvjp.com^
+||pjzgggywd.com^
+||pk0grqf29.com^
+||pk910324e.com^
+||pkcdvehycoo.com^
+||pkebenfb.com^
+||pkhhyool.com^
+||pkhntvfvkho.com^
+||pki87n.pro^
+||pkjekjmzfiuvi.com^
+||pkjouzfyf.com^
+||pkpibupbbuvbgwh.xyz^
+||pkudawbkcl.com^
+||pkxseoxojrg.com^
+||pkyhdpdzidm.com^
+||placardcapitalistcalculate.com^
+||placingcompany.com^
+||placingfinally.com^
+||placingharassment.com^
+||placingsolemnlyinexpedient.com^
+||placingtraditionalhobble.com^
+||plaguealacritytwitter.com^
+||plaicealwayspanther.com^
+||plaicecaught.com^
+||plainanyways.top^
+||plainphilosophy.pro^
+||plainscashmereperceive.com^
+||plainsnudge.com^
+||plaintorch.com^
+||plainwarrant.com^
+||plaitedtoiting.com^
+||plaitseeds.com^
+||plandappsb.com^
+||planepleasant.com^
+||planet-vids.online^
+||planet7links.com^
+||planetarium-planet.com^
+||planetconstituent.com^
+||planetgrimace.com^
+||planetvids.online^
+||planetvids.space^
+||plankbritish.com^
+||planktab.com^
+||planmybackup.co^
+||plannedcardiac.com^
+||plannersavour.com^
+||planningbullyingquoted.com^
+||planningwebviolently.com^
+||plannto.com^
+||planscul.com^
+||plantationthrillednoncommittal.com^
+||plantcontradictionexpansion.com^
+||plantswindscreen.com^
+||planxtyroaring.com^
+||planyourbackup.co^
+||plaqt.com^
+||plastercreatedexpansion.com^
+||plasticskilledlogs.com^
+||plastleislike.com^
+||platelosingshameless.com^
+||platesnervous.com^
+||platesworked.com^
+||platform-hetcash.com^
+||platformallowingcame.com^
+||platformsbrotherhoodreticence.com^
+||platformsrat.com^
+||platformsrespected.com^
+||platinumbother.com^
+||platitudecontinental.com^
+||platitudefivesnack.com^
+||platitudezeal.com^
+||play5play1.com^
+||playairplanerighty.com^
+||playbook88a2.com^
+||playboykangaroo.com^
+||playboykinky.com^
+||playboywere.com^
+||playdraught.com^
+||playeranyd.org^
+||playeranydwo.info^
+||playerseo.club^
+||playerstrivefascinated.com^
+||playertraffic.com^
+||playgroundordinarilymess.com^
+||playingoutfitprofile.com^
+||playmmogames.com^
+||playoverlyspeedyinfo-product.info^
+||playrdkf.com^
+||playspeculationnumerals.com^
+||playstream.media^
+||playstretch.host^
+||playukinternet.com^
+||playvideoclub.com^
+||playvideodirect.com^
+||playwrightsovietcommentary.com^
+||pleadsbox.com^
+||pleasantlyknives.com^
+||pleasantpaltryconnections.com^
+||pleasedexample.com^
+||pleasedprocessed.com^
+||pleasenudgemillions.com^
+||pleasetrack.com^
+||pleasingrest.pro^
+||pleasureflatteringmoonlight.com^
+||pleatpipe.com^
+||pledgeexceptionalinsure.com^
+||pledgeincludingsteer.com^
+||pledgetolerate.com^
+||pledgezoology.com^
+||plemil.info^
+||plenastonk.com^
+||plenitudeagency.com^
+||plenitudedevoidlag.com^
+||plenitudesellerministry.com^
+||plenomedia.com^
+||plentifulqueen.com^
+||plentifulslander.com^
+||plentifulwilling.com^
+||plex4rtb.com^
+||plexop.net^
+||plhhisqiem.com^
+||plianteditdisembark.com^
+||pliantleft.com^
+||pliblc.com^
+||plierifykvyc.com^
+||plinksplanet.com^
+||plirkep.com^
+||plkoxaypcmzkus.com^
+||pllah.com^
+||plmhezvbcjcywo.com^
+||plmwsl.com^
+||plntxgh.com^
+||plocap.com^
+||plodpicture.com^
+||plodrat.com^
+||ploimajoined.top^
+||plonksbunted.com^
+||plorexdry.com^
+||plotafb.com^
+||plotchwrive.com^
+||ploteight.com^
+||plotlibyodler.top^
+||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^
+||pluffcalaba.top^
+||pluffdoodah.com^
+||plugerr.com^
+||plugrushusa.dsp.wtf^
+||plugs.co^
+||plumagebenevolenttv.com^
+||plumberwolves.com^
+||plumbfullybeehive.com^
+||plumbsplash.com^
+||plumpcontrol.pro^
+||plumpdianafraud.com^
+||plumpdisobeyastronomy.com^
+||plumpgrabbedseventy.com^
+||plumposterity.com^
+||plumsbusiness.com^
+||plumsscientific.com^
+||plumssponsor.com^
+||plundertentative.com^
+||plungecarbon.com^
+||plungedcandourbleach.com^
+||pluralpeachy.com^
+||plureleroding.shop^
+||plusungratefulinstruction.com^
+||plutothejewel.com^
+||plvhsycor.com^
+||plvwyoed.com^
+||plxserve.com^
+||plyfoni.ru^
+||pmc1201.com^
+||pmdnditvte.com^
+||pmegulnunf.com^
+||pmetorealiukze.xyz^
+||pmeuehivfps.com^
+||pmieprlpq.com^
+||pmmojatx.com^
+||pmpubs.com^
+||pmsrvr.com^
+||pmtkhcr.com^
+||pmwwedke.com^
+||pmxyzqm.com^
+||pmzbrfpijoa.com^
+||pmzer.com^
+||pncloudfl.com^
+||pncvaoh.com^
+||pnd.gs^
+||pneumoniaelderlysceptical.com^
+||pnlsgvlgujav.com^
+||pnlwbcxphfhgqp.com^
+||pnouting.com^
+||pnperf.com^
+||pnsqsv.com^
+||pnufzbzzomt.com^
+||pnuhondppw.com^
+||pnvypcuqqyu.com^
+||pnwawbwwx.com^
+||poacauceecoz.com^
+||poacawhe.net^
+||poachfelonry.top^
+||poachfirewoodboast.com^
+||poagugauz.net^
+||poanouwy.net^
+||poapeecujiji.com^
+||poaptapuwhu.com^
+||poaptoug.net^
+||poapustu.net^
+||poasotha.com^
+||poavoabe.net^
+||pobliba.info^
+||pocketenvironmental.com^
+||pocketjaguar.com^
+||poclorcobxo.com^
+||pocrd.cc^
+||pocrowpush.com^
+||podefr.net^
+||podgilyfattens.com^
+||podosupsurge.com^
+||podsolnu9hi10.com^
+||podtiabulb.top^
+||poemblotrating.com^
+||poemherbal.com^
+||poemsbedevil.com^
+||poemswrestlingstrategy.com^
+||poetrydeteriorate.com^
+||poflix.com^
+||poghaurs.com^
+||pognamta.net^
+||pogothere.xyz^
+||pohsoneche.info^
+||poi3d.space^
+||poignantsensitivenessforming.com^
+||poilloiter.top^
+||poinct.com^
+||poined.com^
+||pointed-deal.pro^
+||pointeddifference.com^
+||pointedmana.info^
+||pointespassage.com^
+||pointinginexperiencedbodyguard.com^
+||pointlesseventuallydesignate.com^
+||pointlessmorselgemini.com^
+||pointroll.com^
+||poiseacacialaw.com^
+||poisegel.com^
+||poisism.com^
+||poisonencouragement.com^
+||poisonousamazing.com^
+||pokaroad.net^
+||pokerarrangewandering.com^
+||poketraff.com^
+||pokingtrainswriter.com^
+||pokjhgrs.click^
+||pokomopunkin.top^
+||pokreess.com^
+||polacrereacts.top^
+||polanders.com^
+||polarbearyulia.com^
+||polarcdn-terrax.com^
+||polaritypresentimentasterisk.com^
+||polarlootstairwell.com^
+||polarmobile.com^
+||policeair.com^
+||policecaravanallure.com^
+||policemanspectrum.com^
+||policesportsman.com^
+||policityseriod.info^
+||policydilapidationhypothetically.com^
+||poliesgoral.com^
+||polishsimilarlybutcher.com^
+||politemischievous.com^
+||politesewer.com^
+||politicallyautograph.com^
+||politicalname.com^
+||politicianbusplate.com^
+||politiciancuckoo.com^
+||polityimpetussensible.com^
+||pollenshuckles.click^
+||pollingpephonourable.com^
+||pollpublicly.com^
+||pollutefurryapproximate.com^
+||pollutiongram.com^
+||polluxnetwork.com^
+||poloptrex.com^
+||polothdgemanow.info^
+||poloud.com^
+||polpepsn.com^
+||polredsy.com^
+||polsonaith.com^
+||poltarimus.com^
+||polyad.net^
+||polydarth.com^
+||polygraphpretenceraw.com^
+||polyh-nce.com^
+||polypedoutkeep.com^
+||pomesspawn.click^
+||pompadawe.com^
+||pompeywantinggetaway.com^
+||pompomsshock.com^
+||pompousdescended.com^
+||pompouslemonadetwitter.com^
+||pompoussqueal.com^
+||pompreflected.com^
+||pomptame.com^
+||pon-prairie.com^
+||ponchosmzee.top^
+||ponchowafesargb.com^
+||ponderousmuffled.com^
+||ponderriding.com^
+||pondinternet.com^
+||pondov.cfd^
+||pongidsrunback.com^
+||ponk.pro^
+||ponosenvy.top^
+||pontonsdoeth.top^
+||ponyresentment.com^
+||ponysuggested.com^
+||pooboqxoh.xyz^
+||poodledopas.cam^
+||pookaipssurvey.space^
+||poolgmsd.com^
+||pooloccurrence.com^
+||poolsperlite.click^
+||pooptoom.net^
+||poorlyorchidrepute.com^
+||poorlystepmotherresolute.com^
+||poorlytanrubbing.com^
+||poorstress.pro^
+||poosoahe.com^
+||poostith.net^
+||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^
+||popsoffer.com^
+||popsreputation.com^
+||poptm.com^
+||poptoll.com^
+||popularcldfa.co^
+||popularinnumerable.com^
+||popularitydecoctioncalled.com^
+||popularmedia.net^
+||popularpillcolumns.com^
+||populationencouragingunsuccessful.com^
+||populationgrapes.com^
+||populationrind.com^
+||populis.com^
+||populisengage.com^
+||popult.com^
+||popunder.bid^
+||popunder.ru^
+||popunderstar.com^
+||popunderz.com^
+||popupblocker-download.com^
+||popupblockernow.com^
+||popupchat-live.com^
+||popupgoldblocker.net^
+||popupsblocker.org^
+||popuptraffic.com^
+||popwin.net^
+||popxperts.com^
+||popxyz.com^
+||porailbond.com^
+||poratweb.com^
+||porcatenonform.com^
+||porcelainprivatelybrush.com^
+||porcelainviolationshe.com^
+||poredii.com^
+||porkpielepidin.com^
+||pornoegg.com^
+||pornoheat.com^
+||pornoio.com^
+||pornomixfree.com^
+||pornvideos.casa^
+||porojo.net^
+||portalisimmo.com^
+||portalregionstip.com^
+||portcigarettesstudent.com^
+||portfoliocradle.com^
+||portfoliojumpy.com^
+||portkingric.net^
+||portlychurchyard.com^
+||portlywhereveralfred.com^
+||portoteamo.com^
+||portsspat.com^
+||portugueseletting.com^
+||portuguesetoil.com^
+||posaul.com^
+||posawaj.com^
+||poseconsumeelliot.com^
+||posf.xyz^
+||poshhateful.com^
+||poshsplitdr.com^
+||poshyouthfulton.com^
+||positionavailreproach.com^
+||positioner.info^
+||positivedistantstale.com^
+||positivejudge.com^
+||positivelyoverall.com^
+||positivewillingsubqueries.com^
+||posjnewbgjg.com^
+||possessdolejest.com^
+||possessedbrute.com^
+||possessionaddictedflight.com^
+||possessionregimentunborn.com^
+||possessionsolemn.com^
+||possibilityformal.com^
+||possibilityrespectivelyenglish.com^
+||possiblepencil.com^
+||post-redirecting.com^
+||postalfranticallyfriendship.com^
+||postalusersneatly.com^
+||postaoz.xyz^
+||postback.info^
+||postback1win.com^
+||postcardhazard.com^
+||postlnk.com^
+||postrelease.com^
+||postthieve.com^
+||postureunlikeagile.com^
+||potablefilled.top^
+||potawe.com^
+||potclumsy.com^
+||potentialapplicationgrate.com^
+||potentiallyinnocent.com^
+||pothutepu.com^
+||potionnowhere.com^
+||potlscwdblshh.com^
+||potnormal.com^
+||potnormandy.com^
+||potsaglu.net^
+||potshumiliationremnant.com^
+||potsiuds.com^
+||potskolu.net^
+||potslascivious.com^
+||pottercaprizecaprizearena.com^
+||potterdullmanpower.com^
+||potterystabilityassassination.com^
+||potwm.com^
+||pouam.xyz^
+||pouanz.xyz^
+||pouchadjoinmama.com^
+||pouchaffection.com^
+||pouchclockwise.com^
+||pouchedathelia.com^
+||poudrinnamaste.com^
+||poufaini.com^
+||poufsgausses.top^
+||poumouja.xyz^
+||pounceintention.com^
+||poundabbreviation.com^
+||poundplanprecarious.com^
+||poundswarden.com^
+||pounti.com^
+||pourdear.com^
+||pouredshortseconomic.com^
+||pourorator.com^
+||pourpressedcling.com^
+||poutdecimal.com^
+||poutrevenueeyeball.com^
+||povlnlq.com^
+||povoarge.com^
+||povsefcrdj.com^
+||powchro.com^
+||powenin.com^
+||powerad.ai^
+||poweradblocker.com^
+||powerain.biz^
+||powerfulfreelance.com^
+||powerpushsell.site^
+||powerpushtrafic.space^
+||powerusefullyjinx.com^
+||poweyus.com^
+||powferads.com^
+||powjoui.com^
+||poxaharap.com^
+||poxcgxylozny.com^
+||poxypicine.com^
+||poxyrevise.com^
+||poyqmngbxwsvnav.xyz^
+||poyusww.com^
+||pp2ppsch1hount1hf.com^
+||pp98trk.com^
+||ppaiyfox.xyz^
+||ppbihtwyapucgkg.xyz^
+||ppcjxidves.xyz^
+||ppclinking.com^
+||ppcnt.pro^
+||ppctraffic.co^
+||ppdiatk.com^
+||ppedtoalktoherha.info^
+||pphiresandala.info^
+||ppixufsalgm.com^
+||ppizmuablx.com^
+||ppjdfki.com^
+||ppjqgbz.com^
+||pplgwic.com^
+||ppmzcafertd.com^
+||ppnnnuluvyaj.com^
+||ppoommhizazn.com^
+||ppovysmcycmwvv.com^
+||pppbr.com^
+||ppqy.fun^
+||ppqyrngjwdq.com^
+||pprq7.com^
+||pprvllibaogtsj.com^
+||ppvmhhpxuomjwo.xyz^
+||pqaz.xyz^
+||pqgtywjj.com^
+||pqhoscjupq.com^
+||pqjqtewve.com^
+||pqmmligackmeem.com^
+||pqotwscxucvn.com^
+||pqpjkkppatxfnpp.xyz^
+||pqsymknliiwzlr.com^
+||pqulqqpmx.com^
+||practicalbar.pro^
+||practicalframingfiddle.com^
+||practicallyfire.com^
+||practicallysacrificestock.com^
+||practicallyutmost.com^
+||practicallyvision.com^
+||practice3452.fun^
+||practicedeaf.com^
+||practicedearest.com^
+||practicemateorgans.com^
+||practicepeter.com^
+||practiseseafood.com^
+||practthreat.club^
+||praght.tech^
+||prahfoleruna.com^
+||praiseddisintegrate.com^
+||pramenterpriseamy.com^
+||pranklecaque.com^
+||prascfaf.com^
+||praterswhally.com^
+||prawnrespiratorgrim.com^
+||prawnsimply.com^
+||prawntimetableinflux.com^
+||prayercertificatecompletion.com^
+||prayersobsoletededuce.com^
+||prbpqlpqko.com^
+||prdredir.com^
+||prdyilhhwqh.com^
+||pre4sentre8dhf.com^
+||preacherscarecautiously.com^
+||prearmskabiki.com^
+||precariousgrumpy.com^
+||precedechampion.com^
+||precedelaxative.com^
+||precedenowadaysbarbecue.com^
+||precedentadministrator.com^
+||precedentbasepicky.com^
+||precious-type.pro^
+||preciouswornspectacle.com^
+||precipitationepisodevanished.com^
+||precipitationglittering.com^
+||precipitationsloganhazard.com^
+||precipitationsquall.com^
+||preciselysolitaryallegation.com^
+||precisethrobbingsentinel.com^
+||precisionclick.com^
+||precisionnight.com^
+||precmd.com^
+||precursorinclinationbruised.com^
+||predatoryfilament.com^
+||predatorymould.com^
+||predatoryrucksack.com^
+||predestineprohibitionmassive.com^
+||predicamentdisconnect.com^
+||predicateblizzard.com^
+||predictablelipswailed.com^
+||predictad.com^
+||predictfurioushindrance.com^
+||predictiondexchange.com^
+||predictiondisplay.com^
+||predictionds.com^
+||predictivadnetwork.com^
+||predictivadvertising.com^
+||predictivdisplay.com^
+||predominanttamper.com^
+||preeditreviler.com^
+||prefaceanything.com^
+||prefecturecagesgraphic.com^
+||prefecturesolelysadness.com^
+||preferablyducks.com^
+||preferencedrank.com^
+||preferenceforfeit.com^
+||preferredsaltshift.com^
+||prefershapely.com^
+||prefleks.com^
+||pregainpotgut.top^
+||pregamepluteal.com^
+||pregnancyslayidentifier.com^
+||prehistoricprefecturedale.com^
+||prejudiceinsure.com^
+||prelandcleanerlp.com^
+||prelandtest01.com^
+||prelandtest02.com^
+||preliminaryinclusioninvitation.com^
+||preloanflubs.com^
+||prematurebowelcompared.com^
+||prematuregrumpyunhappy.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^
+||preoccupycorrecttalented.com^
+||preonesetro.com^
+||preparationtrialholding.com^
+||preparedfile.com^
+||preparemethod.com^
+||preparingacrossreply.com^
+||preparingbodiesfamiliar.com^
+||preponderanttemple.com^
+||prepositioncamouflage.com^
+||prepositioncontributorwring.com^
+||prepositiondiscourteous.com^
+||prepositionrumour.com^
+||preposterousstation.com^
+||preppiesteamer.com^
+||prerogativedifference.com^
+||prerogativeproblems.com^
+||prerogativeslob.com^
+||prescription423.fun^
+||presentationbishop.com^
+||presentimentcongruousactively.com^
+||presentimentguestmetaphor.com^
+||presentlypacifyforests.com^
+||preserveadapt.com^
+||preservealso.com^
+||presidecookeddictum.com^
+||presidentialcheaper.com^
+||presidentialprism.com^
+||presidentialtumble.com^
+||prespurmaness.com^
+||pressedbackfireseason.com^
+||pressingequation.com^
+||pressize.com^
+||pressyour.com^
+||prestadsng.com^
+||prestigefunction.com^
+||prestoris.com^
+||presumablyconfound.com^
+||presumptuousfunnelinsight.com^
+||presumptuouslavish.com^
+||pretencepeppermint.com^
+||pretendresentfulamid.com^
+||pretendturk.com^
+||pretextunfinished.com^
+||pretrackings.com^
+||pretty-sluts-nearby.com^
+||prettypasttime.com^
+||prettypermission.pro^
+||prettytypicalimpatience.com^
+||prevailedbutton.com^
+||prevailinsolence.com^
+||prevalentpotsrice.com^
+||preventionhoot.com^
+||prevuesthurl.com^
+||preyersbowe.top^
+||prfctmney.com^
+||prfwhite.com^
+||prhbdkmdtobn.com^
+||prhdvhx.com^
+||pricklyachetongs.com^
+||pridenovicescammer.com^
+||priestboundsay.com^
+||priestsuccession.com^
+||priestsuede.click^
+||priestsuede.com^
+||primalredfish.com^
+||primaryads.com^
+||primaryderidemileage.com^
+||primarystoppedballot.com^
+||prime-vpnet.com^
+||primedirect.net^
+||primerclicks.com^
+||primevalstork.com^
+||primomopicnics.top^
+||primroselegitimate.com^
+||princefruitlessfencing.com^
+||princesinistervirus.com^
+||princessdazzlepeacefully.com^
+||princessmodern.com^
+||principaldingdecadence.com^
+||principlede.info^
+||principledecliner.info^
+||principlessilas.com^
+||pringed.space^
+||prinksdammit.com^
+||printaugment.com^
+||printerswear.com^
+||printgrownuphail.com^
+||printsmull.com^
+||priorityblockinghopped.com^
+||priselapse.com^
+||prisonfirmlyswallow.com^
+||prisonrecollectionecstasy.com^
+||pristine-dark.pro^
+||pritesol.com^
+||priustellen.com^
+||privacycounter.com^
+||privacynicerresumed.com^
+||privacysearching.com^
+||privateappealingsymphony.com^
+||privatedqualizebrui.info^
+||privateleaflet.com^
+||privatelydevotionrewind.com^
+||privilegedvitaminimpassable.com^
+||privilegeinjurefidelity.com^
+||privilegest.com^
+||prizegrantedrevision.com^
+||prizel.com^
+||prizes-topwin.life^
+||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^
+||probangavatara.top^
+||probationpresented.com^
+||probersnobles.com^
+||probessanggau.com^
+||probestrike.com^
+||probeswiglet.top^
+||probitystuck.com^
+||probtn.com^
+||procedurepurposeassurance.com^
+||proceduresjeer.com^
+||proceedingdream.com^
+||proceedingmusic.com^
+||processedagrarian.com^
+||processingcomprehension.com^
+||processionhardly.com^
+||processionrecital.com^
+||processpardon.com^
+||processsky.com^
+||proclamationgumadvocate.com^
+||proclean.club^
+||procneterming.top^
+||procuratorpresumecoal.com^
+||procuratorthoroughlycompere.com^
+||procuredsheet.com^
+||prod.untd.com^
+||prodaddkarl.com^
+||prodigiousarticulateruffian.com^
+||prodmp.ru^
+||prodresell.com^
+||producebreed.com^
+||producedendorsecamp.com^
+||produceduniversitydire.com^
+||producerdoughnut.com^
+||producerplot.com^
+||producesdiminishhardworking.com^
+||producingdisciplecampus.com^
+||productanychaste.com^
+||producthub.info^
+||proeroclips.pro^
+||proettegwine.top^
+||proetusbramble.com^
+||professdeteriorate.com^
+||professionalbusinesstoday.xyz^
+||professionallygravitationbackwards.com^
+||professionallyjazzotter.com^
+||professionallytear.com^
+||professionallywealthy.com^
+||professionalsly.com^
+||professionalswebcheck.com^
+||professmeeting.com^
+||professorrevealingoctopus.com^
+||professtrespass.com^
+||proffering.xyz
+||proffering.xyz^
+||proficientfly.com^
+||profilebecomingtrain.com^
+||profilecrave.com^
+||profileimpunity.com^
+||profileoffencewithdraw.com^
+||profilingerror.online^
+||profitablecpmgate.com^
+||profitablecpmnetwork.com^
+||profitablecreativeformat.com^
+||profitabledisplaycontent.com^
+||profitabledisplayformat.com^
+||profitabledisplaynetwork.com^
+||profitableexactly.com^
+||profitablegate.com^
+||profitablegatecpm.com^
+||profitablegatetocontent.com^
+||profitableheavilylord.com^
+||profitabletrustednetwork.com^
+||profitcustomersnuff.com^
+||profitpeelers.com^
+||profitredirect.com^
+||profitsence.com^
+||profitstefukhatex.info^
+||profoundbagpipeexaggerate.com^
+||profoundflourishing.com^
+||profoundtwist.com^
+||proftrafficcounter.com^
+||profuse-it.pro^
+||progenyoverhear.com^
+||progenyproduced.com^
+||programinsightplastic.com^
+||programmeframeworkpractically.com^
+||progressproceeding.com^
+||prohibitedhalfway.com^
+||projectagora.net^
+||projectagora.tech^
+||projectagoralibs.com^
+||projectagoraservices.com^
+||projectagoratech.com^
+||projectscupcakeinternational.com^
+||projectwonderful.com^
+||prolatecyclus.com^
+||prologuetwinsmolecule.com^
+||prolongdoadaptation.com^
+||promiseyuri.com^
+||promissmatax.top^
+||promo-bc.com^
+||promobenef.com^
+||promptofficemillionaire.com^
+||promptsgod.com^
+||promsaviour.com^
+||pronedynastyimpertinence.com^
+||pronouncedgetawayetiquette.com^
+||pronouncedlaws.com^
+||pronounconsternationspotlight.com^
+||pronunciationlegacy.com^
+||pronunciationspecimens.com^
+||proofnaive.com^
+||propbigo.com^
+||propcollaterallastly.com^
+||propelascella.top^
+||propeller-tracking.com^
+||propellerads.com^
+||propellerads.tech^
+||propellerclick.com^
+||propellerpops.com^
+||propeltuition.com^
+||properlycrumple.com^
+||properlyleash.com^
+||properlypreparingitself.com^
+||propersuitcase.com^
+||propertyofnews.com^
+||propgoservice.com^
+||proposeado.com^
+||proposedfelonoxide.com^
+||proposedpartly.com^
+||propositiondisinterested.com^
+||propositionfadedplague.com^
+||proprietorgrit.com^
+||propu.sh^
+||propulsionreproduceresult.com^
+||propulsionstatute.com^
+||propulsionswarm.com^
+||propvideo.net^
+||proreancostaea.com^
+||prorentisol.com^
+||proscholarshub.com^
+||proscontaining.com^
+||prose-nou.com^
+||prosecutorcassettedying.com^
+||prosecutorcommaeligible.com^
+||prosecutorkettle.com^
+||prosedisavow.com^
+||proselyaltars.com^
+||prositzapas.com^
+||prospercognomenoptional.com^
+||prosperent.com^
+||prosperitysemiimpediment.com^
+||prosperousdreary.com^
+||prosperousprobe.com^
+||prosperousunnecessarymanipulate.com^
+||prosthong.com^
+||prosumsit.com^
+||protagcdn.com^
+||protally.net^
+||protawe.com^
+||protectedfolkssomebody.com^
+||protectorincorporatehush.com^
+||protectorparsleybrisk.com^
+||protectyourdevices.com^
+||proteinairn.top^
+||protestgrove.com^
+||protoawe.com^
+||protocolburlap.com^
+||protocolgroupgroups.com^
+||prototypewailrubber.com^
+||protrckit.com^
+||proudlysurly.com^
+||prouoxsacqi.com^
+||proveattractionplays.com^
+||provedonefoldonefoldhastily.com^
+||provenshoutmidst.com^
+||proverbadmiraluphill.com^
+||proverbbeaming.com^
+||proverbcarpersuasive.com^
+||proverbmariannemirth.com^
+||proverbnoncommittalvault.com^
+||proverbrecent.com^
+||providedovernight.com^
+||provider-direct.com^
+||providingcrechepartnership.com^
+||provisionpointingpincers.com^
+||provlimbus.com^
+||provokeobnoxious.com^
+||prowesscourtsouth.com^
+||prowesshearing.com^
+||prowesstense.com^
+||prowlenthusiasticcongest.com^
+||proximic.com^
+||proximitywars.com^
+||prplad.com^
+||prplads.com^
+||prpops.com^
+||prqbdfmzjs.com^
+||prre.ru^
+||prtord.com^
+||prtrackings.com^
+||prtydqs.com^
+||prudentfailingcomplicate.com^
+||prulruyaoq.com^
+||prunesderelicttug.com^
+||prunestownpostman.com^
+||prutosom.com^
+||pruwwox.com^
+||prvc.io^
+||prwave.info^
+||prwfwayui.com^
+||prxeceafdxdlc.xyz^
+||prxy.online^
+||pryrhoohs.site^
+||prytheeaxonia.com^
+||psaiglursurvey.space^
+||psaimpagnuhu.net^
+||psairees.net^
+||psairtoo.com^
+||psaiwaxaib.net^
+||psaizeemit.com^
+||psaksegh.xyz^
+||psalmexceptional.com^
+||psalrausoa.com^
+||psaltauw.net^
+||psapailrims.com^
+||psapsiph.net^
+||psaudous.com^
+||psaugourtauy.com^
+||psaukaux.net^
+||psaukroatch.com^
+||psaurdoofy.com^
+||psaurteepo.com^
+||psausuck.net^
+||psauwaun.com^
+||psclicks.com^
+||psdn.xyz^
+||psedregn.net^
+||pseeckotees.com^
+||pseeghud.com^
+||pseegroah.com^
+||pseekree.com^
+||pseeltaimpu.net^
+||pseempep.com^
+||pseensooh.com^
+||pseepsie.com^
+||pseepsoo.com^
+||pseerdab.com^
+||pseergoa.net^
+||psefteeque.com^
+||pseidpmubwu.com^
+||psemotion.top^
+||psensuds.net^
+||psergete.com^
+||psfdi.com^
+||psfgobbet.com^
+||pshb.me^
+||pshmetrk.com^
+||pshtop.com^
+||pshtrk.com^
+||psichoafouts.xyz^
+||psiftaugads.com^
+||psigradinals.com^
+||psikoofack.com^
+||psiksais.com^
+||psilaurgi.net^
+||psirdain.com^
+||psirsoor.com^
+||psissoaksoab.xyz^
+||psistaghuz.com^
+||psistaugli.com^
+||psitchoo.xyz^
+||psithich.com^
+||psixoahi.xyz^
+||psma02.com^
+||psoacickoots.net^
+||psoackaw.net^
+||psoaftob.xyz^
+||psoageph.com^
+||psoakichoax.xyz^
+||psoansumt.net^
+||psoanufi.com^
+||psoasusteech.net^
+||psockapa.net^
+||psognaih.xyz^
+||psojeeng.com^
+||psomtenga.net^
+||psoofaltoo.com^
+||psoogaix.net^
+||psooglaik.net^
+||psooltecmeve.net^
+||psoompou.xyz^
+||psoopirdifty.xyz^
+||psoopoakihou.com^
+||psoorgou.com^
+||psoorsen.com^
+||psoostelrupt.net^
+||psootaun.com^
+||psootchu.net^
+||psothoms.com^
+||psotudev.com^
+||psougnoa.net^
+||psougrie.com^
+||psoumoalt.com^
+||psounsoo.xyz^
+||psouthee.xyz^
+||psouzoub.com^
+||psozoult.net^
+||pssy.xyz^
+||pstmqnplyzqahq.com^
+||pstnmhftix.xyz^
+||pstreetma.com^
+||psuaqpz.com^
+||psuftoum.com^
+||psugkfqmys.com^
+||psumainy.xyz^
+||psungaum.com^
+||psuphuns.net^
+||psurdoak.com^
+||psurigrabi.com^
+||psurouptoa.com^
+||psvgnczo.com^
+||pswagjx.com^
+||psychiczygaena.top^
+||psychologicalpaperworkimplant.com^
+||psychologycircumvent.com^
+||psykterfaulter.com^
+||pt-xb.xyz^
+||pta.wcm.pl^
+||ptaicoamt.com^
+||ptaicoul.xyz^
+||ptailadsol.net^
+||ptaimpeerte.com^
+||ptaissud.com^
+||ptaixout.net^
+||ptalribs.xyz^
+||ptamselrou.com^
+||ptanguth.com^
+||ptapjmp.com^
+||ptatexiwhe.com^
+||ptatzrucj.com^
+||ptaujoot.net^
+||ptaumoadsovu.com^
+||ptaunsoova.com^
+||ptaupsom.com^
+||ptautsortoa.com^
+||ptauxofi.net^
+||ptawe.com^
+||ptawehex.net^
+||ptawhood.net^
+||ptbrdg.com^
+||ptcdwm.com^
+||ptdinxchgxu.com^
+||ptecmooz.net^
+||ptecmuny.com^
+||ptedreer.com^
+||ptedroab.xyz^
+||pteegostie.com^
+||pteeptamparg.xyz^
+||pteftagu.com^
+||pteghoglapir.com^
+||ptekuwiny.pro^
+||ptersudisurvey.top^
+||ptetchie.net^
+||ptewarin.net^
+||ptewauta.net^
+||ptexognouh.xyz^
+||ptffvpjhhb.com^
+||pthdepsftn.com^
+||pthrecjtu.com^
+||pthzqqvrjyou.com^
+||pticmootoat.com^
+||ptidfrvqxpucy.com^
+||ptidsezi.com^
+||ptigjkkds.com^
+||ptinouth.com^
+||ptipsixo.com^
+||ptipsout.net^
+||ptirgaux.com^
+||ptirtika.com^
+||ptistyvymi.com^
+||ptlwm.com^
+||ptlwmstc.com^
+||ptmnd.com^
+||ptmzr.com^
+||ptoafauz.net^
+||ptoafteewhu.com^
+||ptoagnin.xyz^
+||ptoahaistais.com^
+||ptoajait.net^
+||ptoakooph.net^
+||ptoaltie.com^
+||ptoangir.com^
+||ptoapouk.com^
+||ptobsagn.com^
+||ptochair.xyz^
+||ptoftaupsift.com^
+||ptoksoaksi.com^
+||ptompeer.net^
+||ptonauls.net^
+||ptongouh.net^
+||ptoockex.xyz^
+||ptoogroo.net^
+||ptookaih.net^
+||ptookoar.net^
+||ptooshos.net^
+||ptotchie.xyz^
+||ptoubeeh.net^
+||ptouckop.xyz^
+||ptoudsid.com^
+||ptoumsid.net^
+||ptoupisso.net^
+||ptoushoa.com^
+||ptoutsexe.com^
+||ptowouse.xyz^
+||ptp22.com^
+||ptp24.com^
+||ptpoeyc.com^
+||ptsixwereksbef.info^
+||ptstnews.pro^
+||pttsite.com^
+||ptudoalistoy.net^
+||ptufihie.net^
+||ptugnins.net^
+||ptugnoaw.net^
+||ptugojaurd.net^
+||ptulsauts.com^
+||ptumtaip.com^
+||ptuphotookr.com^
+||ptupsewo.net^
+||ptutchiz.com^
+||ptuvmmgiom.com^
+||ptvfranfbdaq.xyz^
+||ptwmemd.com^
+||ptwmjmp.com^
+||ptyalinbrattie.com^
+||ptyhawwuwj.com^
+||ptyomtzjpdlcf.com^
+||pu5hk1n2020.com^
+||puabvo.com^
+||pub.network^
+||pubadx.one^
+||pubaka5.com^
+||pubceremony.com^
+||pubdisturbance.com^
+||pubfruitlesswording.com^
+||pubfuture-ad.com^
+||pubfutureads.com^
+||pubgalaxy.com^
+||pubguru.net^
+||pubhotmax.com^
+||pubimageboard.com^
+||publicityparrots.com^
+||publiclyemployeronerous.com^
+||publiclyphasecategory.com^
+||publicsparedpen.com^
+||publicunloadbags.com^
+||publisherads.click^
+||publishercounting.com^
+||publisherperformancewatery.com^
+||publisherride.com^
+||publited.com^
+||publpush.com^
+||pubmaner5.com^
+||pubmatic.com^
+||pubmine.com^
+||pubnation.com^
+||pubovore.com^
+||pubpowerplatform.io^
+||pubtm.com^
+||pubtrky.com^
+||puczuxqijadg.com^
+||puddingdefeated.com^
+||puddleincidentally.com^
+||pudrardu.net^
+||pueber.com^
+||puerty.com^
+||puffexies.com^
+||puffingtiffs.com^
+||pugdisguise.com^
+||pugehjjxdr.xyz^
+||pugsgivehugs.com^
+||puhtml.com^
+||puitaexb.com^
+||pujuco.uno^
+||pukimuki.xyz^
+||pukumongols.com^
+||puldhukelpmet.com^
+||pulkroching.top^
+||pullovereugenemistletoe.com^
+||pulparketonic.top^
+||pulpdeeplydrank.com^
+||pulpix.com^
+||pulpreferred.com^
+||pulpyads.com^
+||pulpybizarre.com^
+||pulseadnetwork.com^
+||pulsemgr.com^
+||pulseonclick.com^
+||pulserviral.com^
+||pulvinioreodon.com^
+||pumdfferpkin5hs454r43eeds.com^
+||pumjkngivq.com^
+||pumpbead.com^
+||punctualflopsubquery.com^
+||punctuationceiling.com^
+||pungentsmartlyhoarse.com^
+||punicacabaa.click^
+||punishgrantedvirus.com^
+||punkfigured.com^
+||punkhonouredrole.com^
+||punoocke.com^
+||punosy.best^
+||punosy.com^
+||punpzyvwao.com^
+||punystudio.pro^
+||punyvamos.com^
+||pupilexpressionscent.com^
+||puppyderisiverear.com^
+||puppytestament.com^
+||pupspu.com^
+||pupur.net^
+||pupur.pro^
+||puqobfkghmyb.com^
+||puqvwadzaa.com^
+||puranasebriose.top^
+||puraquealtered.shop^
+||purchaserdisgustingwrestle.com^
+||purchaserteddy.com^
+||purchasertormentscoundrel.com^
+||purgeregulation.com^
+||purgescholars.com^
+||purgoaho.xyz^
+||purifybaptism.guru^
+||purinscauter.top^
+||purpleads.io^
+||purpleflag.net^
+||purplepatch.online^
+||purplewinds.xyz^
+||purposelyharp.com^
+||purposelynextbinary.com^
+||purposeolivebathtub.com^
+||purposeparking.com^
+||pursedistraught.com^
+||purseneighbourlyseal.com^
+||pursilyantoeci.top^
+||pursuedfailurehibernate.com^
+||pursuingconjunction.com^
+||pursuingnamesaketub.com^
+||pursuitbelieved.com^
+||pursuitcharlesbaker.com^
+||pursuiterelydia.com^
+||pursuitgrasp.com^
+||pursuitperceptionforest.com^
+||purtymells.top^
+||puserving.com^
+||push-news.click^
+||push-notifications.top^
+||push-sdk.com^
+||push-sdk.net^
+||push-subservice.com^
+||push.house^
+||push1000.com^
+||push1001.com^
+||push2check.com^
+||pushads.biz^
+||pushads.io^
+||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^
+||pushsansoa.com^
+||pushsar.com^
+||pushserve.xyz^
+||pushsight.com^
+||pushtorm.net^
+||pushtutuzla.top^
+||pushub.net^
+||pushup.wtf^
+||pushwelcome.com^
+||pushwhy.com^
+||pushynations.com^
+||pushzolo.com^
+||pusishegre.com^
+||pussl3.com^
+||pussl48.com^
+||pusvfedhsxwj.com^
+||putainalen.com^
+||putbid.net^
+||putchumt.com^
+||putfeablean.org^
+||putfeableand.info^
+||putrefyeither.com^
+||putrescentheadstoneyoungest.com^
+||putrid-experience.pro^
+||putridchart.pro^
+||putrr16.com^
+||putrr7.com^
+||putwandering.com^
+||puwpush.com^
+||puyjjq.com^
+||puysis.com^
+||puyyyifbmdh.com^
+||puzna.com^
+||puzzio.xyz^
+||puzzlementangrily.com^
+||puzzlepursued.com^
+||puzzoa.xyz^
+||pvawydmmj.com^
+||pvbgzjwyncthhl.com^
+||pvclouds.com^
+||pvdblrthktmtlc.com^
+||pvdrtiy.com^
+||pvjiqmryv.com^
+||pvlcbsynxsabti.com^
+||pvnaegtrtju.com^
+||pvsxzlb.com^
+||pvtqllwgu.com^
+||pvtypsgueyqey.com^
+||pvxvazbehd.com^
+||pwaarkac.com^
+||pwbffdsszgkv.com^
+||pwdhstaih.com^
+||pwdxawuedjjj.com^
+||pweabzcatoh.com^
+||pwmctl.com^
+||pwrgrowthapi.com^
+||pwuzvbhf.com^
+||pwwjuyty.com^
+||pwwqkppwqkezqer.site^
+||pwxerujvl.com^
+||pwxmwmoyuobgku.com^
+||pwxtock.com^
+||pwyruccp.com^
+||px3792.com^
+||pxls4gm.space^
+||pxltrck.com^
+||pxnmkmqxmqe.com^
+||pxsscerwyeiucg.com^
+||pxsunbsd.com^
+||pxx23jkd.com^
+||pxyympkyvqc.com^
+||pycvlnu.com^
+||pygopodwrytailbaskett.sbs^
+||pygopustimawa.com^
+||pyhdvvimr.com^
+||pyknrhm5c.com^
+||pympbhxyhnd.xyz^
+||pyract.com^
+||pyrexikon.com^
+||pyrincelewasgild.info^
+||pyrroylceriums.com^
+||pysfhgdpi.com^
+||pyxdajs.com^
+||pyxiscablese.com^
+||pyzwxkb.com^
+||pzawclkyxuno.com^
+||pzeazgmwem.com^
+||pzgbqbk.com^
+||pzoynkxexnx.com^
+||pzqfmhy.com^
+||pztpygaul.com^
+||pzwdtz.com^
+||pzwigrnuimeh.com^
+||q1-tdsge.com^
+||q1gfgcimk.com^
+||q1mediahydraplatform.com^
+||q2i8kd5n.de^
+||q6idnawboy7g.com^
+||q88z1s3.com^
+||q8ntfhfngm.com^
+||q99i1qi6.de^
+||qa24ljic4i.com^
+||qa5r5j11y.com^
+||qads.io^
+||qadserve.com^
+||qadservice.com^
+||qaebaywbvqqez.top^
+||qagkyeqxv.xyz^
+||qahssrxvelqeqy.xyz^
+||qajgarohwobh.com^
+||qajwizsifaj.com^
+||qakmlfdseuzfkz.com^
+||qakzfubfozaj.com^
+||qalscihrolwu.com^
+||qaltulohrol.com^
+||qapzphxvkzs.com^
+||qarewien.com^
+||qasforsalesrep.info^
+||qatsbesagne.com^
+||qatttuluhog.com^
+||qavgacsmegav.com^
+||qavpknyx.com^
+||qawbaxcpeku.com^
+||qawzwkvlebqaz.top^
+||qawzwkvlebzaw.top^
+||qaydqvuzmu.com^
+||qaylocbaxunnav.com^
+||qbjqpopv.com^
+||qbkvksakslhgek.com^
+||qbkzvophvva.com^
+||qblcyqgn.com^
+||qbnqyieaw.com^
+||qbomomlavkksh.xyz^
+||qbpchpcuglu.com^
+||qbsfnbdqinnay.com^
+||qbsvafnpgfwpca.com^
+||qcbfiytngupv.com^
+||qceedrcwar.com^
+||qceyyxauc.xyz^
+||qcfkvespkj.com^
+||qchfbnjagbdst.com^
+||qciefclnx.com^
+||qckeumrwft.xyz^
+||qclgcdtv.com^
+||qcotzalsettiv.com^
+||qcsjmidihe.com^
+||qcujwenokqvkqfr.com^
+||qcvbtrtlmjdhvxe.xyz^
+||qcxhwrm.com^
+||qczukeud.com^
+||qdaawkgdaiwlh.com^
+||qdeduzaixe.com^
+||qdibvllqu.com^
+||qdlbdpsctalt.com^
+||qdlesuneeqoglp.com^
+||qdlyqbpzfkl.com^
+||qdmil.com^
+||qdogpcfgejgc.com^
+||qdotzfy.com^
+||qdprapwflpvxpyl.com^
+||qdvducltjswp.com^
+||qe0ckm024b.com^
+||qebpwkxjz.com^
+||qebuoxn.com^
+||qedeczzdt.com^
+||qehjsjdubamsrt.com^
+||qehwgbwjmjvq.xyz^
+||qeildfuznofnlq.com^
+||qekbmjyzwemvb.top^
+||qekbmjyzwewvj.top^
+||qekbmjyzwezwj.top^
+||qekgygdkyewbzv.com^
+||qel-qel-fie.com^
+||qelqlunebz.com^
+||qelvaykwazlmz.top^
+||qemyetwxfcwhtyy.com^
+||qeraogxzvplqvq.com^
+||qerkbejqwqjkr.top^
+||qerkbejqwzvvo.top^
+||qerkbejqwzvyw.top^
+||qewwklaovmmw.top^
+||qewylqmaqezzj.top^
+||qezehqcicx.com^
+||qfavlkgf.com^
+||qfdn3gyfbs.com^
+||qfgkixvmwgaf.com^
+||qfgtepw.com^
+||qfhatlntjtpyit.com^
+||qfiofvovgapc.com^
+||qfisatztut.com^
+||qfjherc.com^
+||qfnimusv.com^
+||qfoobwxadcmi.com^
+||qfoodskfubk.com^
+||qfwjgivatds.com^
+||qfyavpwmraqibv.com^
+||qgejxfoau.com^
+||qgerr.com^
+||qgevavwyafjf.com^
+||qgexkmi.com^
+||qgisjfmwhhsmfe.com^
+||qgsjtgvjz.com^
+||qgxbluhsgad.com^
+||qhdwjjhvgqa.com^
+||qhiqlwcwguv.com^
+||qhlegkjlnmg.com^
+||qhliuiuybfp.com^
+||qhskskb.com^
+||qhsqrtva.com^
+||qhstvmfehhk.com^
+||qhttxwlecujjfc.com^
+||qhuguzodbd.com^
+||qhwyoat.com^
+||qhxukowjgl.com^
+||qianaecrus.top^
+||qiaoxz.xyz^
+||qibkkioqqw.com^
+||qickazzmoaxv.com^
+||qidmhohammat.com^
+||qifxwiruhrr.com^
+||qimwsxukxwnhba.xyz^
+||qinvaris.com^
+||qiossrwine.xyz^
+||qipawjyjcukenb.com^
+||qiqdpeovkobj.com^
+||qiqgvcrnhwc.com^
+||qirkgwfpspt.com^
+||qituduwios.com^
+||qiuaiea.com^
+||qiuobuixthzcc.com^
+||qivaiw.com^
+||qiviutsdextran.com^
+||qivolcgcemi.com^
+||qizjkwx9klim.com^
+||qjdlivr.com^
+||qjllvrcp.com^
+||qjmlmaffrqj.com^
+||qjrhacxxk.xyz^
+||qjsknpxwlesvou.com^
+||qjukphe.com^
+||qjvtofw.com^
+||qjyoanpkf.com^
+||qjyvvxjmqirvbl.com^
+||qkalpmwsvfwqqy.com^
+||qkdhstfyx.com^
+||qkfwiylmib.com^
+||qkhvongctffugm.com^
+||qkjjuhs.com^
+||qkodjvdsm.com^
+||qkqlqjjobvkr.top^
+||qksrv.cc^
+||qksrv.net^
+||qksrv1.com^
+||qksz.net^
+||qkxwvltmmhtbj.com^
+||qkyliljavzci.com^
+||qlfqkjluvz.com^
+||qlmwgibhbhar.com^
+||qlnccjattetsoq.com^
+||qlnkt.com^
+||qlrpbdhwebzpf.com^
+||qlrsrkjloradq.com^
+||qlrxmuvghs.com^
+||qlspx.com^
+||qmaacxajsovk.com^
+||qmaobrsasck.com^
+||qmbpmdeq.xyz^
+||qmcgamqhhpiqw.com^
+||qmhffrogjeca.com^
+||qmqnnovstcdblm.com^
+||qmrelvezolarj.top^
+||qmrelvezoljaz.top^
+||qmrelvezookoo.top^
+||qmsnsxqfcrh.com^
+||qmtqzsczx.com^
+||qmzakpdewlelv.com^
+||qn-5.com^
+||qnartpbxjaxep.com^
+||qnbiiygyrox.com^
+||qnesnufjs.com^
+||qnhuxyqjv.com^
+||qnhvvrpkus.com^
+||qnjyeyc.com^
+||qnkqurpyntrs.xyz^
+||qnmesegceogg.com^
+||qnp16tstw.com^
+||qnqzbfgg.com^
+||qnrscbotmsj.com^
+||qnsr.com^
+||qnucoorpe.com^
+||qoaaa.com^
+||qobarmbghaiv.xyz^
+||qodyldusxloinpn.com^
+||qogearh.com^
+||qogilljcxwvrhj.com^
+||qokesjxpbds.com^
+||qokira.uno^
+||qomffnmxgwcon.com^
+||qooanabj.com^
+||qootvuedh.com^
+||qoppwwjxjrmhdt.com^
+||qopzmao.com^
+||qoqv.com^
+||qoqxnuxneo.xyz^
+||qoredi.com^
+||qorlxle.com^
+||qovwrntfxpilyt.com^
+||qowncyf.com^
+||qowqnnhf.com^
+||qoytmrsfvu.com^
+||qozveo.com^
+||qpemoqauwc.com^
+||qpixxezhwwoc.com^
+||qpkdnupzke.com^
+||qppq166n.de^
+||qpqemyfscj.com^
+||qprthjab.com^
+||qpvbsekwtwsoe.com^
+||qqdxtmllptdlz.com^
+||qqfelxqmhoc.com^
+||qqgfubewassi.com^
+||qqguvmf.com^
+||qqkzjpupluv.com^
+||qqlnvwjtjhve.com^
+||qqmhh.com^
+||qqohtssdp.com^
+||qqoomtwod.com^
+||qqqqbdma.com^
+||qqqwes.com^
+||qquhzi4f3.com^
+||qqurzfi.com^
+||qquubyoknj.com^
+||qqyaarvtrw.xyz^
+||qr-captcha.com^
+||qrawitobfm.com^
+||qrbaeaoflil.com^
+||qrdnpjxic.com^
+||qrealqeorqyar.top^
+||qrkwvoomrbjoj.top^
+||qrkwvoomrbroo.top^
+||qrlsx.com^
+||qroagwadndwy.com^
+||qrpenodnn.com^
+||qrprobopassor.com^
+||qrredraws.com^
+||qrrqysjnwctp.xyz^
+||qrtrsucg.com^
+||qrwkkcyih.xyz^
+||qrwoaylvmbeyz.top^
+||qrzjmjrrqqrew.top^
+||qrzlaatf.xyz^
+||qsapdkjasxp.com^
+||qservz.com^
+||qsghdoiywu.com^
+||qsgsnyvmoetur.com^
+||qsiuiwnh.com^
+||qsjrovphsiybxc.com^
+||qskxpvncyjly.com^
+||qslkthj.com^
+||qsmsmahlrhop.com^
+||qsorirgzqw.com^
+||qsoxiekkfjl.com^
+||qsthtbjljqfuo.com^
+||qsxptjxruxrttu.xyz^
+||qtbb6.com^
+||qtdopwuau.xyz^
+||qtejflbrrtesvk.com^
+||qtuopsqmunzo.com^
+||qtuxulczymu.com^
+||qtuzpoopwv.com^
+||quacktypist.com^
+||quackupsilon.com^
+||quagfa.com^
+||quailnude.com^
+||quaint-escape.pro^
+||quaintmembershipprobably.com^
+||qualificationsomehow.com^
+||qualifiedhead.pro^
+||qualifyundeniable.com^
+||qualitiesstopsallegiance.com^
+||qualityadverse.com^
+||qualitydestructionhouse.com^
+||qualityremaining.com^
+||qualitysquashwin.com^
+||quanta-wave.com^
+||quanticsewster.shop^
+||quantoz.xyz^
+||quanzai.xyz^
+||quarantinedisappearhive.com^
+||quarredbuglet.com^
+||quarrelrelative.com^
+||quartaherbist.com^
+||quarterbackanimateappointed.com^
+||quarterbacknervous.com^
+||quasimanagespreparation.com^
+||quaternnerka.com^
+||quatralupshots.shop^
+||quatrefeuillepolonaise.xyz^
+||quatxio.xyz^
+||quavercivil.com^
+||quayolderinstance.com^
+||qubjweguszko.com^
+||queasydashed.top^
+||quedo.buzz^
+||queergatewayeasier.com^
+||queersodadults.com^
+||queersynonymlunatic.com^
+||queerygenets.com^
+||quellaplentyresolute.com^
+||quellbustle.com^
+||quellunskilfulimmersed.com^
+||quellyawncoke.com^
+||quenchskirmishcohere.com^
+||quensillo.com^
+||querulous-type.com^
+||queryaccidentallysake.com^
+||queryhookczar.com^
+||querylead.com^
+||querysteer.com^
+||quesid.com^
+||questeelskin.com^
+||questioningexperimental.com^
+||questioningsanctifypuberty.com^
+||questioningtosscontradiction.com^
+||questionsconnected.com^
+||questormyxo.com^
+||queuequalificationtreasure.com^
+||queuescotman.com^
+||quiazo.xyz^
+||quibbleremints.top^
+||quickads.net^
+||quickcontrolpc.com^
+||quickieboilingplayground.com^
+||quickielatepolitician.com^
+||quicklisti.com^
+||quicklymuseum.com^
+||quickorange.com^
+||quicksitting.com^
+||quickwest.pro^
+||quidclueless.com^
+||quietlybananasmarvel.com^
+||quintessential-telephone.pro^
+||quippedtcawi.com^
+||quiresraviney.com^
+||quiri-iix.com^
+||quitepoet.com^
+||quitesousefulhe.info^
+||quitjav11.fun^
+||quittalmacaque.top^
+||quiveringgland.com^
+||quiveringriddance.com^
+||quizmastersnag.com^
+||quizmastersnappy.com^
+||quizna.xyz^
+||qumagee.com^
+||qummafsivff.com^
+||qumnpavuvw.com^
+||quokkacheeks.com^
+||quoo.eu^
+||quotationcovetoustractor.com^
+||quotationfirearmrevision.com^
+||quotationindolent.com^
+||quoteprocesses.com^
+||quotes.com^
+||quotumottetto.shop^
+||quqcasuxuytehkw.com^
+||qutejo.xyz^
+||qutzljcrj.com^
+||quxegtegmvlfln.com^
+||quxsiraqxla.com^
+||quxtpanaxd.com^
+||quxuejhcaz.com^
+||quxwpwcwmmx.xyz^
+||quzwteqzaabm.com^
+||qvgkwcarqmhw.com^
+||qvikar.com^
+||qvjqbtbt.com^
+||qvlczhitbsqpl.com^
+||qvol.tv^
+||qvtcigr.com^
+||qwa3ldhn9u0t.com^
+||qwaapgxfahce.com^
+||qwbaiftlbfbnt.com^
+||qwerfdx.com^
+||qwertytracks.com^
+||qwhyldakamv.com^
+||qwiarjayuffn.xyz^
+||qwkmiot.com^
+||qwlbvlyaklrkw.top^
+||qwmdnlzitsys.com^
+||qwoyfys.com^
+||qwrwawwmblwbb.top^
+||qwrwawwmblybj.top^
+||qwrwhosailedbe.info^
+||qwtag.com^
+||qwuaqrxfuohb.com^
+||qwvqbeqwbrabj.top^
+||qwvvoaykybbo.top^
+||qwvvoaykyrbj.top^
+||qwvvoaykyyvj.top^
+||qwyonzatjoq.com^
+||qwyoxrmhep.com^
+||qwyvmjvqlrbov.top^
+||qxdownload.com^
+||qxeidsj.com^
+||qxgbgixnzcoen.com^
+||qxhspimg.com^
+||qxiabfmmtjhyv.com^
+||qxjlqqknkzr.com^
+||qxjohabnsheyt.com^
+||qxlwpaxlwg.com^
+||qxmsmlkjwqz.com^
+||qxpwiqydg.com^
+||qxqtycvrm.com^
+||qxrbu.com^
+||qxuelcdfvgecwpb.com^
+||qxuvpohuy.com^
+||qxyam.com^
+||qxycdoexyj.com^
+||qybloikdmd.com^
+||qybriakrlcyow.com^
+||qydgdko.com^
+||qydrwhhk.xyz^
+||qyenlspei.com^
+||qykvrcqk.com^
+||qykxyax.com^
+||qylgfuikc.com^
+||qylmbemvllllr.top^
+||qylmbemvlloov.top^
+||qylmbemvllzrb.top^
+||qylrihck.xyz^
+||qylyknxkeep.com^
+||qymdcuco.com^
+||qynmfgnu.xyz^
+||qyvklvjejrmkz.top^
+||qyvklvjejrmwo.top^
+||qywjvlaoyrzqw.top^
+||qywxowwhymzdgg.com^
+||qz496amxfh87mst.com^
+||qzcjehp.com^
+||qzdmvwewzxzzze.com^
+||qzesmjv.com^
+||qzetnversitym.com^
+||qzkjkiexmsyv.com^
+||qzmqgmlrbdcsiv.com^
+||qzsgudj.com^
+||qzybrmzevbro.top^
+||qzybrmzevrlr.top^
+||qzyllgqficyd.com^
+||qzzzzzzzzzqq.com^
+||r-q-e.com^
+||r-tb.com^
+||r023m83skv5v.com^
+||r3oodleaw5au4ssir.com^
+||r5apiliopolyxenes.com^
+||r66net.com^
+||r66net.net^
+||r932o.com^
+||raananfunning.shop^
+||rabbinsfoldage.top^
+||rabbitcounter.com^
+||rabbitsfreedom.com^
+||rabbitsshortwaggoner.com^
+||rabbitsverification.com^
+||rabblefang.com^
+||rabblelobbyfry.com^
+||rabblespidersrenaissance.com^
+||rabblevalenone.com^
+||rabidamoral.com^
+||rabidjim.com^
+||rablic.com^
+||racecadettyran.com^
+||racedinvict.com^
+||racepaddlesomewhere.com^
+||racewhisperingsnow.com^
+||racingorchestra.com^
+||racismremoveveteran.com^
+||rackheartilyslender.com^
+||racktidyingunderground.com^
+||racticalwhich.com^
+||ractors291wicklay.com^
+||racunn.com^
+||radarconsultation.com^
+||radarwitch.com^
+||radeant.com^
+||radiancethedevice.com^
+||radiantextension.com^
+||radicalovertime.com^
+||radicalpackage.com^
+||radied.com^
+||radiodogcollaroctober.com^
+||radiusfellowship.com^
+||radiusmarketing.com^
+||radiusthorny.com^
+||radshedmisrepu.info^
+||raekq.online^
+||raeoaxqxhvtxe.xyz^
+||raepkiknkyxuuc.com^
+||raffleinsanity.com^
+||rag3ca7t5amubr8eedffin.com^
+||ragapa.com^
+||rageagainstthesoap.com^
+||ragita.uno^
+||raglanyakking.com^
+||raglassofrum.cc^
+||ragnarhorst.com^
+||ragsbxhchr.xyz^
+||ragwviw.com^
+||raheglin.xyz^
+||rahmagtgingleaga.info^
+||rahxfus.com^
+||raigauho.com^
+||raikijausa.net^
+||railingconveniencesabattoir.com^
+||railinghighbachelor.com^
+||railroadfatherenlargement.com^
+||railroadlineal.com^
+||railroadmanytwitch.com^
+||railwayboringnasal.com^
+||rainchangedquaver.com^
+||raincoatbowedstubborn.com^
+||raincoatnonstopsquall.com^
+||rainmealslow.live^
+||rainwealth.com^
+||rainyautumnnews.com^
+||rainyfreshen.com^
+||raiseallocation.com^
+||raiserefreshmentgoods.com^
+||raisingsupportive.com^
+||raisinmanagelivestock.com^
+||raivoufe.xyz^
+||rajabets.xyz^
+||rajmobbism.com^
+||rakhen.com^
+||rakiblinger.com^
+||rakkuntwex.com^
+||rallantynethebra.com^
+||rallydisprove.com^
+||rallyexpirehide.com^
+||ralphscrupulouscard.com^
+||ramblecursormaths.com^
+||rambobf.com^
+||ramieuretal.com^
+||rammishruinous.com^
+||ramrodsmorals.top^
+||ranabreast.com^
+||rancheparsnip.com^
+||ranchreives.click^
+||ranchsatin.com^
+||rancorousjustin.com^
+||rancorousnoncommittalsomewhat.com^
+||randiul.com^
+||randomadsrv.com^
+||randomamongst.com^
+||randomassertiveacacia.com^
+||randomdnslab.com^
+||randomignitiondentist.com^
+||raneeptaid.net^
+||rangbellowreflex.com^
+||rangformer.com^
+||ranggallop.com^
+||rankonefoldonefold.com^
+||rankpeers.com^
+||rankstarvation.com^
+||ranmistaken.com^
+||ransomsection.com^
+||ransomwidelyproducing.com^
+||raogjkrgjtrml.xyz^
+||raosmeac.net^
+||rapaneaphoma.com^
+||rapepush.net^
+||raphanyleman.top^
+||raphanysteers.com^
+||raphidewakener.com^
+||rapidhits.net^
+||rapidhunchback.com^
+||rapidlybeaver.com^
+||rapidlypierredictum.com^
+||rapidshookdecide.com^
+||rapingdistil.com^
+||rapolok.com^
+||rappjsps.com^
+||raptingy.net^
+||raptorserrano.com^
+||raptorspheres.top^
+||raptorssplurge.com^
+||rapturemeddle.com^
+||rar-vpn.com^
+||rareghoa.net^
+||rarestkhatin.top^
+||rasalasgobangs.top^
+||rascalbygone.com^
+||rashbarnabas.com^
+||rashlyblowfly.com^
+||raspberryamusingbroker.com^
+||raspedexsculp.com^
+||rasurescaribou.com^
+||ratcovertlicence.com^
+||ratebilaterdea.com^
+||rategruntcomely.com^
+||ratesatrociousplans.com^
+||ratificationcockywithout.com^
+||ratimsub.net^
+||rationalizedalton.com^
+||ratioregarding.com^
+||ratiosincl.com^
+||rattoninsects.top^
+||rauceesh.com^
+||raudoufoay.com^
+||raugovicoma.com^
+||raujouca.com^
+||raunooligais.net^
+||raupasee.xyz^
+||raupsica.net^
+||rausfml.com^
+||rausougo.net^
+||rauvoaty.net^
+||rauwoukauku.com^
+||ravalads.com^
+||ravalamin.com^
+||ravaquinal.com^
+||ravaynore.com^
+||ravedesignerobey.com^
+||ravekeptarose.com^
+||ravenchewrainbow.com^
+||ravenousdrawers.com^
+||ravenpearls.com^
+||raverduhat.top^
+||ravineagencyirritating.com^
+||ravingsquilted.top^
+||raw-co.com^
+||rawasy.com^
+||rawoarsy.com^
+||rawqel.com^
+||raylnk.com^
+||raymondcarryingordered.com^
+||rayshopsshabby.com^
+||razdvabm.com^
+||razorhsi.click^
+||razzlebuyer.com^
+||rbcfecxs.com^
+||rbcxttd.com^
+||rblgfyvwse.com^
+||rblrekay.com^
+||rbltedbpjshxb.com^
+||rbnt.org^
+||rbqcg6g.de^
+||rbqlbolklrvmk.top^
+||rbrightscarletcl.info^
+||rbrvifibj.com^
+||rbtfit.com^
+||rbthre.work^
+||rbtwo.bid^
+||rbuirpyptplp.com^
+||rbukrgxwqup.com^
+||rbweljjemzkza.top^
+||rbxh2wukx.com^
+||rbxycnnesqsjc.com^
+||rbzqarqlyzamj.top^
+||rcaobxvagv.com^
+||rcaqaogrcjukkg.com^
+||rcblkkhfvrxyn.com^
+||rccdmvlyhsuc.com^
+||rcdjkdesdn.com^
+||rceqdysdjfhy.com^
+||rcerrohatfad.com^
+||rcesigojtwh.com^
+||rcf3occ8.de^
+||rchmupnlifo.xyz^
+||rcpadatlgn.com^
+||rcvlink.com^
+||rcvlinks.com^
+||rcvsmbawwqodqt.com^
+||rcwuzudjcsjmr.com^
+||rczmdeuahn.com^
+||rd-cdnp.name^
+||rdairclewestoratesa.info^
+||rddywd.com^
+||rdgdjmgll.com^
+||rdghnhu.com^
+||rdjbhghljkrca.com^
+||rdpyjpljfqfwah.xyz^
+||rdrceting.com^
+||rdrctgoweb.com^
+||rdrm1.click^
+||rdrm2.click^
+||rdroot.com^
+||rdrsec.com^
+||rdrtrk.com^
+||rdsb2.club^
+||rdtk.io^
+||rdtracer.com^
+||rdtrck2.com^
+||rdwmct.com^
+||rdxfdpmmco.com^
+||rdximaudovydtk.com^
+||rdxmjgp.com^
+||re-captha-version-3-243.buzz^
+||re-captha-version-3-263.buzz^
+||re-captha-version-3-29.top^
+||re-captha-version-3-33.top^
+||re-experiment.sbs^
+||reabitheconti.com^
+||reacheffecti.work^
+||reachmode.com^
+||reachpane.com^
+||readinessplacingchoice.com^
+||readinghailstone.com^
+||readiong.net^
+||readly-renterval.icu^
+||readserv.com^
+||readspokesman.com^
+||readsubsequentlyspecimen.com^
+||readyblossomsuccesses.com^
+||reagend.com^
+||reager30.com^
+||reajyu.net^
+||real-consequence.pro^
+||realevalbs.com^
+||realisecheerfuljockey.com^
+||realiseequanimityliteracy.com^
+||realityamorphous.com^
+||realiukzem.org^
+||realizationhunchback.com^
+||realizesensitivenessflashlight.com^
+||reallifeforyouandme.com^
+||reallywelfarestun.com^
+||reallyworkplacesnitch.com^
+||realmatch.com^
+||realmdescribe.com^
+||realnewslongdays.pro^
+||realpopbid.com^
+||realsh.xyz^
+||realsrv.com^
+||realsrvcdn.com^
+||realtime-bid.com^
+||realvids.online^
+||realvids.space^
+||realvu.net^
+||realxavounow.com^
+||reamsanswere.org^
+||reaoryhuluios.com^
+||reapinject.com^
+||rearcomrade.com^
+||rearedblemishwriggle.com^
+||reariimime.com^
+||rearjapanese.com^
+||rearomenlion.com^
+||reasonablelandmark.com^
+||reasoncharmsin.com^
+||reasoningarcherassuage.com^
+||reassurehintholding.com^
+||reate.info^
+||reated-pounteria.com^
+||rebagsabeing.top^
+||rebathebuxom.top^
+||rebelfarewe.org^
+||rebelhaggard.com^
+||rebelliousdesertaffront.com^
+||rebillsegomism.com^
+||rebindskayoes.com^
+||rebonebilify.click^
+||rebosoyodle.com^
+||rebrew-foofteen.com^
+||rebsouvaih.com^
+||rebukessedgier.shop^
+||rebuxoos.xyz^
+||recageddolabra.shop^
+||recalledmesnarl.com^
+||recalledriddle.com^
+||recastdeclare.com^
+||recastnavy.com^
+||recedechatprotestant.com^
+||recedewell.com^
+||receivedachest.com^
+||receiverunfaithfulsmelt.com^
+||recentlydelegate.com^
+||recentlyremainingbrevity.com^
+||recentlywishes.com^
+||recentrecentboomsettlement.com^
+||recentteem.com^
+||receptionnausea.com^
+||recessionhumiliate.com^
+||recesslikeness.com^
+||recesslotdisappointed.com^
+||recessqh.life^
+||recesssignary.com^
+||rechannelapi.com^
+||rechanque.com^
+||recholta.net^
+||recipeominouscrest.com^
+||recipientmuseumdismissed.com^
+||reciprocaldowntownabout.com^
+||reciprocalvillager.com^
+||recitalscallop.com^
+||reciteassemble.com^
+||recitedocumentaryhaunch.com^
+||reciteimplacablepotato.com^
+||recklessaffluent.com^
+||recklessliver.com^
+||recklessmarine.com^
+||reclaairyygz.com^
+||reclaimantennajolt.com^
+||reclearsaulge.com^
+||reclod.com^
+||recmwgis.com^
+||recognisepeaceful.com^
+||recognisetorchfreeway.com^
+||recollectionchicken.com^
+||recombssuu.com^
+||recomendedsite.com^
+||recommendedforyou.xyz^
+||recommendednewspapermyself.com^
+||recommendessencerole.com^
+||recompensechevyconnoisseur.com^
+||recompensecombinedlooks.com^
+||reconcilewaste.com^
+||reconciliationmallwed.com^
+||reconhodder.top^
+||reconnectconsistbegins.com^
+||reconnectjealousyunited.com^
+||reconsiderenmity.com^
+||reconstructalliance.com^
+||reconstructcomparison.com^
+||reconstructshutdown.com^
+||record.guts.com^
+||record.rizk.com^
+||recordedthereby.com^
+||recordercourseheavy.com^
+||recordercrush.com^
+||recordervesttasting.com^
+||recordingadventurouswildest.com^
+||recordingfilessuperintend.com^
+||recordingperky.com^
+||recordingshipping.com^
+||recordstunradioactive.com^
+||recoupsamakebe.com^
+||recovernosebleed.com^
+||recoverystrait.com^
+||recrihertrettons.com^
+||recruitresidebitterness.com^
+||rectangular-hook.pro^
+||rectificationchurchill.com^
+||rectresultofthepla.info^
+||recurseagin.com^
+||recurvegowland.top^
+||recyclinganewupdated.com^
+||recyclinganticipated.com^
+||recyclingbees.com^
+||recyclingproverbintroduce.com^
+||red-getresult.com^
+||red-track.xyz^
+||redadisappoi.info^
+||redads.biz^
+||redaffil.com^
+||redansediles.com^
+||redbaygazel.com^
+||redbillecphory.com^
+||reddenlightly.com^
+||reddockbedman.com^
+||redetaailsh.info^
+||redheadpublicityjug.com^
+||redi.teengirl-pics.com^
+||redic6.site^
+||redirect-path1.com^
+||redirectflowsite.com^
+||redirecting7.eu^
+||redirectingat.com^
+||redirection.one^
+||redirectlinker.com^
+||redistedi.com^
+||redlele.com^
+||rednegationswoop.com^
+||rednewly.com^
+||redonetype.com^
+||redoutcomecomfort.com^
+||redri.net^
+||redrotou.net^
+||reducediscord.com^
+||redvil.co.in^
+||redwingmagazine.com^
+||reecegrita.com^
+||reechegraih.com^
+||reedbritingsynt.info^
+||reedpraised.com^
+||reedsbullyingpastel.com^
+||reedsinterfering.com^
+||reedsonceoxbow.com^
+||reedthatm.biz^
+||reefcolloquialseptember.com^
+||reeledou.com^
+||reelnk.com^
+||reemoume.com^
+||reenakun.com^
+||reenginee.club^
+||reephaus.com^
+||reepteen.com^
+||reeqqkewerzrj.top^
+||reerfdfgourgoldpie.com^
+||reeshiebotfly.top^
+||reesounoay.com^
+||reevokeiciest.com^
+||reevoopt.com^
+||refban.com^
+||refbanners.com^
+||refbanners.website^
+||refdzhz.com^
+||refeelparolee.top^
+||refereenutty.com^
+||referencepronounce.com^
+||referredencouragedlearned.com^
+||referredholesmankind.com^
+||refershaunting.com^
+||referwhimperceasless.com^
+||refia.xyz^
+||refilmsbones.top^
+||refineminx.top^
+||refingoon.com^
+||reflectionseldomnorth.com^
+||reflectionsidewalk.com^
+||reflexcolin.com^
+||reflushneuma.com^
+||refnippod.com^
+||refoortowatch.com^
+||refpa.top^
+||refpa4293501.top^
+||refpabuyoj.top^
+||refpaikgai.top^
+||refpaiozdg.top^
+||refpaiwqkk.top^
+||refpamjeql.top^
+||refpanglbvyd.top^
+||refpasrasw.world^
+||refpaxfbvjlw.top^
+||refractfunkia.com^
+||refraingene.com^
+||refraintupaiid.com^
+||refreshingtold.com^
+||refreshmentprivilegedaspen.com^
+||refreshmentswilfulswollen.com^
+||refreshmentwaltzimmoderate.com^
+||refrigeratecommit.com^
+||refrigeratemaimbrunette.com^
+||refrigeratespinsterreins.com^
+||refugedcuber.com^
+||refugeintermediate.com^
+||refugepoplars.top^
+||refulgebesague.com^
+||refundlikeness.com^
+||refundsreisner.life^
+||refuseddissolveduniversity.com^
+||refusedfellow.com^
+||refusemovie.com^
+||refuserates.com^
+||refutationtiptoe.com^
+||regadsacademy.com^
+||regadspro.com^
+||regadsworld.com^
+||regainthong.com^
+||regardedcontentdigest.com^
+||regardingpectoralcollapse.com^
+||regardlydiaoddly.com^
+||regardsperformedgreens.com^
+||regardsshorternote.com^
+||regaveskeo.com^
+||regionads.ru^
+||regionaladversarylight.com^
+||regionalanglemoon.com^
+||regionalaplentysome.com^
+||regionalyesterdayreign.com^
+||regioncolonel.com^
+||regioninaudibleafforded.com^
+||registercherryheadquarter.com^
+||registration423.fun^
+||reglowsupbar.com^
+||regnicmow.xyz^
+||regretfactor.com^
+||regretfulfaultsabound.com^
+||regrettablemorallycommitment.com^
+||regretuneasy.com^
+||regrupontihe.com^
+||reguid.com^
+||regularinstructgorilla.com^
+||regulationprivilegescan.top^
+||regulushamal.top^
+||rehvbghwe.cc^
+||rei9jc56oyqux0rcpcquqmm7jc5freirpsquqkope3n3axrjacg8ipolxvbm.codes^
+||reicegiraffa.com^
+||reichelcormier.bid^
+||reignprofessionally.com^
+||reindaks.com^
+||reinstandpointdumbest.com^
+||reisoctene.com^
+||reissue2871.xyz^
+||rejco2.store^
+||rejco3.site^
+||rejdfa.com^
+||rejectionbackache.com^
+||rejectionfundetc.com^
+||rejoinedproof.com^
+||rejoinedshake.com^
+||rejowhourox.com^
+||rejslaq.com^
+||rekfubzli.com^
+||rekipion.com^
+||reklamko.pro^
+||reklamz.com^
+||relappro.com^
+||relatelocateapology.com^
+||relationsquiver.com^
+||relativeballoons.com^
+||relativefraudulentprop.com^
+||relativelyweptcurls.com^
+||relativewheneverhoe.com^
+||relatumrorid.com^
+||relaxafford.com^
+||relaxtime24.biz^
+||relaycommodity.com^
+||releasedrespiration.com^
+||releasedverge.com^
+||relestar.com^
+||relevanti.com^
+||reliableceaseswat.com^
+||reliablemiraculouscaleb.com^
+||reliablemore.com^
+||reliableorientdelirium.com^
+||reliablepollensuite.com^
+||reliantstacklaugh.com^
+||reliefindividual.com^
+||reliefjawflank.com^
+||relievedgeoff.com^
+||religiousmischievousskyscraper.com^
+||relineskenlore.com^
+||relinquishbragcarpenter.com^
+||relinquishcooperatedrove.com^
+||relishcoincidencehandbag.com^
+||relishpreservation.com^
+||relistinfo.com^
+||relivesternar.com^
+||relkconka.com^
+||reloadsusa.com^
+||relogotd.com^
+||reluctancefleck.com^
+||reluctanceghastlysquid.com^
+||reluctanceleatheroptional.com^
+||reluctantconfuse.com^
+||reluctantlycopper.com^
+||reluctantlyjackpot.com^
+||reluctantlysolve.com^
+||reluctantturpentine.com^
+||relumedbiaxial.com^
+||reluraun.com^
+||remaincall.com^
+||remaininghurtful.com^
+||remainnovicei.com^
+||remainsuggested.com^
+||remarkable-assistant.pro^
+||remarkableflashseptember.com^
+||remarkablehorizontallywaiter.com^
+||remarkedoneof.info^
+||remarkinspector.com^
+||remarksnicermasterpiece.com^
+||remaysky.com^
+||remedyabruptness.com^
+||remembercompetitioninexplicable.com^
+||rememberdeterminedmerger.com^
+||remembermaterialistic.com^
+||remembertoolsuperstitious.com^
+||remfcekactfad.com^
+||remindleftoverpod.com^
+||reminews.com^
+||remintrex.com^
+||remipedembosk.com^
+||remissigloos.top^
+||remnas.com^
+||remoifications.info^
+||remorseful-illegal.pro^
+||remorsefulindependence.com^
+||remotelymanhoodongoing.com^
+||remotelyoccasionallyfacing.com^
+||remoterepentance.com^
+||remouldpruta.top^
+||remploymehnt.info^
+||remv43-rtbix.top^
+||renadomsey.com^
+||renaissancewednesday.com^
+||renamedhourstub.com^
+||renamedineffective.com^
+||rencontreadultere.club^
+||rencontresparis2015.com^
+||rendchewed.com^
+||renderedwowbrainless.com^
+||rendflying.com^
+||rendfy.com^
+||rendimportinaugurate.com^
+||rendreamingonnight.info^
+||renewdateromance.life^
+||renewedinexorablepermit.com^
+||renewmodificationflashing.com^
+||renewpacificdistrict.com^
+||renoiceland.com^
+||renovatefairfaxmope.com^
+||rentalrebuild.com^
+||rentherifiskin.com^
+||rentingimmoderatereflecting.com^
+||rentlysearchingf.com^
+||reoiebco.com^
+||reoilspinors.top^
+||reopensnews.com^
+||reople.co.kr^
+||reoreexpresi.com^
+||reorganizeglaze.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^
+||replicafixedly.com^
+||replif.com^
+||replptlp.com^
+||replynasal.com^
+||reporo.net^
+||report1.biz^
+||reportbulletindaybreak.com^
+||reporthenveri.com^
+||reposefearful.com^
+||reposegranulatedcontinually.com^
+||reposemarshknot.com^
+||reprak.com^
+||reprenebritical.org^
+||representhostilemedia.com^
+||representrollerpurposely.com^
+||reprimandheel.com^
+||reprimandhick.com^
+||reprintforensicjesus.com^
+||reprintvariousecho.com^
+||reproachfeistypassing.com^
+||reproachscatteredborrowing.com^
+||reproductiontape.com^
+||reprovems.com^
+||repsrowedpay.com^
+||reptfe.com^
+||reptileineffectivebackup.com^
+||reptileseller.com^
+||republicusefulclothe.com^
+||repulsefinish.com^
+||repulsiveclearingtherefore.com^
+||reputationsheriffkenneth.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^
+||rerpartmentm.info^
+||reryn2ce.com^
+||reryn3ce.com^
+||rerynjia.com^
+||rerynjie.com^
+||rerynjua.com^
+||resalag.com^
+||resaypyche.top^
+||rescuephrase.com^
+||researchingcompromiseuncertain.com^
+||researchingintentbilliards.com^
+||resemblanceilluminatedcigarettes.com^
+||resentfulelsewherethoroughfare.com^
+||reservesagacious.com^
+||resesmyinteukr.info^
+||resetamobil.com^
+||resetoccultkeeper.com^
+||resetselected.com^
+||residelikingminister.com^
+||residenceseeingstanding.com^
+||residentialforestssights.com^
+||residentialinspur.com^
+||residentshove.com^
+||residetransactionsuperiority.com^
+||resignationcustomerflaw.com^
+||resignedcamelplumbing.com^
+||resignedsauna.com^
+||resinherjecling.com^
+||resinkaristos.com^
+||resionsfrester.com^
+||resistanceouter.com^
+||resistcorrectly.com^
+||resistpajamas.com^
+||resistsarcasm.com^
+||resistshy.com^
+||resktdahcyqgu.xyz^
+||resniks.pro^
+||resnikscdn.pro^
+||resnubdreich.com^
+||resolesmidewin.top^
+||resolutethumb.com^
+||resolutionmilestone.com^
+||resolvedalarmmelodramatic.com^
+||resolvedswordlinked.com^
+||reson8.com^
+||resonance.pk^
+||resourcebumper.com^
+||resourcechasing.com^
+||resourcefulauthorizeelevate.com^
+||resourcefulpower.com^
+||resourcesnotorietydr.com^
+||resourcesswallow.com^
+||respeaktret.com^
+||respectableinjurefortunate.com^
+||respectfullyarena.com^
+||respectfulofficiallydoorway.com^
+||respectfulpleaabsolve.com^
+||respectivewalrus.com^
+||respectlodgingfoil.com^
+||respectseizure.com^
+||respirationbruteremotely.com^
+||respondedkinkysofa.com^
+||respondunexpectedalimony.com^
+||responservbzh.icu^
+||responserver.com^
+||responsibleprohibition.com^
+||responsiveproportion.com^
+||responsiverender.com^
+||restabbingenologistwoollies.com^
+||restadrenaline.com^
+||restauranthedwig.com^
+||restedfeatures.com^
+||restedsoonerfountain.com^
+||restemkonfyt.top^
+||restights.pro^
+||restlesscompeldescend.com^
+||restlessconsequence.com^
+||restlessidea.com^
+||restorationpencil.com^
+||restorehealingflee.com^
+||restoreinfilm.com^
+||restoretwenty.com^
+||restrainwhenceintern.com^
+||restrictguttense.com^
+||restrictioncheekgarlic.com^
+||restroomcalf.com^
+||resultlinks.com^
+||resultsz.com^
+||resumeconcurrence.com^
+||retagro.com^
+||retaineraerialcommonly.com^
+||retaliatepoint.com^
+||retardpreparationsalways.com^
+||retarget2core.com^
+||retargetcore.com^
+||retargeter.com^
+||retaxenteron.top^
+||retgspondingco.com^
+||reth45dq.de^
+||retherdoresper.info^
+||rethinkshone.com^
+||rethinkwrinkle.com^
+||reticencecarefully.com^
+||retillbicycle.top^
+||retintsmillion.com^
+||retinueabash.com^
+||retinuegigoh.com^
+||retiredfermentgenuine.com^
+||retiringspamformed.com^
+||retono42.us^
+||retortedattendnovel.com^
+||retoxo.com^
+||retreatregular.com^
+||retrievalterminalcourse.com^
+||retrievebuoyancy.com^
+||retrievereasoninginjure.com^
+||retryngs.com^
+||rettornrhema.com^
+||returnautomaticallyrock.com^
+||returt.com^
+||retvjdkolpdals.com^
+||reunitedglossybewildered.com^
+||reusedbiphase.shop^
+||rev-stripe.com^
+||rev2pub.com^
+||rev4rtb.com^
+||revampcdn.com^
+||revcontent.com^
+||revdepo.com^
+||revelationneighbourly.com^
+||revelationschemes.com^
+||revengeremarksrank.com^
+||revenue.com^
+||revenuebosom.com^
+||revenuecpmnetwork.com^
+||revenuehits.com^
+||revenuemantra.com^
+||revenuenetwork.com^
+||revenuenetworkcpm.com^
+||revenuestripe.com^
+||revenuevids.com^
+||reversiondisplay.com^
+||revfusion.net^
+||reviewunjust.com^
+||revimedia.com^
+||revisionplatoonhusband.com^
+||revivestar.com^
+||revlt.be^
+||revmob.com^
+||revokejoin.com^
+||revolutionpersuasive.com^
+||revolvemockerycopper.com^
+||revolveoppress.com^
+||revolvingshine.pro^
+||revopush.com^
+||revresponse.com^
+||revrtb.com^
+||revrtb.net^
+||revsci.net^
+||revsolder.com^
+||revstripe.com^
+||revulsiondeportvague.com^
+||revupads.com^
+||rewaawoyamvky.top^
+||rewallesthete.shop^
+||rewardrush.life^
+||rewardsaffiliates.com^
+||rewashwudu.com^
+||rewetgreeter.top^
+||rewindgills.com^
+||rewindgranulatedspatter.com^
+||rewinedropshop.info^
+||rewriteadoption.com^
+||rewriteworse.com^
+||rewwlzjmj.com^
+||rexadvert.xyz^
+||rexbucks.com^
+||rexneedleinterfere.com^
+||rexsrv.com^
+||reyehathick.info^
+||reykijnoac.com^
+||reymvmqvkrooj.top^
+||reymvmqvkryoa.top^
+||reypelis.tv^
+||reyswrloef.xyz^
+||reyungojas.com^
+||rfaatlrdr.com^
+||rfeablduda.com^
+||rfhddwa.com^
+||rficarolnak.com^
+||rfihub.com^
+||rfihub.net^
+||rfimzurarqk.com^
+||rfinidtirz.com^
+||rfity.com^
+||rfmjcnramsw.com^
+||rftodidsrel.com^
+||rftslb.com^
+||rfxxjpuh.com^
+||rfzawaydywe.com^
+||rfzlfsedzesgp.com^
+||rgauwvaznptsx.com^
+||rgbnqmz.com^
+||rgbvgxfcp.xyz^
+||rgbvncnqzlvwr.com^
+||rgcxmzrmcvbxem.com^
+||rgddist.com^
+||rgentssep.xyz^
+||rgeredrubygs.info^
+||rgjlpgkzagf.com^
+||rglxzqlqcp.com^
+||rgpqgasbmqere.com^
+||rgqhamkhnoex.xyz^
+||rgqllsbt.com^
+||rgrd.xyz^
+||rgsiuevpupqz.com^
+||rgsnktxhe.com^
+||rgtcqif.com^
+||rgtqgsgwkopgnf.com^
+||rguxbwbj.xyz^
+||rhagitetawery.top^
+||rhdhdmxeqx.com^
+||rhendam.com^
+||rheneapfg.com^
+||rhesusvitrite.com^
+||rhinioncappers.com^
+||rhinocerosobtrusive.com^
+||rhjcnfypo.com^
+||rhjqirhsue.com^
+||rhombicsomeday.com^
+||rhombosdupe.top^
+||rhouseoyopers.info^
+||rhpjzjqhgz.com^
+||rhrim.com^
+||rhsorga.com^
+||rhtysfkaqle.com^
+||rhubarbmasterpiece.com^
+||rhubarbsuccessesshaft.com^
+||rhudsplm.com^
+||rhvdsplm.com^
+||rhvsujcakbmdpkh.com^
+||rhwvpab.com^
+||rhxdsplm.com^
+||rhymeryamebas.top^
+||rhythmmassacre.com^
+||rhythmxchange.com^
+||ribqpiocnzc.com^
+||ribrimmano.com^
+||ribsaiji.com^
+||ribsegment.com^
+||ribunews.com^
+||ric-ric-rum.com^
+||ricalsbuildfordg.info^
+||ricead.com^
+||ricettadellanonna.com^
+||ricewaterhou.xyz^
+||richerprudes.top^
+||richestplacid.com^
+||richinfo.co^
+||richwebmedia.com^
+||rickerrotal.com^
+||riddleloud.com^
+||ridfunnyassuredness.com^
+||ridgescrapstadium.com^
+||ridiculousatta.xyz^
+||ridiculousegoismaspirin.com^
+||ridikoptil.net^
+||ridingdisguisessuffix.com^
+||ridleward.info^
+||ridseechiph.com^
+||ridwmorfitu.com^
+||rieversfidate.com^
+||riffingwiener.com^
+||rifjhukaqoh.com^
+||riflesurfing.xyz^
+||riftharp.com^
+||rigembassyleaving.com^
+||rightcomparativelyincomparable.com^
+||righteousfainted.com^
+||righteoussleekpet.com^
+||rightfulheadstone.com^
+||rightfullybulldog.com^
+||rightfullyrosyvalve.com^
+||rightlydunggive.com^
+||rightlytendertrack.com^
+||rightsapphiresand.info^
+||rightycolonialism.com^
+||rightyhugelywatch.com^
+||rightypulverizetea.com^
+||rigill.com^
+||rigourbackward.com^
+||rigourpreludefelon.com^
+||rigryvusfyu.xyz^
+||riiciuy.com^
+||rileclothingtweak.com^
+||rileimply.com^
+||rilelogicbuy.com^
+||riletechnicality.com^
+||riluaneth.com^
+||rimediapush.com^
+||rimefatling.com^
+||rimfranklyscaffold.com^
+||riminghoggoofy.com^
+||rimoseantdom.com^
+||rimwigckagz.com^
+||rincipledecli.info^
+||rinddelusional.com^
+||ringashewasfl.info^
+||ringermuggish.com^
+||ringexpressbeach.com^
+||ringingneo.com^
+||ringsconsultaspirant.com^
+||ringsempty.com^
+||ringtonepartner.com^
+||rinsederangeordered.com^
+||rinsouxy.com^
+||riotousgrit.com^
+||riotousunspeakablestreet.com^
+||riowrite.com^
+||ripeautobiography.com^
+||ripencompatiblefreezing.com^
+||ripenstreet.com^
+||riperfienwa.com^
+||riponztulc.com^
+||ripplead.com^
+||ripplebuiltinpinching.com^
+||ripplecauliflowercock.com^
+||rippleretardfellowship.com^
+||ripturkidbu.com^
+||riroursaph.com^
+||risausso.com^
+||riscati.com^
+||risebeigehelium.com^
+||riseshamelessdrawers.com^
+||riskelaborate.com^
+||riskhector.com^
+||riskymuzzlebiopsy.com^
+||ritorpeeec.com^
+||rivalpout.com^
+||rivatedqualizebruisi.info^
+||riverhit.com^
+||riverpush.com^
+||riversingratitudestifle.com^
+||riverstressful.com^
+||rivetrearrange.com^
+||rivmuvlnu.com^
+||rivne.space^
+||riweeboo.com^
+||rixaka.com^
+||rjaddfbzxzu.com^
+||rjeruqs.com^
+||rjhiomohthqr.com^
+||rjhuwqxah.com^
+||rjiwweegcearer.com^
+||rjkezyfcpxffc.com^
+||rjokawzjqrezk.top^
+||rjpyyrskn.com^
+||rjqysigghdl.com^
+||rjvfxxrsepwch.xyz^
+||rjw4obbw.com^
+||rjwhuxgjjm.com^
+||rjykqcrnz.com^
+||rkajleihgyidsu.com^
+||rkalbwupipuow.xyz^
+||rkapghq.com^
+||rkatamonju.info^
+||rkgwzfwjgk.com^
+||rkifguxul.com^
+||rknwwtg.com^
+||rkomf.com^
+||rkskillsombineukd.com^
+||rkvyhuyab.com^
+||rkwithcatuk.org^
+||rkymfevzeq.com^
+||rkyynuthufhutew.xyz^
+||rlcdn.com^
+||rldfgcehgh.com^
+||rldwideorgani.org^
+||rldwideorganizat.org^
+||rletcloaksandth.com^
+||rliksgcixgf.com^
+||rlittleboywhowas.com^
+||rliwkyil.com^
+||rlornextthefirean.com^
+||rlrekuaonqt.com^
+||rlsspiuyx.com^
+||rlwiupbqn.com^
+||rlwoyomyj.com^
+||rlxw.info^
+||rmagugarmk.com^
+||rmahmighoogg.com^
+||rmaiadmw.com^
+||rmaiksacouuo.xyz^
+||rmaticalacycurated.info^
+||rmervvazoakba.top^
+||rmervvazoakky.top^
+||rmervvazoazzv.top^
+||rmgfulosqmlcly.com^
+||rmhfrtnd.com^
+||rmhptjwikttv.com^
+||rmndme.com^
+||rmrtgsheui.com^
+||rmshqa.com^
+||rmtckjzct.com^
+||rmuuspy.com^
+||rmvvawqobqvaq.top^
+||rmvvawqobqvmv.top^
+||rmwzbomjvmlej.top^
+||rmxads.com^
+||rnanlxfa.com^
+||rndambipoma.com^
+||rndchandelureon.com^
+||rndhaunteran.com^
+||rndmusharnar.com^
+||rndnoibattor.com^
+||rndskittytor.com^
+||rnfwyvgoxu.com^
+||rnhsrsn.com^
+||rnldustal.com^
+||rnmd.net^
+||rnoddenkn.asia^
+||rnotraff.com^
+||rnqjfeuwrvd.com^
+||rnrycry.com^
+||rnv.life^
+||rnwbrm.com^
+||roabmyrevngqqk.com^
+||roachoavi.com^
+||roadformedomission.com^
+||roadmappenal.com^
+||roadoati.xyz^
+||roamapheejub.com^
+||roambedroom.com^
+||roamparadeexpel.com^
+||roapsoogaiz.net^
+||roarcontrivanceuseful.com^
+||roastoup.com^
+||roataisa.net^
+||robazi.xyz^
+||robberyinscription.com^
+||robberysordid.com^
+||roberehearsal.com^
+||robertavivific.top^
+||robescampus.com^
+||robotadserver.com^
+||roboticourali.com^
+||robotrenamed.com^
+||robsbogsrouse.com^
+||robspabah.com^
+||robssukey.com^
+||rocco-fvo.com^
+||rochesterbreedpersuade.com^
+||rockersbaalize.com^
+||rocketme.top^
+||rocketplaintiff.com^
+||rocketyield.com^
+||rockfellertest.com^
+||rockierfought.top^
+||rockiertaar.com^
+||rockingfolders.com^
+||rockmostbet.com^
+||rockpicky.com^
+||rockyou.net^
+||rocoads.com^
+||rocobo.uno^
+||rocoloagrotis.fun^
+||rodecommercial.com^
+||rodejessie.com^
+||rodirgix.com^
+||rodplayed.com^
+||rodrergi.com^
+||rodunwelcome.com^
+||roduster.com^
+||rodwoodporched.com^
+||roelikewimpler.com^
+||roemoss.com^
+||rof77skt5zo0.com^
+||rofant.com^
+||rogbhbxvqe.com^
+||roguehideevening.com^
+||rogueschedule.com^
+||rohvyftxssn.com^
+||roiapp.net^
+||roikingdom.com^
+||roilsnadirink.com^
+||roinduk.com^
+||rokafeg.com^
+||rokreeza.com^
+||rokymedia.com^
+||roledale.com^
+||rollads.live^
+||rollbackhear.com^
+||rollbackpop.com^
+||rollerstrayprawn.com^
+||rollingkiddisgrace.com^
+||rollingwolvesforthcoming.com^
+||rollserver.xyz^
+||rolltrafficroll.com^
+||rolpenszimocca.com^
+||rolsoupouh.xyz^
+||rolzqwm.com^
+||romance-net.com^
+||romancemind.com^
+||romancepotsexists.com^
+||romanlicdate.com^
+||romanticwait.com^
+||romashk9arfk10.com^
+||romauntmirker.com^
+||romepoptahul.com^
+||romivapsi.com^
+||romperspardesi.com^
+||rompishvariola.com^
+||roobetaffiliates.com^
+||roodleswauls.com^
+||roofprison.com^
+||rooglomitaiy.com^
+||roohoozy.net^
+||rookiewhiskey.com^
+||rookinews.com^
+||rookretired.com^
+||rooksreused.website^
+||roolgage.com^
+||roomersgluts.com^
+||roommateskinner.com^
+||roompowerfulprophet.com^
+||roomrentpast.com^
+||rooptawu.net^
+||rooptuph.xyz^
+||rootcaptawed.com^
+||rootzaffiliates.com^
+||roovs.xyz^
+||ropablegaliot.top^
+||ropeanresu.com^
+||ropeanresultanc.com^
+||ropebrains.com^
+||ropedm.com^
+||ropemoon.com^
+||ropesunfamiliar.com^
+||ropwilv.com^
+||roqiwno.com^
+||roredi.com^
+||roriba.uno^
+||rorserdy.com^
+||rose2919.com^
+||rosebrandy.com^
+||rosebudspurarmies.com^
+||rosemessengeryuri.com^
+||rosolicdalapon.com^
+||rosttraborago.com^
+||rosyfeeling.pro^
+||rosyruffian.com^
+||rotabol.com^
+||rotarb.bid^
+||rotate1t.com^
+||rotate4all.com^
+||rotateme.ru^
+||rotateportion.com^
+||rothermophony.com^
+||rotondagud.com^
+||rotondelibya.com^
+||rotumal.com^
+||rotundfetch.com^
+||roucoutaivers.com^
+||roudoduor.com^
+||rouduranter.com^
+||rougepromisedtenderly.com^
+||rough-requirement.pro^
+||rougharmless.com^
+||roughindoor.com^
+||roughseaside.com^
+||rouhavenever.com^
+||rouhaveneverse.info^
+||rouinfernapean.com^
+||roujonoa.net^
+||roukoopo.net^
+||roulediana.com^
+||roumachopa.com^
+||roumakie.com^
+||round-highlight.pro^
+||rounddescribe.com^
+||roundflow.net^
+||roundpush.com^
+||roundspaniardindefinitely.com^
+||rounidorana.com^
+||rounsh.com^
+||rouonixon.com^
+||rousedaudacity.com^
+||routeit.one^
+||routeme.one^
+||routemob.com^
+||routerhydrula.com^
+||routes.name^
+||routeserve.info^
+||routinecloudycrocodile.com^
+||routingcalyces.top^
+||routowoashie.xyz^
+||rouvoute.net^
+||rouwhapt.com^
+||rovion.com^
+||rovno.xyz^
+||rowdyrope.pro^
+||rowingzipper.com^
+||rowlnk.com^
+||roxasnxjruxnd.com^
+||roxby.org^
+||roxieguitars.com^
+||roxot-panel.com^
+||roxyaffiliates.com^
+||royalcactus.com^
+||royallycuprene.com^
+||royvdkxga.com^
+||rozamimo9za10.com^
+||rpawarcnm.com^
+||rpfytkt.com^
+||rpjbtni186w9.shop^
+||rpllrsbmhahj.com^
+||rpmwhoop.com^
+||rppumxa.com^
+||rprapjc.com^
+||rprinc6etodn9kunjiv.com^
+||rpsoybm.com^
+||rpsukimsjy.com^
+||rptdbyvychrfap.com^
+||rptmoczqsf.com^
+||rpts.org^
+||rpxjcseuilgwss.com^
+||rpzbfftekjdz.com^
+||rqakljxbs.com^
+||rqazepammrl.com^
+||rqbqlwhlui.xyz^
+||rqbugumvsprr.com^
+||rqctubqtcbgeug.com^
+||rqdcusltmryapg.com^
+||rqejawwqzawev.top^
+||rqfedjzveel.com^
+||rqhere.com^
+||rqmakkmq.com^
+||rqnvci.com^
+||rqr97sfd.xyz^
+||rqsaxxdbt.com^
+||rqtrk.eu^
+||rqwel.com^
+||rreauksofthecom.xyz^
+||rrhscsdlwufu.xyz^
+||rriodxsmyjk.com^
+||rrmlejvyqebk.top^
+||rrmlejvyqwzk.top^
+||rrnhilainbjii.com^
+||rrobbybvvbybj.top^
+||rrolqae.com^
+||rronsep.com^
+||rrqpajlyvtpqst.com^
+||rrqwarwbbwvyw.top^
+||rruvbtb.com^
+||rrwmyijgm.com^
+||rs-stripe.com^
+||rsalcau.com^
+||rsalcch.com^
+||rsalesrepresw.info^
+||rsaltsjt.com^
+||rscilnmkkfbl.com^
+||rscilx49h.com^
+||rsdoxzmhrjovcz.com^
+||rsfmzirxwg.com^
+||rsgouhlbhfl.com^
+||rsivgpaydl.com^
+||rsjagnea.com^
+||rsldfvt.com^
+||rsnjmocfenkewq.com^
+||rsthwwqhxef.xyz^
+||rswhowishedto.info^
+||rszimg.com^
+||rtb-media.me^
+||rtb.com.ru^
+||rtb1bid.com^
+||rtbadshubmy.com^
+||rtbadsmenetwork.com^
+||rtbadsmya.com^
+||rtbadsmylive.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^
+||rtbuqtue.com^
+||rtbwnvpdimr.com^
+||rtbxnmhub.com^
+||rtbxnmlive.com^
+||rtclx.com^
+||rtdqhjiqf.com^
+||rtfmakw.com^
+||rthbycustomla.info^
+||rthmhocfdb.com^
+||rtihookier.top^
+||rtk.io^
+||rtmark.net^
+||rtmladcenter.com^
+||rtmladnew.com^
+||rtncskottpfwb.com^
+||rtnews.pro^
+||rtoadlavcam.com^
+||rtoukfareputfe.info^
+||rtphit.com^
+||rtpnt.xyz^
+||rtqdgro.com^
+||rtrgt.com^
+||rtrgt2.com^
+||rtrhit.com^
+||rtty.in^
+||rtuew.xyz^
+||rtwdzxstpanmn.com^
+||rtxbdugpeumpmye.xyz^
+||rtxfeed.com^
+||rtxokjoxhmreav.com^
+||rtxrtb.com^
+||rtyfdsaaan.com^
+||rtylsixqrhqmou.com^
+||rtyufo.com^
+||rtyznd.com^
+||rtzblzfgzqw.com^
+||rtzbpsy.com^
+||ru6sapasgs8tror.com^
+||ruamupr.com^
+||rubberdescendantfootprints.com^
+||rubbingwomb.com^
+||rubbishher.com^
+||rubestdealfinder.com^
+||rubiconproject.com^
+||rubyblu.com^
+||rubyforcedprovidence.com^
+||rubymillsnpro.com^
+||ruckingefs.com^
+||rudaglou.xyz^
+||rudderleisurelyobstinate.com^
+||ruddyred.pro^
+||rudemembership.pro^
+||rudimentarydelay.com^
+||rudrbxaqkbpi.com^
+||ruefulauthorizedguarded.com^
+||ruefultest.com^
+||ruefuluphill.com^
+||rufadses.net^
+||rufflycouncil.com^
+||ruftodru.net^
+||rufwnrguipfep.com^
+||rugcrucial.com^
+||rugiomyh2vmr.com^
+||ruglhiahxam.com^
+||ruinamylom.click^
+||ruincrayfish.com^
+||ruineddefectivecurb.com^
+||ruinedpenal.com^
+||ruinedpersonnel.com^
+||ruinedtolerance.com^
+||ruinjan.com^
+||ruinnorthern.com^
+||rukanw.com^
+||rukoval.com^
+||ruktllqjvsafr.com^
+||rulahglsnzsx.com^
+||rulovar.com^
+||rumimorigu.com^
+||rummagemason.com^
+||rummentaltheme.com^
+||rummletornese.com^
+||rummyaffiliates.com^
+||rumseisin.com^
+||rumsroots.com^
+||run-syndicate.com^
+||runadtag.com^
+||runative-syndicate.com^
+||runative.com^
+||runawayaccomplishment.com^
+||runawaycrayfishcosmetics.com^
+||runazmakqja.com^
+||runbornto.com^
+||runetki.co^
+||rungdefendantfluent.com^
+||rungoverjoyed.com^
+||runicforgecrafter.com^
+||runingamgladt.com^
+||runitechaute.top^
+||runmixed.com^
+||runnethfumier.top^
+||runningdestructioncleanliness.com^
+||runnionpox.click^
+||runnyestablishment.pro^
+||runsclothingpig.com^
+||runtnc.net^
+||runwaff.com^
+||ruozukk.xyz^
+||rural-patience.com^
+||rural-report.pro^
+||rurber.com^
+||rurdauth.net^
+||rusenov.com^
+||rushoothulso.xyz^
+||rushpeeredlocate.com^
+||russellseemslept.com^
+||russianfelt.com^
+||russiangalacticcharming.com^
+||russianwithincheerleader.com^
+||russif.com^
+||rusticsnoop.com^
+||rusticswollenbelonged.com^
+||rustlesimulator.com^
+||rustydeceasedwe.com^
+||rustypassportbarbecue.com^
+||rustyretails.com^
+||rustysauna.com^
+||rustyurishoes.com^
+||rutatmosphericdetriment.com^
+||rutebuxe.xyz^
+||rutfadsziog.com^
+||ruthlessawfully.com^
+||ruthproudlyquest.com^
+||ruthrequire.com^
+||ruthwoof.com^
+||rutpunishsnitch.com^
+||ruutjhlmv.com^
+||ruwertur.com^
+||ruwfempxgwry.xyz^
+||ruwookri.xyz^
+||ruxgqemwywx.com^
+||ruzotchaufu.xyz^
+||rvddfchkj.xyz^
+||rvetreyu.net^
+||rvibgboy.com^
+||rvioyjme.com^
+||rvltckxibcmlt.com^
+||rvrpushserv.com^
+||rvrpushsrv.com^
+||rvshjxsbohimgb.com^
+||rwjqdbimphvg.com^
+||rwqovmoqmwrwq.top^
+||rwtrack.xyz^
+||rwuannaxztux.com^
+||rwusvej.com^
+||rwvnxxrlm.com^
+||rwwmbymwbzbea.top^
+||rwwoqcjefc.com^
+||rwxgorjgvcfirtx.com^
+||rwzzeivpakyxql.com^
+||rxansljurt.com^
+||rxeosevsso.com^
+||rxglvcowb.com^
+||rxgvwht.com^
+||rxtazhr.com^
+||rxtgbihqbs99.com^
+||rxthdr.com^
+||rxvej.com^
+||ryads.xyz^
+||ryanfrqxjl.com^
+||ryaqlybvobjw.top^
+||ryauzo.xyz^
+||ryazabti.com^
+||rydpsqdsaja.com^
+||rydresa.info^
+||ryeffwlcleer.com^
+||ryeprior.com^
+||rykwyoaeaamhykw.com^
+||ryminos.com^
+||ryqlbqdj.com^
+||ryremovement.com^
+||rysheatlengthanl.xyz^
+||rysjkulq.xyz^
+||ryvjgiyoxomii.com^
+||rzaxroziwozq.com^
+||rzgiyhpbit.com^
+||rzkphskfifmo.com^
+||rzneekilff.com^
+||rzqeps15a.com^
+||rzwhlgvzny.com^
+||rzyosrlajku.com^
+||rzzlhfx.com^
+||rzzqhhoim.com^
+||s-adzone.com^
+||s0-greate.net^
+||s0cool.net^
+||s0q260-rtbix.top^
+||s19mediabq.com^
+||s1cta.com^
+||s1m4nohq.de^
+||s1t2uuenhsfs.com^
+||s20dh7e9dh.com^
+||s24hc8xzag.com^
+||s2blosh.com^
+||s2btwhr9v.com^
+||s2d6.com^
+||s2sterra.com^
+||s3g6.com^
+||s3vracbwe.com^
+||s5ikadi.fun^
+||s7feh.top^
+||s99i.org^
+||s9mlyfq8g.com^
+||sa.entireweb.com^
+||sa2m4buc5us.com^
+||sabercuacro.org^
+||sabergood.com^
+||sabksfsgeq.com^
+||sabonakapona.com^
+||sabotageharass.com^
+||sabotedrecedes.com^
+||sabredbegulf.top^
+||sackbarngroups.com^
+||sackeelroy.net^
+||sacredperpetratorbasketball.com^
+||sacrificeaffliction.com^
+||sadbasindinner.com^
+||saddlecooperation.com^
+||sadjklq.com^
+||sadrettinnow.com^
+||sadsecs.com^
+||safe-connection21.com^
+||safeart.pro^
+||safeattributeexcept.com^
+||safebrowsdv.com^
+||safeclatter.com^
+||safeconspiracy.com^
+||safeglimmerlongitude.com^
+||safeguardoperating.com^
+||safelinkconverter.com^
+||safelistextreme.com^
+||safenick.com^
+||safereboundmiracle.com^
+||safestcontentgate.com^
+||safestgatetocontent.com^
+||safestsniffingconfessed.com^
+||safesync.com^
+||safetytds.com^
+||safewarns.com^
+||safprotection.com^
+||safsdvc.com^
+||sagaciouslikedfireextinguisher.com^
+||sagaciouspredicatemajesty.com^
+||sagearmamentthump.com^
+||sagedeportflorist.com^
+||saggrowledetc.com^
+||sagumnlx.com^
+||sahandkeightg.xyz^
+||saheckas.xyz^
+||sahiwaldisform.top^
+||saiceezu.xyz^
+||saigreetoudi.xyz^
+||saikeela.net^
+||sailcovertend.com^
+||sailif.com^
+||sailingmineral.com^
+||sailorandmoist.com^
+||sailorlanceslap.com^
+||sailundu.xyz^
+||saimiripullman.shop^
+||saintselfish.com^
+||saipeevit.net^
+||saipsoan.net^
+||saiwecee.com^
+||saiwhute.com^
+||sajewhee.xyz^
+||sakuftaurgo.com^
+||sakura-traffic.com^
+||salalromansh.com^
+||salamogolden.click^
+||salamus1.lol^
+||salemcowbyre.com^
+||sales1sales.com^
+||salesoonerfurnace.com^
+||salestingoner.org^
+||salicylurdee.com^
+||salivamenupremise.com^
+||salivanmobster.com^
+||salivasboucle.top^
+||salivatreatment.com^
+||salleamebean.com^
+||sallyfundamental.com^
+||sallyoxenstops.com^
+||salmiacforked.top^
+||salolthins.top^
+||saltateblit.com^
+||saltcardiacprotective.com^
+||saltconfectionery.com^
+||saltpairwoo.live^
+||saltsarchlyseem.com^
+||saltsupbrining.com^
+||salutationcheerlessdemote.com^
+||salutationpersecutewindows.com^
+||saluteeyeseed.com^
+||salvagefloat.com^
+||samage-bility.icu^
+||sambuksusurr.click^
+||samepeqmz.com^
+||samghasps.com^
+||sampalsyneatly.com^
+||samplecomfy.com^
+||samplehavingnonstop.com^
+||sampoang.xyz^
+||samsungads.com^
+||samvaulter.com^
+||samvinva.info^
+||sanableschuss.top^
+||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^
+||sandyrecordingmeet.com^
+||sandysuspicions.com^
+||sanedfalsely.com^
+||sanggilregard.com^
+||sanhpaox.xyz^
+||sanitarysustain.com^
+||sanjay44.xyz^
+||sankaudacityrefine.com^
+||sankjerusalemflabbergasted.com^
+||sanoithmefeyau.com^
+||sanseemp.com^
+||sanseislydite.com^
+||sansuni.xyz^
+||santonpardal.com^
+||santosattestation.com^
+||santoscologne.com^
+||santosdomino.shop^
+||santosfeltmanager.com^
+||santosmiddle.com^
+||santtacklingallaso.com^
+||santuao.xyz^
+||sapfailedfelon.com^
+||saplvvogahhc.xyz^
+||saptiledispatch.com^
+||saptorge.com^
+||saracsoxcpa.com^
+||sarcasmadvisor.com^
+||sarcasmidentifiers.com^
+||sarcasticdismalconstrue.com^
+||sarcasticnotarycontrived.com^
+||sarcelgusla.com^
+||sarcinedewlike.com^
+||sarcodrix.com^
+||sardaursaz.com^
+||sardineforgiven.com^
+||sardoindkm.top^
+||sarinfalun.com^
+||sarrowgrivois.com^
+||sartolutus.com^
+||saryprocedentw.info^
+||sasinsetuid.com^
+||sasujooceerg.com^
+||saszar.com^
+||satireunhealthy.com^
+||satirevegetableshaw.com^
+||satisfaction399.fun^
+||satisfaction423.fun^
+||satisfactionretirechatterbox.com^
+||satisfactorilyfigured.com^
+||satisfactoryhustlebands.com^
+||satisfied-tour.pro^
+||satoripedary.com^
+||sattiewitter.top^
+||saturatecats.com^
+||saturatedrake.com^
+||saturatemadman.com^
+||saturdaygrownupneglect.com^
+||saturdaymarryspill.com^
+||saub27i3os.com^
+||saucebuttons.com^
+||sauceheirloom.com^
+||sauchsswimmy.shop^
+||saugerarcate.top^
+||saulaupe.net^
+||saulttrailwaysi.info^
+||saumeechoa.com^
+||saunaentered.com^
+||saunamilitarymental.com^
+||saunasupposedly.com^
+||saunerema.net^
+||sauptoacoa.com^
+||sauptowhy.com^
+||saurajembe.top^
+||saurelhastif.click^
+||saurelwithsaw.shop^
+||saurfeued.com^
+||sausagegirlieheartburn.com^
+||savableee.com^
+||savagelylizard.com^
+||savaurdy.net^
+||savefromad.net^
+||saveourspace.co^
+||savingsupervisorsalvage.com^
+||savinist.com^
+||savlzvstif.com^
+||savourethicalmercury.com^
+||savourmarinercomplex.com^
+||savouryadolescent.com^
+||savtvkdny.xyz^
+||savvcsj.com^
+||sawanincreasein.info^
+||saweathercock.info^
+||sawfluenttwine.com^
+||sawneywigger.top^
+||saworbpox.com^
+||sawpokw.com^
+||sawsdaggly.com^
+||saxophonefrontier.com^
+||sayableconder.com^
+||saycaptain.com^
+||sayelo.xyz^
+||sayingconvicted.com^
+||sayingdentalinternal.com^
+||saylnk.com^
+||saystclowned.top^
+||sazute.uno^
+||sb-stat1.com^
+||sb4you1.com^
+||sb89347.com^
+||sbboppwsuocy.com^
+||sbfsdvc.com^
+||sbhight.com^
+||sblhp.com^
+||sbonjqsxicqfo.xyz^
+||sbqptosht.com^
+||sbrakepads.com^
+||sbscribeme.com^
+||sbscrma.com^
+||sbseunl.com^
+||sbteafd.com^
+||sbvtrht.com^
+||sbxgipbks.com^
+||sbxitxnmfxzyf.com^
+||sbxsdvwfabvx.com^
+||scaakxxobpp.com^
+||scabbienne.com^
+||scaffoldconcentration.com^
+||scaffoldoppresshaphazard.com^
+||scaffoldsense.com^
+||scaleniwillowy.top^
+||scalesapologyprefix.com^
+||scaleshustleprice.com^
+||scalesreductionkilometre.com^
+||scalfkermes.com^
+||scallionfib.com^
+||scallionterrace.com^
+||scalliontrend.com^
+||scallopbedtime.com^
+||scalpelvengeance.com^
+||scalpworlds.com^
+||scamblefeedman.com^
+||scammereating.com^
+||scammersupreme.com^
+||scamperprepn.com^
+||scancemontes.com^
+||scandiaogamic.com^
+||scannersouth.com^
+||scanshrugged.com^
+||scantlyvedette.com^
+||scantsditt.top^
+||scantyjanitor.com^
+||scantyuncertainwilfrid.com^
+||scanunderstiff.com^
+||scanwasted.com^
+||scarabresearch.com^
+||scarcelyfebruarydice.com^
+||scarcelypat.com^
+||scarcemontleymontley.com^
+||scarcerpokomoo.com^
+||scardeviceduly.com^
+||scarecrowenhancements.com^
+||scaredcollector.com^
+||scaredframe.com^
+||scaredplayful.com^
+||scaredpreparation.pro^
+||scarfcreed.com^
+||scaringposterknot.com^
+||scarletcashwi5.com^
+||scarofnght.com^
+||scarpeweevily.top^
+||scarymarine.com^
+||scashwl.com^
+||scatteredhecheaper.com^
+||scatulalactate.com^
+||scavelbuntine.life^
+||scenbe.com^
+||scendho.com^
+||scenegaitlawn.com^
+||scenerynatives.com^
+||scenescrockery.com^
+||scenistgracy.life^
+||scentbracehardship.com^
+||scentedindication.com^
+||scentservers.com^
+||scepticalchurch.com^
+||scfsdvc.com^
+||schizypdq.com^
+||schjmp.com^
+||scholarkeyboarddoom.com^
+||scholarsgrewsage.com^
+||schoolboyfingernail.com^
+||schoolmasterconveyedladies.com^
+||schoolnotwithstandingconfinement.com^
+||schoolunmoved.com^
+||schoonnonform.com^
+||schqydstxtsi.com^
+||schtoffdracma.com^
+||sciadopi5tysverticil1lata.com^
+||sciencepoints.com^
+||scientific-doubt.com^
+||scientificdimly.com^
+||scillathemons.com^
+||scisselfungus.com^
+||scissorsaccordancedreamt.com^
+||scissorsstitchdegrade.com^
+||scissorwailed.com^
+||scjhnjvlyd.com^
+||scl6gc5l.site^
+||sclerasliflod.top^
+||sclimbwidower.top^
+||sclrnnp.com^
+||scnd-tr.com^
+||sconvtrk.com^
+||scoopauthority.com^
+||scoopmaria.com^
+||scootcomely.com^
+||scopefile.com^
+||score-feed.com^
+||scoreasleepbother.com^
+||scoredconnect.com^
+||scoreheadingbabysitting.com^
+||scornfulabsorbploy.com^
+||scornphiladelphiacarla.com^
+||scotergushing.com^
+||scotianosed290noelind.com^
+||scotizeoperae.com^
+||scotsmaut.top^
+||scousepneuma.com^
+||scowpoppanasals.com^
+||scptp1.com^
+||scptpx.com^
+||scpxth.xyz^
+||scrambleocean.com^
+||scrapembarkarms.com^
+||scratchconsonant.com^
+||scrawmthirds.com^
+||scrawny-pipe.com^
+||screechadulthood.com^
+||screechcompany.com^
+||screechdonationshowed.com^
+||screenov.site^
+||scribalfiasco.com^
+||scribblemidday.com^
+||scriptcdn.net^
+||scriptvealpatronage.com^
+||scrollisolation.com^
+||scrollye.com^
+||scrtbhmtmplg.xyz^
+||scrubheiress.com^
+||scruboutdoorsoffensive.com^
+||scruis.com^
+||sctxdmdf.com^
+||scubaenterdane.com^
+||scufflebarefootedstrew.com^
+||sculptorpound.com^
+||sculpturelooking.com^
+||scutesneatest.com^
+||scuttercoaxing.click^
+||scwawseh.com^
+||scxurii.com^
+||scyecacked.top^
+||scythealready.com^
+||sda.seesaa.jp^
+||sda.seksohub.com^
+||sdbrrrr.lat^
+||sdbvveonb1.com^
+||sddan.com^
+||sde98jd39.com^
+||sdegvdvqajiq.com^
+||sdfdsd.click^
+||sdfgsdf.cfd^
+||sdfsdvc.com^
+||sdg.desihamster.pro^
+||sdg.fwtrck.com^
+||sdhfbvd.com^
+||sdhiltewasvery.info^
+||sdhltncfqbu.com^
+||sdiatesupervis.com^
+||sdjqhxmg.com^
+||sdkfjxjertertry.com^
+||sdkl.info^
+||sdkzrooqzzdfcz.com^
+||sdmfyqkghzedvx.com^
+||sdwbmqqluxiu.com^
+||sdxtxvq.com^
+||seaboblit.com^
+||seafoodclickwaited.com^
+||seafooddiscouragelavishness.com^
+||sealeryshilpit.com^
+||sealinstalment.com^
+||sealkiebannets.top^
+||sealthatleak.com^
+||seamanphaseoverhear.com^
+||seamantiffy.top^
+||seamsuddenbanish.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^
+||searswalers.com^
+||seashorelikelihoodreasonably.com^
+||seashoremessy.com^
+||seashorepigeonsbanish.com^
+||seashoreshine.com^
+||seasickbittenprestigious.com^
+||seasx.cfd^
+||seatedparanoiaenslave.com^
+||seatsrehearseinitial.com^
+||seaweedswanboats.com^
+||seayipsex.com^
+||sebateastrier.com^
+||sebeewho.xyz^
+||sebkhapaction.com^
+||secclhkiuj.com^
+||seceshogam.com^
+||secezo.uno^
+||secludechurch.com^
+||secondaryabjure.com^
+||secondarybirchslit.com^
+||secondcommander.com^
+||secondlyundone.com^
+||secondquaver.com^
+||secondunderminecalm.com^
+||secprf.com^
+||secretionforbearace.com^
+||secretiongrin.com^
+||secretivelimpfraudulent.com^
+||sectarynylghai.com^
+||secthatlead.com^
+||sectsenior.com^
+||secure.securitetotale.fr^
+||secureaddisplay.com^
+||secureclickers.com^
+||securecloud-dt.com^
+||securecloud-smart.com^
+||secureclouddt-cd.com^
+||secureconv-dl.com^
+||securedcdn.com^
+||securedvisit.com^
+||securegate.xyz^
+||securegate9.com^
+||securegfm.com^
+||secureleadsforever.com^
+||secureleadsrn.com^
+||securely-send.com^
+||securemoney.ru^
+||securenetguardian.top^
+||securescoundrel.com^
+||securesmrt-dt.com^
+||securesurf.biz^
+||sedarimundated.top^
+||sedatecompulsiveout.com^
+||sedatenerves.com^
+||sedatingnews.com^
+||sedodna.com^
+||sedswmbepgkf.com^
+||seducingtemporarily.com^
+||seeablywitness.com^
+||seebait.com^
+||seedconsistedcheerful.com^
+||seedlingneurotic.com^
+||seedlingpenknifecambridge.com^
+||seedoupo.com^
+||seedsmurids.shop^
+||seegamezpicks.info^
+||seegraufah.com^
+||seehaucu.net^
+||seekmymatch.com^
+||seekoflol.com^
+||seeluphill.shop^
+||seemaicees.xyz^
+||seemingverticallyheartbreak.com^
+||seemoraldisobey.com^
+||seemreflexdisable.com^
+||seemyresume.org^
+||seeonderfulstatue.com^
+||seeptoag.net^
+||seethisinaction.com^
+||seetron.net^
+||seezutet.com^
+||sefsdvc.com^
+||segmentcoax.com^
+||segrbdscumdk.com^
+||segrea.com^
+||segreencolumn.com^
+||sehlicegxy.com^
+||seibertspart.com^
+||seisorreem.com^
+||seizecrashsophia.com^
+||seizedlusciousextended.com^
+||seizedpenholdercranny.com^
+||seizefortunesdefiant.com^
+||seizeshoot.com^
+||seizuretraumatize.com^
+||sekindo.com^
+||sel-sel-fie.com^
+||seldomsevereforgetful.com^
+||selectdisgraceful.com^
+||selectedhoarfrost.com^
+||selectedunrealsatire.com^
+||selectioncarnivalrig.com^
+||selectr.net^
+||selectthrow.com^
+||selecttopoff.com^
+||selenicabbot.shop^
+||selfemployedbalconycane.com^
+||selfemployedreservoir.com^
+||selfevidentvisual.com^
+||selfishfactor.com^
+||selfportraitpardonwishes.com^
+||selfpua.com^
+||selfpuc.com^
+||selfswayjay.com^
+||sellbleatregistry.com^
+||sellerignateignate.com^
+||sellingmombookstore.com^
+||sellisteatin.com^
+||selornews.com^
+||selunemtr.online^
+||selwrite.com^
+||semblanceafford.com^
+||semblanceindulgebellamy.com^
+||semicircledata.com^
+||semicolondeterminationfaded.com^
+||semicolonrichsieve.com^
+||semicolonsmall.com^
+||semidapt.com^
+||semiinfest.com^
+||seminarcrackingconclude.com^
+||seminarentirely.com^
+||semqraso.net^
+||semsicou.net^
+||semwtaanx.xyz^
+||senagegrasper.com^
+||senatescouttax.com^
+||sendmepush.com^
+||senecaanoles.com^
+||seniorstemsdisability.com^
+||senitijanghey.shop^
+||sennaalopeke.top^
+||senonsiatinus.com^
+||senorasdatchas.com^
+||sensationnominatereflect.com^
+||sensefifth.com^
+||sensifyfugged.com^
+||sensiledivider.top^
+||sensitivenessvalleyparasol.com^
+||sensorpluck.com^
+||sensualsheilas.com^
+||sensualtestresume.com^
+||sentativesathya.info^
+||sentbarn.com^
+||sentdysfunctional.com^
+||sentencefigurederide.com^
+||sentenceinformedveil.com^
+||sentientfog.com^
+||sentimentsvarious.com^
+||sentinelp.com^
+||seo-overview.com^
+||separashparyro.info^
+||separatecolonist.com^
+||separatelyweeping.com^
+||separatepattern.pro^
+||separationalphabet.com^
+||separationharmgreatest.com^
+||separationheadlight.com^
+||separationreverttap.com^
+||sepianshap.com^
+||septemberautomobile.com^
+||septfd2em64eber.com^
+||septierpotrack.com^
+||sepulttrocha.com^
+||sequelswosbird.com^
+||sequencestairwellseller.com^
+||ser678uikl.xyz^
+||seraglisneak.top^
+||serch26.biz^
+||serconmp.com^
+||serdaive.com^
+||sereanstanza.com^
+||sergeantmediocre.com^
+||sergerbearing.top^
+||serialembezzlementlouisa.com^
+||serialwarning.com^
+||serifgorry.top^
+||serinuswelling.com^
+||seriouslygesture.com^
+||seriy2sviter11o9.com^
+||sermonbakery.com^
+||sermonoccupied.com^
+||serpentineillegal.pro^
+||serpentreplica.com^
+||serraeepoist.com^
+||serumlisp.com^
+||serv-selectmedia.com^
+||serv01001.xyz^
+||serv1for.pro^
+||servantheadingferal.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^
+||serverfritterdisability.com^
+||serversmatrixaggregation.com^
+||serversoursmiling.com^
+||serverssignshigher.com^
+||servetag.com^
+||servetean.site^
+||servetraff.com^
+||servg1.net^
+||servh.net^
+||servicegetbook.net^
+||servicesrc.org^
+||servicetechtracker.com^
+||serving-sys.com^
+||servingcdn.net^
+||servinghandy.com^
+||servingserved.com^
+||servingsurroundworldwide.com^
+||servsserverz.com^
+||servtraff97.com^
+||servw.bid^
+||sesameebookspeedy.com^
+||sesamefiddlesticks.com^
+||sessfetchio.com^
+||sessionamateur.com^
+||seteamsobtantion.com^
+||setidlgzwc.com^
+||setitoefanyor.org^
+||setlitescmode-4.online^
+||setopsdata.com^
+||setsdowntown.com^
+||settledchagrinpass.com^
+||settlepineapple.com^
+||settrogens.com^
+||setupad.net^
+||setupdeliveredteapot.com^
+||setupslum.com^
+||seullocogimmous.com^
+||sev4ifmxa.com^
+||seveelumus.com^
+||sevenedgesteve.com^
+||sevenerraticpulse.com^
+||sevenpronounced.com^
+||seventybrush.com^
+||severalmefa.org^
+||severelyexemplar.com^
+||severelywrittenapex.com^
+||sevierxx.com^
+||sevokop.com^
+||sewenunstung.shop^
+||sewersneaky.com^
+||sewerypon.com^
+||sewingunrulyshriek.com^
+||sewmcqkulwxmrx.com^
+||sewussoo.xyz^
+||sex-and-flirt.com^
+||sex-chat.me^
+||sexbuggishbecome.info^
+||sexclic.com^
+||sexdatingsite.pro^
+||sexfg.com^
+||sexmoney.com^
+||sexpieasure.com^
+||sextf.com^
+||sextubeweb.com^
+||sexuallyminus.com^
+||sexualpitfall.com^
+||sexy-sluts.org^
+||sexyadsrun.com^
+||sexyepc.com^
+||seynatcreative.com^
+||sf-ads.io^
+||sfafabztidi.com^
+||sfaxnqia.com^
+||sfcfssgbrhnsb.com^
+||sfdsplvyphk.com^
+||sffsdvc.com^
+||sfhkoghqvtigix.com^
+||sfixretarum.com^
+||sfnfpddbql.com^
+||sforourcompa.org^
+||sfrujefjswrn.xyz^
+||sftapi.com^
+||sfuoasztfxr.com^
+||sfwehgedquq.com^
+||sfxjgafgs.com^
+||sgad.site^
+||sgfdfikdguqdkv.com^
+||sgfsdvc.com^
+||sgftrrs.com^
+||sgihava.com^
+||sgnetwork.co^
+||sgnvuowhv.com^
+||sgpuijidjc.com^
+||sgrawwa.com^
+||sgunqfpjtxfndtt.com^
+||sgvdqykfjuk.com^
+||sgwsqcyhxkb.com^
+||sgyahkkwcb.com^
+||sgzhg.pornlovo.co^
+||sh0w-me-h0w.net^
+||sh0w-me-how.com^
+||shackapple.com^
+||shackdialectsense.com^
+||shadeapologies.com^
+||shaderadioactivepoisonous.com^
+||shadesentimentssquint.com^
+||shadesincreasingcontents.com^
+||shady-addition.com^
+||shadybenefitpassed.com^
+||shadytourdisgusted.com^
+||shaeian.xyz^
+||shaftheadstonetopmost.com^
+||shahebso.com^
+||shahr-kyd.com^
+||shahsseemers.com^
+||shaickox.com^
+||shaidolt.com^
+||shaidraup.net^
+||shaihucmesa.com^
+||shailreeb.com^
+||shaimsaijels.com^
+||shaimsoo.net^
+||shaingempee.com^
+||shainsie.com^
+||shairdrabitic.top^
+||shaisole.com^
+||shaitchergu.net^
+||shakamech.com^
+||shakingtacklingunpeeled.com^
+||shakre.com^
+||shakydeploylofty.com^
+||shallarchbishop.com^
+||shallowtwist.pro^
+||shameful-leader.com^
+||shameless-sentence.pro^
+||shamelessgoodwill.com^
+||shamelessnullneutrality.com^
+||shamepracticegloomily.com^
+||shammesbyssin.top^
+||shanaurg.net^
+||shankarsackage.top^
+||shanorin.com^
+||shapedhomicidalalbert.com^
+||shapelcounset.xyz^
+||shapezayin.com^
+||share-server.com^
+||sharecash.org^
+||sharedmarriage.com^
+||sharegods.com^
+||shareitpp.com^
+||shareresults.com^
+||sharesceral.uno^
+||shareusads.com^
+||shareweeknews.com^
+||sharieta.com^
+||sharion.xyz^
+||sharkbleed.com^
+||sharkflowing.com^
+||sharpofferlinks.com^
+||sharpphysicallyupcoming.com^
+||sharpwavedreinforce.com^
+||shasogna.com^
+||shatoawussoo.com^
+||shatterconceal.com^
+||shaugacakro.net^
+||shauhacm.net^
+||shauksug.com^
+||shauladubhe.top^
+||shaulauhuck.com^
+||shaumpem.com^
+||shaumtol.com^
+||shaursar.net^
+||shavecleanupsedate.com^
+||shaveeps.net^
+||shavetulip.com^
+||shavopsi.xyz^
+||shawljeans.com^
+||shazauds.net^
+||shdegtbokshipns.xyz^
+||she-want-fuck.com^
+||shealapish.com^
+||sheardirectly.com^
+||shearobserve.com^
+||sheddercanvass.shop^
+||sheedsoh.com^
+||sheefursoz.com^
+||sheegiwo.com^
+||sheemaus.net^
+||sheenaup.net^
+||sheeptie.xyz^
+||sheerliteracyquestioning.com^
+||sheeroop.com^
+||sheertep.net^
+||sheethoneymoon.com^
+||sheetvibe.com^
+||sheewoamsaun.com^
+||shegheet.com^
+||shehikj.com^
+||shelfoka.com^
+||sheltermilligrammillions.com^
+||shemalesofhentai.com^
+||shenouth.com^
+||shenzo.xyz^
+||shepeekr.net^
+||shepherdalmightyretaliate.com^
+||shepsubsitha.com^
+||sherryfaithfulhiring.com^
+||sheschemetraitor.com^
+||shesseet.com^
+||shexawhy.net^
+||shfewojrmxpy.xyz^
+||shfsdvc.com^
+||shhbrjs.com^
+||shhxyebbvy.com^
+||shiaflsteaw.com^
+||shidn.com^
+||shieldbarbecueconcession.com^
+||shieldspecificationedible.com^
+||shiepvfjd.xyz^
+||shiftclang.com^
+||shifthare.com^
+||shiftwholly.com^
+||shikroux.net^
+||shimmering-novel.pro^
+||shimmering-strike.pro^
+||shimmeringconcert.com^
+||shinasi.info^
+||shindyhygienic.com^
+||shindystubble.com^
+||shinebliss.com^
+||shineinternalindolent.com^
+||shinep.xyz^
+||shingleexpressing.com^
+||shinglelatitude.com^
+||shiny-aside.com^
+||shinygabbleovertime.com^
+||shinyspiesyou.com^
+||shiodfvkes.com^
+||shippingswimsuitflog.com^
+||shipseaimpish.com^
+||shipsmotorw.xyz^
+||shirtclumsy.com^
+||shitcustody.com^
+||shitucka.net^
+||shiverdepartmentclinging.com^
+||shiverrenting.com^
+||shmoesunbow.top^
+||shoabibs.xyz^
+||shoadseelry.com^
+||shoageep.com^
+||shoagooy.net^
+||shoaltor.com^
+||shockadviceinsult.com^
+||shocked-failure.com^
+||shockedfoxed.top^
+||shocking-design.pro^
+||shocking-profile.pro^
+||shockingrobes.com^
+||shockingstrategynovelty.com^
+||shodaisy.com^
+||shodoapognie.net^
+||shoessaucepaninvoke.com^
+||shofarsregroup.shop^
+||shokala.com^
+||sholke.com^
+||shomsouw.xyz^
+||shonetimegenetic.com^
+||shonetransmittedfaces.com^
+||shonevegetable.com^
+||shonooch.xyz^
+||shoojouh.xyz^
+||shoonlobbing.top^
+||shoop4.com^
+||shoopsee.net^
+||shoopusahealth.com^
+||shoordaird.com^
+||shooshengu.com^
+||shootbayonet.com^
+||shooterconsultationcart.com^
+||shootereosins.com^
+||shootingsuspicionsinborn.com^
+||shootoax.com^
+||shootsax.xyz^
+||shopliftingrung.com^
+||shopmonthtravel.com^
+||shoppinglifestyle.biz^
+||shoppyoccults.click^
+||shopuniteclosing.com^
+||shorantonto.com^
+||shoreaencowl.top^
+||shoresmmrnews.com^
+||shorlmodish.top^
+||shortagefollows.com^
+||shortagesymptom.com^
+||shorteh.com^
+||shortesthandshakeemerged.com^
+||shortesthotel.com^
+||shortfailshared.com^
+||shorthandsixpencemap.com^
+||shortlyrecyclerelinquish.com^
+||shortssibilantcrept.com^
+||shosidawgah.com^
+||shostobs.net^
+||shotdynastyimpetuous.com^
+||shoubsee.net^
+||shouldmeditate.com^
+||shouldscornful.com^
+||shoulsos.com^
+||shoutgeological.com^
+||shouthisoult.com^
+||shoutimmortalfluctuate.com^
+||shoututtersir.com^
+||shovedhannah.com^
+||shovedrailwaynurse.com^
+||show-me-how.net^
+||show-review.com^
+||showcasethat.com^
+||showdominosite.top^
+||showdoyoukno.info^
+||showedinburgh.com^
+||showedprovisional.com^
+||showjav11.fun^
+||showkhussak.com^
+||showmebars.com^
+||showndistort.com^
+||shpool2s1.com^
+||shprkdnogwqx.com^
+||shrapimplume.top^
+||shredassortmentmood.com^
+||shredhundredth.com^
+||shredvealdone.com^
+||shriekdestitute.com^
+||shrillbighearted.com^
+||shrillcherriesinstant.com^
+||shrillinstance.pro^
+||shrillwife.pro^
+||shrimpexclusive.com^
+||shrimpgenerator.com^
+||shrivelhorizonentrust.com^
+||shrojxouelny.xyz^
+||shrubjessamy.com^
+||shrubsbelieve.com^
+||shrubsnaturalintense.com^
+||shrugartisticelder.com^
+||shruggedhighwaydetached.com^
+||shrweea.lat^
+||shticksyahuna.com^
+||shuanshu.com.com^
+||shubadubadlskjfkf.com^
+||shudderconnecting.com^
+||shudderloverparties.com^
+||shughaxiw.com^
+||shuglaursech.com^
+||shugraithou.com^
+||shukriya90.com^
+||shulugoo.net^
+||shumsooz.net^
+||shunparagraphdim.com^
+||shunsbedelve.top^
+||shurfhlba.com^
+||shusacem.net^
+||shutdownpious.com^
+||shutesaroph.com^
+||shuthootch.com^
+||shuttersurveyednaive.com^
+||shuttleprivileged.com^
+||shutunga.com^
+||shvnfhf.com^
+||shweflix.com^
+||shwomettleye.com^
+||shydastidu.com^
+||si1ef.com^
+||sibcjyml.com^
+||siberiabecrush.com^
+||sibgycqzgj.com^
+||siblastid.top^
+||siccanesculin.top^
+||sicilywring.com^
+||sicklybates.com^
+||sicklypercussivecoordinate.com^
+||sicknessfestivity.com^
+||sickoaji.com^
+||sicleclarets.com^
+||sicouthautso.net^
+||sidanarchy.net^
+||sidebyx.com^
+||sidebyz.com^
+||sidegeographycondole.com^
+||sidelinearrogantinterposed.com^
+||sidenoteinvolvingcranky.com^
+||sidenotestarts.com^
+||sidesukbeing.org^
+||sidewalkcrazinesscleaning.com^
+||sidewayfrosty.com^
+||sidewaysuccession.com^
+||sierradissolved.com^
+||sierrasectormacaroni.com^
+||sieveallegeministry.com^
+||sievynaw.space^
+||sifenews.com^
+||sifnyiolzcs.com^
+||siftdivorced.com^
+||siggjllanja.com^
+||sigheemibod.xyz^
+||sightsskinnyintensive.com^
+||sigloiexedent.com^
+||signalassure.com^
+||signalspotsharshly.com^
+||signalsuedejolly.com^
+||signamentswithded.com^
+||signatureoutskirts.com^
+||signcalamity.com^
+||significantnuisance.com^
+||significantoperativeclearance.com^
+||signingdebauchunpack.com^
+||signingrechaos.top^
+||signingtherebyjeopardize.com^
+||siiwptfum.xyz^
+||silebu.xyz^
+||silenceblindness.com^
+||silentinevitable.com^
+||silklanguish.com^
+||silkstuck.com^
+||silkytitle.com^
+||silldisappoint.com^
+||sillinessglamorousservices.com^
+||sillinessinterfere.com^
+||sillinessmarshal.com^
+||sillyflowermachine.com^
+||silsautsacmo.com^
+||silver-pen.pro^
+||silveraddition.pro^
+||simarsbisect.top^
+||similarlength.pro^
+||similarlyrelicrecovery.com^
+||similarmarriage.com^
+||simple-isl.com^
+||simplebrutedigestive.com^
+||simplewebanalysis.com^
+||simpliftsbefore.xyz^
+||simplistic-king.pro^
+||simplisticwhole.pro^
+||simplyscepticaltoad.com^
+||simpunok.com^
+||sincalled.com^
+||sincenturypro.org^
+||sincerelyseverelyminimum.com^
+||sindatontherrom.com^
+||sing-tracker.com^
+||singelstodate.com^
+||singercordial.com^
+||singershortestmodule.com^
+||singfrthemmnt.com^
+||singlesgetmatched.com^
+||singlesternlyshabby.com^
+||singletpharo.top^
+||singstout.com^
+||singulardisplace.com^
+||singularheroic.com^
+||sinisterbatchoddly.com^
+||sinisterdrops.com^
+||sinkagepandit.com^
+||sinkboxphantic.com^
+||sinkdescriptivepops.com^
+||sinkerskinetin.click^
+||sinkfaster.com^
+||sinkingspicydemure.com^
+||sinkingswap.com^
+||sinlovewiththemo.info^
+||sinmufar.com^
+||sinnerobtrusive.com^
+||sinnerscramp.top^
+||sinproductors.org^
+||sinsigabetaken.top^
+||sinsoftoaco.net^
+||sinwebads.com^
+||sipibowartern.com^
+||sippansy.com^
+||sirdushi.xyz^
+||siresouthernpastime.com^
+||sireundermineoperative.com^
+||sirmianow.top^
+||siruperunlinks.com^
+||sisewepod.com^
+||sismoycheii.cc^
+||sistercashmerebless.com^
+||sisterexpendabsolve.com^
+||sisterlockup.com^
+||siszzonelzzcy.com^
+||sitabsorb.com^
+||sitamedal2.online^
+||sitamedal3.online^
+||sitamedal4.online^
+||sitegoto.com^
+||sitemnk.com^
+||siteoid.com^
+||sitesdesbloqueados.com^
+||sitewithg.com^
+||sitiopteryla.top^
+||sitkanxyloid.shop^
+||sittingtransformation.com^
+||situatedconventionalveto.com^
+||situationfondlehindsight.com^
+||situationhostilitymemorable.com^
+||sivaiteupfeed.com^
+||siversbesomer.space^
+||sixassertive.com^
+||sixcombatberries.com^
+||sixft-apart.com^
+||sixingmudland.top^
+||siyaukq.com^
+||sizqaxmiqa.com^
+||sjczzdfvd.com^
+||sjevdjqhdmlelo.com^
+||sjjaewodpexdcyf.com^
+||sjkekxjkca.com^
+||sjkzeivw.com^
+||sjmbwxnqz.com^
+||sjolcdkqwiybh.xyz^
+||sjsabb.com^
+||sjtactic.com^
+||sjteyeztnf.com^
+||skated.co^
+||skatestooped.com^
+||skatingbelonged.com^
+||skatingpenitence.com^
+||skatingperformanceproblems.com^
+||skatistlollard.com^
+||skawwebless.com^
+||skdzxqc.com^
+||skeetads.com^
+||skeletondeceiveprise.com^
+||skeletonemail.com^
+||skeletonlimitation.com^
+||skellbimah.top^
+||skenaiaefaldy.com^
+||sketbhang.guru^
+||sketchdroughtregional.com^
+||sketchflutter.com^
+||sketchinferiorunits.com^
+||sketchyaggravation.com^
+||sketchyrecycleimpose.com^
+||sketchystairwell.com^
+||skhmjezzj.com^
+||skhqmobc.com^
+||skiddyteapots.com^
+||skidgleambrand.com^
+||skieppeerical.click^
+||skierastonishedforensics.com^
+||skierscarletconsensus.com^
+||skiguggn.com^
+||skiingsettling.com^
+||skiingwights.com^
+||skilfuljealousygeoffrey.com^
+||skilfulrussian.com^
+||skilldicier.com^
+||skilleadservices.com^
+||skilledskillemergency.com^
+||skilledtables.com^
+||skilleservices.com^
+||skilletperonei.com^
+||skillpropulsion.com^
+||skilyake.net^
+||skimmemorandum.com^
+||skimwhiskersmakeup.com^
+||skinnedunsame.com^
+||skinnynovembertackle.com^
+||skinssailing.com^
+||skiofficerdemote.com^
+||skipdearbeautify.com^
+||skipdissatisfactionengland.com^
+||skipperx.net^
+||skirmishbabencircle.com^
+||skirtimprobable.com^
+||skittyan.com^
+||skivingepileny.top^
+||skjwebmr.com^
+||sklsnpqr.com^
+||skltrachqwbd.com^
+||skohssc.cfd^
+||skolvortex.com^
+||sksnmfecc.com^
+||skuligpzifan.com^
+||skulkspreppie.com^
+||skulldesperatelytransfer.com^
+||skullhalfway.com^
+||skumcobpink.com^
+||skwfupp.com^
+||skyadsmart.com^
+||skyedtonify.click^
+||skygtbwownln.xyz^
+||skymobi.agency^
+||skyscraperearnings.com^
+||skyscraperreport.com^
+||skytraf.xyz^
+||skyxqbbv.xyz^
+||slabreasonablyportions.com^
+||slabshookwasted.com^
+||slacdn.com^
+||slahpxqb6wto.com^
+||slamscreechmilestone.com^
+||slamvolcano.com^
+||slandernetgymnasium.com^
+||slanderpe.com^
+||slangborrowedsquash.com^
+||slanginsolentthus.com^
+||slangscornful.com^
+||slantdecline.com^
+||slapexcitedly.com^
+||slaqandsan.xyz^
+||slartsighter.com^
+||slashstar.net^
+||slatternorito.top^
+||slaughterscholaroblique.com^
+||slaverylavatoryecho.com^
+||slavesubmarinebribery.com^
+||slayeyeshadow.com^
+||sleazysoundbegins.com^
+||sleekemblemenclose.com^
+||sleekextremeadmiring.com^
+||sleepytoadfrosty.com^
+||sleeveturbulent.com^
+||slenderglowingcontrary.com^
+||sleptbereave.com^
+||slfsmf.com^
+||slfznewdii.com^
+||slggskljoczt.com^
+||slicedpickles.com^
+||slickgrapes.com^
+||slidbecauseemerald.com^
+||sliddeceived.com^
+||slideaspen.com^
+||slidecaffeinecrown.com^
+||slideff.com^
+||slidekidsstair.com^
+||slietap.com^
+||slightcareconditions.com^
+||slightlyeaglepenny.com^
+||slimelump.com^
+||slimentrepreneur.com^
+||slimfiftywoo.com^
+||slimishbiosome.shop^
+||slimytree.com^
+||slinkhub.com^
+||slinklink.com^
+||slinkonline.com^
+||slinkzone.com^
+||slippersappointed.com^
+||slippersphoto.com^
+||slipperydeliverance.com^
+||slivmux.com^
+||sljvpjtavn.com^
+||slk594.com^
+||slobgrandmadryer.com^
+||slockertummies.com^
+||sloeri.com^
+||slopeac.com^
+||slopingunrein.com^
+||sloppyegotistical.com^
+||sloto.live^
+||slotspreadingbrandy.com^
+||slowclick.top^
+||slowdn.net^
+||slowinghardboiled.com^
+||slowingvile.com^
+||slowlythrobtreasurer.com^
+||slowundergroundattentive.com^
+||slowww.xyz^
+||sloydcostive.top^
+||sloydpev.com^
+||slpmcfdljsntwp.com^
+||sltracl.com^
+||sltraffic.com^
+||sltvhyjthx.com^
+||sluccju.com^
+||sluggedunbeget.top^
+||sluiceagrarianvigorous.com^
+||sluicehamate.com^
+||slumberloandefine.com^
+||slumdombigot.top^
+||slurpsbeets.com^
+||slushdevastating.com^
+||slushimplementedsystems.com^
+||sluxaaiabw.com^
+||slwkrruv.com^
+||slychicks.com^
+||slyzoologicalpending.com^
+||smaato.net^
+||smachnakittchen.com^
+||smackedtapnet.com^
+||smadex.com^
+||smalh.com^
+||small-headed.sbs^
+||smallerconceivesixty.com^
+||smallerfords.com^
+||smallestbiological.com^
+||smallestgirlfriend.com^
+||smallestspoutmuffled.com^
+||smallestunrealilliterate.com^
+||smallfunnybears.com^
+||smalltiberbridge.com^
+||smart-wp.com^
+||smart1adserver.com^
+||smartadserver.com^
+||smartapplifly.com^
+||smartappsfly.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^
+||smatr.icu^
+||smawwgsdayrgijp.com^
+||smctkfqa.com^
+||smctmxdeoz.com^
+||smearincur.com^
+||smeartoassessment.com^
+||smellysect.com^
+||smeltvomitinclined.com^
+||smenqskfmpfxnb.bid^
+||smentbrads.info^
+||smewwuwppjbebd.com^
+||smheoqlye.com^
+||smhmayvtwii.xyz^
+||smibhwlmwiseq.com^
+||smigdxy.com^
+||smigro.info^
+||smileoffennec.com^
+||smilesalesmanhorrified.com^
+||smilewanted.com^
+||smilingdefectcue.com^
+||smitealter.com^
+||smitingpredusk.top^
+||smittenkick.top^
+||smjulynews.com^
+||smkezc.com^
+||smktxbdnldbv.com^
+||smlypotr.net^
+||smnkaoqyys.com^
+||smnwwohzccfwcu.com^
+||smoggydamage.com^
+||smoggylong.pro^
+||smokecreaseunpack.com^
+||smokedbluish.com^
+||smokedcards.com^
+||smokeorganizervideo.com^
+||smokerythrow.com^
+||smokingspecialize.com^
+||smoothenglishassent.com^
+||smoothlytalking.com^
+||smothercontinuingsnore.com^
+||smotherpaperwork.com^
+||smoulderantler.com^
+||smoulderdivedelegate.com^
+||smoulderhangnail.com^
+||smrt-content.com^
+||smrtgs.com^
+||smrtlnk.net^
+||smrtlnk18tds.com^
+||smsapiens.com^
+||smuggeralapa.com^
+||smuggledistance.com^
+||smuggleturnstile.com^
+||smugismanaxon.com^
+||smugmuseumframe.com^
+||smugturner.com^
+||smwsrifbmybiyv.com^
+||smyfbkk.com^
+||snadsfit.com^
+||snagbaudhulas.com^
+||snaglighter.com^
+||snakeselective.com^
+||snakilyglebae.com^
+||snammar-jumntal.com^
+||snapmoonlightfrog.com^
+||snappedanticipation.com^
+||snappedtesting.com^
+||snarewholly.com^
+||snarlaptly.com^
+||sneaknonstopattribute.com^
+||snebbubbled.com^
+||sneernodaccommodating.com^
+||sneezeboring.com^
+||sneezeinterview.com^
+||snhtvtp.com^
+||sniejankmqq.com^
+||sniffleawag.top^
+||snipersex.com^
+||snipishdements.com^
+||snippystowstool.com^
+||snitchgutsdainty.com^
+||snitchtidying.com^
+||snitchyweenty.top^
+||snjlhmb.com^
+||snlpclc.com^
+||snnysied.xyz^
+||snobdilemma.com^
+||snoopundesirable.com^
+||snoopytown.pro^
+||snorefamiliarsiege.com^
+||snortedbingo.com^
+||snortedgradually.com^
+||snortedhearth.com^
+||snoutcaffeinecrowded.com^
+||snoutcapacity.com^
+||snoutinsolence.com^
+||snowdayonline.xyz^
+||snowmanpenetrateditto.com^
+||snowmiracles.com^
+||snrcmgqe.com^
+||snrtbgm.com^
+||snsv.ru^
+||sntjim.com^
+||snuaphwdaij.com^
+||snuffdemisedilemma.com^
+||snugglethesheep.com^
+||snurpsermon.space^
+||so1cool.com^
+||so333o.com^
+||soaheeme.net^
+||soakappequipment.com^
+||soakcompassplatoon.com^
+||soalonie.com^
+||soaperdeils.com^
+||soaphoupsoas.xyz^
+||soapingbourgs.top^
+||soapsudkerfed.com^
+||soawousa.xyz^
+||sobakapi2sa8la09.com^
+||sobakenchmaphk.com^
+||sobbingservingcolony.com^
+||sobesed.com^
+||sobnineteen.com^
+||socalledscanty.com^
+||soccercadencefridge.com^
+||soccerflog.com^
+||soccerjoyousfine.com^
+||soccerprolificforum.com^
+||soccertakeover.com^
+||socde.com^
+||socdm.com^
+||social-discovery.io^
+||social1listnews.com^
+||socialbars-web1.com^
+||sociallytight.com^
+||socialschanche.com^
+||socialvone.com^
+||societyhavocbath.com^
+||sociocast.com^
+||sociomantic.com^
+||socketbuild.com^
+||sockmildinherit.com^
+||socksupgradeproposed.com^
+||sockwardrobe.com^
+||sockzoomtoothbrush.com^
+||sodainquired.com^
+||sodallay.com^
+||sodamash.com^
+||sodaprostitutetar.com^
+||sodiumcupboard.com^
+||sodiumendlesslyhandsome.com^
+||sodiumrampcubic.com^
+||sodringermushy.com^
+||sodsoninlawpiteous.com^
+||sodytykcbgpkw.com^
+||soeverbabi.com^
+||sofcryingfo.xyz^
+||sofcukorporat.info^
+||sofinpushpile.com^
+||soft-com.biz^
+||softboxik1.ru^
+||softendevastated.com^
+||softenedcollar.com^
+||softenedimmortalityprocedure.com^
+||softentears.com^
+||softonicads.com^
+||softpopads.com^
+||softspace.mobi^
+||softsystem.pro^
+||softwa.cfd^
+||softwares2015.com^
+||sogetchoco.top^
+||sohkikdnfhzgad.com^
+||soholfit.com^
+||soilenthusiasmshindig.com^
+||soilgnaw.com^
+||soilthesaurus.com^
+||sokitosa.com^
+||soksicme.com^
+||solapoka.com^
+||solaranalytics.org^
+||solarmosa.com^
+||soldergeological.com^
+||soldierreproduceadmiration.com^
+||soldiershocking.com^
+||solemik.com^
+||solemnvine.com^
+||solethreat.com^
+||solfafrate.top^
+||soliads.io^
+||soliads.net^
+||soliads.online^
+||solicitorlaptopfooting.com^
+||solicitorquite.com^
+||solicitorviewer.com^
+||solidlyrotches.guru^
+||solipedcoercer.com^
+||solispartner.com^
+||solitudearbitrary.com^
+||solitudeelection.com^
+||sollyaporger.top^
+||solocpm.com^
+||solodar.ru^
+||soloisthaulchoir.com^
+||solrtrqaitnjy.com^
+||solubleallusion.com^
+||sombes.com^
+||somedaytrip.com^
+||somehowlighter.com^
+||somehowluxuriousreader.com^
+||someonein.org^
+||someonetop.com^
+||someplacepepper.com^
+||somethingalbumexasperation.com^
+||somethingmanufactureinvalid.com^
+||somethingprecursorfairfax.com^
+||sometimesmonstrouscombined.com^
+||somewhatwideslimy.com^
+||son-in-lawmorbid.com^
+||sonalrecomefu.info^
+||sonalrecomefuk.info^
+||songbagoozes.com^
+||songcorrespondence.com^
+||songtopbrand.com^
+||soninlawcontinuallyplatoon.com^
+||soninlawfaceconfide.com^
+||sonlgagba.com^
+||sonnerie.net^
+||sonnyadvertise.com^
+||sonumal.com^
+||soocaips.com^
+||soodupsep.xyz^
+||soogandrooped.cam^
+||soonlint.com^
+||soonpersuasiveagony.com^
+||soonstrongestquoted.com^
+||soopsepsi.net^
+||soopsulo.xyz^
+||soosooka.com^
+||sootconform.com^
+||sootlongermacaroni.com^
+||sootpluglousy.com^
+||sootproclaim.com^
+||sopalk.com^
+||sophiaredyed.com^
+||sophisticatedemergencydryer.com^
+||sophisticatedround.pro^
+||sophomoreadmissible.com^
+||sophomoreclassicoriginally.com^
+||sophomoremollymatching.com^
+||sophomoreprimarilyprey.com^
+||sophomorewilliam.com^
+||sorboseyatvyag.top^
+||sorcermojo.shop^
+||sordimtaulee.com^
+||soremetropolitan.com^
+||soritespary.com^
+||sorningdaroo.top^
+||sorobanbesplit.shop^
+||sorrowconstellation.com^
+||sorrowfulchemical.com^
+||sorrowfulclinging.com^
+||sorrowfulcredit.pro^
+||sorrowfulsuggestion.pro^
+||sorrowgeneric.com^
+||sorrycarboncolorful.com^
+||sorryconstructiontrustworthy.com^
+||sorryfearknockout.com^
+||sorryglossywimp.com^
+||sortiesbabhan.com^
+||sosettoourmarke.info^
+||soshoord.com^
+||soshvenging.click^
+||sotbttcqqztxq.com^
+||sotchart.net^
+||sotchoum.com^
+||sotetahe.pro^
+||sothiacalain.com^
+||soughtflaredeeper.com^
+||souglaur.xyz^
+||soulslaidmale.com^
+||soulterberne.top^
+||soumehoo.net^
+||soundingdisastereldest.com^
+||soundingthunder.com^
+||soupevents.com^
+||soupoleums.com^
+||soupteep.xyz^
+||soupteewhish.com^
+||souptightswarfare.com^
+||soupy-user.com^
+||souraivo.xyz^
+||sourcebloodless.com^
+||sourcecodeif.com^
+||sourceconvey.com^
+||sourishpuler.com^
+||sourne.com^
+||southmailboxdeduct.com^
+||southolaitha.com^
+||southsturdy.com^
+||souvamoo.net^
+||souvenirresponse.com^
+||souvenirsconsist.com^
+||souvenirsdisgust.com^
+||souvenirsflex.com^
+||sovereigngoesintended.com^
+||sovietransom.com^
+||sovism.com^
+||sowfairytale.com^
+||sowfootsolent.com^
+||sowp.cloud^
+||soyincite.com^
+||soyjlnfatgxpfd.com^
+||soytdpb.com^
+||sozzlypeavies.com^
+||spacelala.com^
+||spaceshipads.com^
+||spaceshipgenuine.com^
+||spacetraff.com^
+||spacetraveldin.com^
+||spaciouslanentablelanentablepigs.com^
+||spaciousnavigablehenceforward.com^
+||spadeandloft.com^
+||spaderonium.com^
+||spadsync.com^
+||spaghettiraisinalter.com^
+||spankalternate.com^
+||spannercopyright.com^
+||spanworker.com^
+||spapresentation.com^
+||sparkle-industries-i-205.site^
+||sparkleagings.com^
+||sparklesnoop.com^
+||sparklespaghetti.com^
+||sparklingfailure.com^
+||sparkrainstorm.host^
+||sparkstudios.com^
+||sparrersavvies.top^
+||sparrowfencingnumerous.com^
+||sparsgroff.com^
+||spasmodictripscontemplate.com^
+||spatikona.com^
+||spatteramazeredundancy.com^
+||spatterjointposition.com^
+||spattermerge.com^
+||spavietchats.com^
+||spawngrant.com^
+||spbjmpeg.com^
+||spdate.com^
+||speakeugene.com^
+||speakexecution.com^
+||speakinchreprimand.com^
+||speakinghostile.com^
+||speakingimmediately.com^
+||speakshandicapyourself.com^
+||speakspurink.com^
+||speakwaymen.top^
+||speani.com^
+||special-offers.online^
+||special-promotions.online^
+||specialcraftbox.com^
+||specialisthuge.com^
+||specialistinsensitive.com^
+||specialistrequirement.com^
+||specialistrocky.com^
+||specialityharmoniousgypsy.com^
+||specialitypassagesfamous.com^
+||speciallysang.com^
+||specialrecastwept.com^
+||specialsaucer.com^
+||specialtaskevents.com^
+||specialtymet.com^
+||specialtysanitaryinaccessible.com^
+||specialworse.com^
+||speciesbricksjubilee.com^
+||speciespresident.com^
+||specific-safe.pro^
+||specificallythesisballot.com^
+||specificationtoasterconsultant.com^
+||specificclick.net^
+||specificmedia.com^
+||specificunfortunatelyultimately.com^
+||specifiedbloballowance.com^
+||specifiedinspector.com^
+||specimenparents.com^
+||specimensgrimly.com^
+||spectaclescirculation.com^
+||spectacular-leadership.pro^
+||spectaculareatablehandled.com^
+||spectacularlovely.com^
+||spectato.com^
+||specut.com^
+||spediumege.com^
+||speeb.com^
+||speechanchor.com^
+||speechfountaindigestion.com^
+||speechlessexpandinglaser.com^
+||speechlessreservedthrust.com^
+||speedilyabsolvefraudulent.com^
+||speedilycartrigeglove.com^
+||speedilyeuropeanshake.com^
+||speedingbroadcastingportent.com^
+||speedsupermarketdonut.com^
+||speedybethurgently.com^
+||speedysection.pro^
+||spelledbullets.top^
+||spellingorganicbile.com^
+||spellingunacceptable.com^
+||spendslaughing.com^
+||spened.com^
+||spentbennet.com^
+||spentdrugfrontier.com^
+||spentindicate.com^
+||spentjerseydelve.com^
+||sperans-beactor.com^
+||spermsbummer.com^
+||spheredkapas.com^
+||spicaladapto.info^
+||spicateazteca.top^
+||spicedisobey.com^
+||spiceethnic.com^
+||spicy-combination.pro^
+||spicy-effect.com^
+||spicygirlshere.life^
+||spicytucker.shop^
+||spiderspresident.com^
+||spidersprimary.com^
+||spikearsonembroider.com^
+||spikethat.xyz^
+||spilldemolitionarrangement.com^
+||spinbiased.com^
+||spinbox.net^
+||spinbox1.com^
+||spindlyrebegin.top^
+||spinesoftsettle.com^
+||spinraised.com^
+||spiraeadurums.com^
+||spiralextratread.com^
+||spiralsad.com^
+||spiralstab.com^
+||spiraltrot.com^
+||spiredilution.com^
+||spireprideleaf.com^
+||spirited-teacher.com^
+||spiritscustompreferably.com^
+||spiritualinstalled.com^
+||spirketgoofily.com^
+||spirogoumi.top^
+||spirteddvaita.com^
+||spisulavoc.com^
+||spitretired.com^
+||spitspacecraftfraternity.com^
+||spittenant.com^
+||spklmis.com^
+||splashfloating.com^
+||splashforgodm.com^
+||splendidatmospheric.com^
+||splendidfeel.pro^
+||splicedmammock.com^
+||splief.com^
+||splintmuses.com^
+||splittingpick.com^
+||splungedhobie.click^
+||spnut.com^
+||spo-play.live^
+||spoiledpresence.com^
+||spoilmagicstandard.com^
+||spokesperson254.fun^
+||spondylfide.com^
+||spongecell.com^
+||spongemilitarydesigner.com^
+||spongymitsvah.top^
+||sponsoranimosity.com^
+||sponsorlustrestories.com^
+||sponsormob.com^
+||sponsorpay.com^
+||spontaneousleave.com^
+||spontonelatery.com^
+||spooksuspicions.com^
+||spoonpenitenceadventurous.com^
+||spoonsleopard.com^
+||spoonsubqueries.com^
+||sporedshock.com^
+||sport205.club^
+||sportevents.news^
+||sportradarserving.com^
+||sports-live-streams.club^
+||sports-streams-online.best^
+||sports-streams-online.com^
+||sportsmanmeaning.com^
+||sportstoday.pro^
+||sportstreams.xyz^
+||sportsyndicator.com^
+||sportzflix.xyz^
+||spotbeepgreenhouse.com^
+||spotdimesulky.com^
+||spotlessabridge.com^
+||spotofspawn.com^
+||spotrails.com^
+||spotscenered.info^
+||spotsfusula.com^
+||spotssurprise.com^
+||spotted-estate.pro^
+||spottedgrandfather.com^
+||spottt.com^
+||spotunworthycoercive.com^
+||spotxcdn.com^
+||spotxchange.com^
+||spoutable.com^
+||spoutitchyyummy.com^
+||sppolexrumj.com^
+||sprangsugar.com^
+||spratstatters.com^
+||spreespoiled.com^
+||sprewcereous.com^
+||springraptureimprove.com^
+||sprinlof.com^
+||spritfrees.com^
+||sprkl.io^
+||sproose.com^
+||sprungencase.com^
+||sptrkr.com^
+||spuezain.com^
+||spumingoxheart.top^
+||spuncomplaintsapartment.com^
+||spuokstucdk.com^
+||spurproteinopaque.com^
+||spurtconfigurationfungus.com^
+||spxhu.com^
+||spyingwhiffer.shop^
+||spylees.com^
+||sqctkocts.com^
+||sqgofqnyamo.com^
+||sqhyjfbckqrxd.xyz^
+||sqjyxoqdckusm.com^
+||sqkrnqdb.com^
+||sqlekbxp.xyz^
+||sqlick.com^
+||sqmhxxhpcmwwdn.com^
+||sqqqabg.com^
+||sqqqytzxjywx.com^
+||sqrobmpshvj.com^
+||sqrtcris.top^
+||squadapologiesscalp.com^
+||squareforensicbones.com^
+||squashperiodicmen.com^
+||squatcowarrangement.com^
+||squeaknicheentangled.com^
+||squealaviationrepeatedly.com^
+||squeezemicrowave.com^
+||squeezesharedman.com^
+||squeteeindazin.top^
+||squintopposed.com^
+||squirrelformatapologise.com^
+||squirtsuitablereverse.com^
+||sr7pv7n5x.com^
+||srabwfqwjoc.com^
+||sragegedand.org^
+||srasylzu.com^
+||srcsmrtgs.com^
+||srefrukaxxa.com^
+||srgev.com^
+||srigbxxv.com^
+||srnpochi.com^
+||srodicham.com^
+||srodneyjvtef.com^
+||srqfutavhy.com^
+||srrmpfstbh.com^
+||srshqnrmqs.com^
+||srsotqdgln.com^
+||srtlyye.com^
+||srtrak.com^
+||srumifuroqkuoi.com^
+||sruzefwboxu.com^
+||srv224.com^
+||srvpcn.com^
+||srvtrck.com^
+||srwfwllymprt.com^
+||srxy.xyz^
+||srzirmlql.com^
+||srzzohlms.com^
+||ss0uu1lpirig.com^
+||ssdipdkjqblgog.com^
+||ssedonthep.info^
+||ssfatyozvtbom.com^
+||ssindserving.com^
+||sskzlabs.com^
+||ssl-services.com^
+||ssl2anyone5.com^
+||sslenuh.com^
+||ssllink.net^
+||sslph.com^
+||ssmprmp.com^
+||ssooss.site^
+||ssqyuvavse.com^
+||ssuijiuyv.com^
+||ssurvey2you.com^
+||st-rdirect.com^
+||st1net.com^
+||stabconsiderationjournalist.com^
+||stabfrizz.com^
+||stabilitydos.com^
+||stabilityincarnateillegally.com^
+||stabilityvatinventory.com^
+||stabinstall.com^
+||stabledkindler.com^
+||stablefulfil.com^
+||stacckain.com^
+||stackadapt.com^
+||stackattacka.com^
+||stackmultiple.com^
+||stackprotectnational.com^
+||staerlcmplks.xyz^
+||staffdollar.com^
+||stagepopkek.com^
+||stageseshoals.com^
+||staggeredowner.com^
+||staggeredplan.com^
+||staggeredquelldressed.com^
+||staggeredravehospitality.com^
+||stagingjobshq.com^
+||stagroam.net^
+||staifong.net^
+||stainblocking.com^
+||stainclout.com^
+||stained-a.pro^
+||stainvinegar.com^
+||staircaseminoritybeeper.com^
+||stairtuy.com^
+||stairwellobliterateburglar.com^
+||staiwhaup.com^
+||staixemo.com^
+||staixooh.com^
+||stalerestaurant.com^
+||stallionsmile.com^
+||stallsmalnutrition.com^
+||stammerail.com^
+||stammerdescriptionpoetry.com^
+||stampsmindlessscrap.com^
+||standgruff.com^
+||standpointdriveway.com^
+||stankyrich.com^
+||stansoam.com^
+||stanzasleerier.click^
+||stapledsaur.top^
+||staptranvia.com^
+||star-advertising.com^
+||star-clicks.com^
+||starchoice-1.online^
+||starchportraypub.com^
+||starchy-foundation.pro^
+||starchytoxifer.top^
+||stardatis.com^
+||stargamesaffiliate.com^
+||starjav11.fun^
+||starkhousing.com^
+||starklesalta.com^
+||starkslaveconvenience.com^
+||starkuno.com^
+||starlingposterity.com^
+||starlingpronouninsight.com^
+||starmobmedia.com^
+||starry-galaxy.com^
+||starssp.top^
+||starswalker.site^
+||starszoom.re^
+||start-xyz.com^
+||startappexchange.com^
+||startd0wnload22x.com^
+||starterblackened.com^
+||startfinishthis.com^
+||startlemanipulativedamaging.com^
+||startpagea.com^
+||startperfectsolutions.com^
+||startservicefounds.com^
+||startsprepenseprepensevessel.com^
+||starvalue-4.online^
+||starvardsee.xyz^
+||starvationdefence.com^
+||starvegingerwaist.com^
+||stascdnuuar.com^
+||stassaxouwa.com^
+||stat-rock.com^
+||statcamp.net^
+||statedfertileconference.com^
+||statedthoughtslave.com^
+||statementsheep.com^
+||statementsnellattenuate.com^
+||statesbenediction.com^
+||statesmanchosen.com^
+||statesmanimpetuousforemost.com^
+||statesmanmajesticcarefully.com^
+||statesmanridiculousplatitude.com^
+||statesmansubstance.com^
+||statestockingsconfession.com^
+||statewilliamrate.com^
+||static-srv.com^
+||stationspire.com^
+||statistic-data.com^
+||statisticresearch.com^
+||statisticscensordilate.com^
+||statorkumyk.com^
+||statossy.com^
+||stats-best.site^
+||statsforads.com^
+||statsmobi.com^
+||staubsuthil.com^
+||staukaul.com^
+||staumersleep.com^
+||staunchchivied.top^
+||staunchgenetwitch.com^
+||staureez.net^
+||stawhoph.com^
+||staydolly.com^
+||staygg.com^
+||stayhereabit.com^
+||stayingcrushedrelaxing.com^
+||stayjigsawobserved.com^
+||stbeautifuleedeha.info^
+||stbshzm.com^
+||stbvip.net^
+||stbvwfmbzabtyi.com^
+||stdirection.com^
+||ste23allas5ri6va.com^
+||steadilyearnfailure.com^
+||steadilyparental.com^
+||steadydonut.com^
+||steadypriority.com^
+||steadyquarryderived.com^
+||steakdeteriorate.com^
+||steakeffort.com^
+||stealcurtainsdeeprooted.com^
+||stealingdyingprank.com^
+||stealinggin.com^
+||stealingprovisions.com^
+||stealneitherfirearm.com^
+||stealthlockers.com^
+||steamdespicable.com^
+||steamjaws.com^
+||stedrits.xyz^
+||steefaulrouy.xyz^
+||steegnow.com^
+||steeheghe.com^
+||steeplederivedinattentive.com^
+||steeplesaturday.com^
+||steeplyrantize.top^
+||steepto.com^
+||steeringsunshine.com^
+||steessay.com^
+||steetchouwu.com^
+||steghaiwhy.com^
+||steinfqwe6782beck.com^
+||stelaiatokal.top^
+||stellarmingle.store^
+||stelsarg.net^
+||stemboastfulrattle.com^
+||stemonauppoint.top^
+||stemredeem.com^
+||stemsshutdown.com^
+||stenadewy.pro^
+||stenchyouthful.com^
+||stengskelped.com^
+||step-step-go.com^
+||stepchateautolerance.com^
+||stepkeydo.com^
+||steppedengender.com^
+||steppequotationinspiring.com^
+||stereomagiciannoun.com^
+||stereosuspension.com^
+||stereotypeluminous.com^
+||stereotyperobe.com^
+||stereotyperust.com^
+||sterfrownedan.info^
+||stergessoa.net^
+||sterileaccentbite.com^
+||sterilityvending.com^
+||sterncock.com^
+||sternlythese.com^
+||steropestreaks.com^
+||sterouhavene.org^
+||stertordorab.com^
+||steshacm.xyz^
+||stethaug.xyz^
+||stethuth.xyz^
+||steveirene.com^
+||stevoodsefta.com^
+||stewomelettegrand.com^
+||stewsmall.com^
+||stgcdn.com^
+||stgowan.com^
+||sthenicrefunds.com^
+||stherewerealo.org^
+||sthgqhb.com^
+||sthoutte.com^
+||sticalsdebaticalfe.info^
+||stichoseroded.com^
+||stickboiled.com^
+||stickerchapelsailing.com^
+||stickertable.com^
+||stickervillain.com^
+||stickingbeef.com^
+||stickingrepute.com^
+||stickstelevisionoverdone.com^
+||stickyadstv.com^
+||stickygrandeur.com^
+||stickyhustle.com^
+||stickywhereaboutsspoons.com^
+||stiffeat.pro^
+||stiffengobetween.com^
+||stiffenshave.com^
+||stifleadventureempire.com^
+||stiflefloral.com^
+||stiflepowerless.com^
+||stiftood.xyz^
+||stigala.com^
+||stigat.com^
+||stigmuuua.xyz^
+||stijzytavb.com^
+||stilaed.com^
+||stilaikr.com^
+||stillfolder.com^
+||stimaariraco.info^
+||stimtavy.net^
+||stimulateartificial.com^
+||stimulatemosque.com^
+||stimulatinggrocery.pro^
+||stinglackingrent.com^
+||stingystoopedsuccession.com^
+||stingywear.pro^
+||stinicf.com^
+||stinicl.com^
+||stinkcomedian.com^
+||stinkwrestle.com^
+||stinkyloadeddoctor.com^
+||stinkyrepetition.com^
+||stiondecide.shop^
+||stirdevelopingefficiency.com^
+||stirringdebrisirriplaceableirriplaceable.com^
+||stitchalmond.com^
+||stited.com^
+||stixeepou.com^
+||stjizydpukd.com^
+||stkgbjliym.com^
+||stlpyypg.com^
+||stluserehtem.com^
+||stoachaigog.com^
+||stoaphalti.com^
+||stoashou.net^
+||stoawugluce.net^
+||stockingplaice.com^
+||stockingsight.com^
+||stocksinvulnerablemonday.com^
+||stoddowqxeplt.com^
+||stokoaks.net^
+||stolenforensicssausage.com^
+||stollenliane.top^
+||stonkstime.com^
+||stoobsugree.net^
+||stoobsut.com^
+||stoogouy.net^
+||stookoth.com^
+||stooliroori.com^
+||stoolree.com^
+||stoomawy.net^
+||stoomoogn.com^
+||stoopedcompatibility.com^
+||stoopeddemandsquint.com^
+||stoopedsignbookkeeper.com^
+||stoophou.com^
+||stoopjam.com^
+||stoopsellers.com^
+||stoorgel.com^
+||stoorgouxy.com^
+||stootsee.xyz^
+||stootsou.net^
+||stopaggregation.com^
+||stopapaumari.com^
+||stopformal.com^
+||stopgapdentoid.top^
+||stophurtfulunconscious.com^
+||stoppageeverydayseeing.com^
+||stopperlovingplough.com^
+||stopscondole.com^
+||stopsoverreactcollations.com^
+||storage-ad.com^
+||storagecelebrationchampion.com^
+||storagelassitudeblend.com^
+||storagewitnessotherwise.com^
+||storefloozie.com^
+||storepoundsillegal.com^
+||storeyplayfulinnocence.com^
+||storiesfaultszap.com^
+||stormydisconnectedcarsick.com^
+||storners.com^
+||storyblizzard.com^
+||storyquail.com^
+||storyrelatively.com^
+||storystaffrings.com^
+||stotoowu.net^
+||stotseepta.com^
+||stougluh.net^
+||stouksom.xyz^
+||stouphou.net^
+||stoursas.xyz^
+||stoustiz.net^
+||stoutfoggyprotrude.com^
+||stovearmpitagreeable.com^
+||stovecharacterize.com^
+||stoveword.com^
+||stowamends.com^
+||stowjupnkwlic.com^
+||stpd.cloud^
+||stpmgo.com^
+||stpmneaywgib.com^
+||straight-equipment.com^
+||straight-shift.pro^
+||straight-storage.pro^
+||straightenchin.com^
+||straightenedsleepyanalysis.com^
+||strainemergency.com^
+||straitchangeless.com^
+||straitmeasures.com^
+||straitsdeprive.com^
+||straletmitvoth.com^
+||stranddecidedlydemeanour.com^
+||strandedpeel.com^
+||strandedprobable.com^
+||strangelyfaintestgreenhouse.com^
+||strangineer.info^
+||strangledisposalfox.com^
+||stratebilater.com^
+||strategicfollowingfeminine.com^
+||stratosbody.com^
+||stravesibship.top^
+||strawdeparture.com^
+||strawguineaequanimity.com^
+||straymaternitycommence.com^
+||streakappealmeasured.com^
+||streakattempt.com^
+||stream-all.com^
+||streameventzone.com^
+||streaming-illimite5.com^
+||streaming-illimite6.com^
+||streampsh.top^
+||streamsearchclub.com^
+||streamtoclick.com^
+||streamvideobox.com^
+||streamyourvid.com^
+||streetabackvegetable.com^
+||streetcoddiffident.com^
+||streetgrieveddishonour.com^
+||streetmilligram.com^
+||streetmonumentemulate.com^
+||streetuptowind.com^
+||streetupwind.com^
+||streitmackled.com^
+||stremanp.com^
+||strenuousfudge.com^
+||strenuoustarget.com^
+||stressfulproperlyrestrain.com^
+||stretchedbarbarian.com^
+||stretchedcreepy.com^
+||stretchedgluttony.com^
+||stretchingwicked.com^
+||strettechoco.com^
+||strewdirtinessnestle.com^
+||strewjaunty.com^
+||strewtwitchlivelihood.com^
+||strichefurls.top^
+||strickenfiercenote.com^
+||strictrebukeexasperate.com^
+||stridentbedroom.pro^
+||strideovertakelargest.com^
+||strikeprowesshelped.com^
+||strikinghystericalglove.com^
+||stringssymptomfishing.com^
+||stringthumbprowl.com^
+||stripedcover.pro^
+||stripedonerous.com^
+||striperaised.com^
+||striperewind.com^
+||striperoused.com^
+||stripesrussula.top^
+||stripfitting.com^
+||stripherselfscuba.com^
+||strjuylfrjyk.site^
+||strodeewesmug.com^
+||strodefat.com^
+||strodemorallyhump.com^
+||strollfondnesssurround.com^
+||stronepurrel.shop^
+||strongestconvenient.com^
+||strongesthaste.com^
+||strongesthissblackout.com^
+||strtgic.com^
+||structurecolossal.com^
+||structurepageantphotograph.com^
+||strugglecookingtechnically.com^
+||strugglingclamour.com^
+||strungcourthouse.com^
+||strungglancedrunning.com^
+||strvvmpu.com^
+||strwaoz.xyz^
+||stt6.cfd^
+||stthykerewasn.com^
+||stubbleupbriningbackground.com^
+||stubborndreadcounterfeit.com^
+||stubbornembroiderytrifling.com^
+||stuchoug.com^
+||stucktimeoutvexed.com^
+||studads.com^
+||studdepartmentwith.com^
+||studiedabbey.com^
+||studiorejoinedtrinity.com^
+||studious-beer.com^
+||studiouspassword.com^
+||studsaughy.net^
+||stuffedprofessional.com^
+||stuffedstudy.com^
+||stuffinglimefuzzy.com^
+||stuffintolerableillicit.com^
+||stuffserve.com^
+||stughoamoono.net^
+||stugsoda.com^
+||stullsstud.com^
+||stumbledmetropolitanpad.com^
+||stumbleirritable.com^
+||stummedperca.top^
+||stunkcott.com^
+||stunning-lift.com^
+||stunninglover.com^
+||stunningruin.com^
+||stunoolri.net^
+||stunsbarbola.website^
+||stunthypocrisy.com^
+||stupendousconcept.pro^
+||stupid-luck.com^
+||stupiditydecision.com^
+||stupidityficklecapability.com^
+||stupidityitaly.com^
+||stupidityscream.com^
+||stupidspaceshipfestivity.com^
+||stuwhost.net^
+||stvbiopr.net^
+||stvkr.com^
+||stvsmdhfplfrcy.xyz^
+||stvwell.online^
+||stydrumgmaringpo.info^
+||styletrackstable.com^
+||stylewhiskerscreepy.com^
+||stylish-airport.com^
+||stzhnfcxx.com^
+||suaedaormer.top^
+||sualgvoi.com^
+||sub.empressleak.biz^
+||sub.xxx-porn-tube.com^
+||sub2.avgle.com^
+||subbandapodan.top^
+||subdatejutties.com^
+||subdo.torrentlocura.com^
+||subduealec.com^
+||subduedgrainchip.com^
+||subduegrape.com^
+||subgitrelais.com^
+||subheroalgores.com^
+||subjectamazement.com^
+||subjectedburglar.com^
+||subjectscooter.com^
+||subjectslisted.com^
+||submarinefortressacceptable.com^
+||submarinestooped.com^
+||submissionbrackettreacherous.com^
+||submissionheartyprior.com^
+||submissionspurtgleamed.com^
+||submissivejuice.com^
+||subquerieshenceforwardtruthfully.com^
+||subqueryrewinddiscontented.com^
+||subscriberbeetlejackal.com^
+||subscribereffectuallyversions.com^
+||subsequentmean.com^
+||subserecajones.com^
+||subsideagainstforbes.com^
+||subsidedimpatienceadjective.com^
+||subsidedplenitudetide.com^
+||subsidehurtful.com^
+||subsistgrew.com^
+||subsistpartyagenda.com^
+||substantialequilibrium.com^
+||substantialhound.com^
+||subsultfidgety.click^
+||subtle-give.pro^
+||subtractillfeminine.com^
+||suburbgetconsole.com^
+||suburbincriminatesubdue.com^
+||subwaygirlieweasel.com^
+||subwayporcelainrunning.com^
+||succeedappointedsteve.com^
+||succeedingpeacefully.com^
+||succeedprosperity.com^
+||success-news.net^
+||successcuff.com^
+||successfulpatience.com^
+||successionfireextinguisher.com^
+||successionflimsy.com^
+||successorpredicate.com^
+||successorwindscreeninstruct.com^
+||succisasubset.top^
+||suchasricew.info^
+||suchbasementdarn.com^
+||suchcesusar.org^
+||suchroused.com^
+||suckae.xyz^
+||suckfaintlybooking.com^
+||sucocesisfulylyde.info^
+||sucter.com^
+||suctionautomobile.com^
+||suctionpoker.com^
+||suddenvampire.com^
+||suddslife.com^
+||sudroockols.xyz^
+||sudsguidon.com^
+||sudvclh.com^
+||suescollum.com^
+||suesuspiciousin.com^
+||sufferinguniversalbitter.com^
+||suffertreasureapproval.com^
+||sufficientknight.com^
+||suffixinstitution.com^
+||suffixreleasedvenison.com^
+||sufikollast.top^
+||sugardistanttrunk.com^
+||sugaryambition.pro^
+||suggest-recipes.com^
+||suggestedasstrategic.com^
+||suggestiongettingmaggot.com^
+||suggestnotegotistical.com^
+||sugogawmg.xyz^
+||sugpgeaunpet.com^
+||suhelux.com^
+||suirtan.com^
+||suitedeteriorate.com^
+||suitedtack.com^
+||suitetattoo.com^
+||sujcmsgdcyt.com^
+||sukcheatppwa.com^
+||sukedrevenued.org^
+||sukoqgdpej.com^
+||sukultingecauy.info^
+||sulcititanic.com^
+||sulcusmantels.com^
+||sulelysr.com^
+||sulkvulnerableexpecting.com^
+||sullageprofre.com^
+||sullencarverdoes.com^
+||sullentrump.com^
+||sulrejclbehh.com^
+||sulseerg.com^
+||sultansamidone.top^
+||sultodre.net^
+||sultrycartonedward.com^
+||sultrymercury.com^
+||sumbreta.com^
+||sumids.com^
+||summaryjustlybouquet.com^
+||summaryvalued.com^
+||summer-notifications.com^
+||summerboycottrot.com^
+||summercovert.com^
+||summertracethou.com^
+||summitinfantry.com^
+||summitmanner.com^
+||sumnrydp.com^
+||sundayceremonytitanic.com^
+||sundayscrewinsulting.com^
+||sunflowerbright106.io^
+||sunflowercoastlineprobe.com^
+||sunflowergermcaptivate.com^
+||sunflowerinformed.com^
+||sunglassesmentallyproficient.com^
+||sunkencurledexpanded.com^
+||sunkenhexapla.top^
+||sunkwarriors.com^
+||sunmediaads.com^
+||sunnycategoryopening.com^
+||sunnyscanner.com^
+||sunnyseries.com^
+||sunnysubject.com^
+||sunriseholler.com^
+||sunrisesharply.com^
+||sunsekrious.com^
+||sunstrokeload.com^
+||suozmtcc.com^
+||supapush.net^
+||superadbid.com^
+||superbcallempty.com^
+||superfastcdn.com^
+||superfasti.co^
+||superficialropes.com^
+||superfluousexecutivefinch.com^
+||superfolder.net^
+||superherogoing.com^
+||superherosnout.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^
+||supervisionlanguidpersonnel.com^
+||supervisionprohibit.com^
+||supervisofosevera.com^
+||superxxxfree.com^
+||supgedcowxkmzr.com^
+||suphelper.com^
+||suppermalignant.com^
+||supperopeningturnstile.com^
+||supplejog.com^
+||supplementary2.fun^
+||suppliedhopelesspredestination.com^
+||suppliesscore.com^
+||supportedbushesimpenetrable.com^
+||supporterinsulation.com^
+||supportingbasic.com^
+||supportive-promise.com^
+||supposedbrand.com^
+||supposerevenue.com^
+||suppressedanalogyrain.com^
+||suppressedbottlesenjoyable.com
+||supremeden.com^
+||supremeoutcome.com^
+||supremepresumptuous.com^
+||supremewatcheslogical.com^
+||supremoadblocko.com^
+||suptraf.com^
+||suptrkdisplay.com^
+||suptur.online^
+||surahsbimas.com^
+||surcloyspecify.com^
+||surecheapermoisture.com^
+||surechequerigorous.com^
+||surechieflyrepulse.com^
+||surelyyap.com^
+||surfacesaroselozenge.com^
+||surfacescompassionblemish.com^
+||surfeitdrabble.com^
+||surfingmister.com^
+||surfmdia.com^
+||surfwestlaw.com^
+||surge.systems^
+||surgicalhanging.com^
+||surgicaljunctiontriumph.com^
+||surgicallonely.com^
+||surhaihaydn.com^
+||suriquesyre.com^
+||surlydancerbalanced.com^
+||surmitmegbote.top^
+||surmountpeel.com^
+||surnamesubqueryaloft.com^
+||surnayruffle.top^
+||surpriseenterprisingfin.com^
+||surprisingarsonistcooperate.com^
+||surprisinglycouncil.com^
+||surrenderdownload.com^
+||surrounddiscord.com^
+||surroundingsliftingstubborn.com^
+||surroundingspuncture.com^
+||surtaxraphes.top^
+||surv2you.com^
+||surv2you.net^
+||surv2you.org^
+||survey-daily-prizes.com^
+||survey2you.co^
+||survey2you.com^
+||survey2you.net^
+||survey2you.org^
+||survey4you.co^
+||surveyedmadame.com^
+||surveyonline.top^
+||survivalcheersgem.com^
+||survrhostngs.xyz^
+||susanbabysitter.com^
+||susheeze.xyz^
+||susifhfh2d8ldn09.com^
+||suspectedadvisor.com^
+||suspendedjetthus.com^
+||suspensionstorykeel.com^
+||suspicionflyer.com^
+||suspicionsmutter.com^
+||suspicionsrespectivelycobbler.com^
+||suspicionssmartstumbled.com^
+||sustainsuspenseorchestra.com^
+||sutiletoroid.com^
+||sutraf.com^
+||suturaletalage.com^
+||suwotsoukry.com^
+||suwytid.com^
+||suxoxmnwolun.com^
+||suxwpibumof.com^
+||suzanne.pro^
+||suzbcnh.com^
+||svanh-xqh.com^
+||svaohpdxn.xyz^
+||sviakavgwjg.xyz^
+||sviter2s1olenyami1.com^
+||svkmxwssih.com^
+||svntrk.com^
+||svnutntmq.com^
+||svptpcjefg.com^
+||svrgcqgtpe.com^
+||svrkdkopdsdj.com^
+||svwhhiiyihcwh.com^
+||svyksa.info^
+||swageschufa.com^
+||swagtraffcom.com^
+||swailcoigns.com^
+||swalessidi.com^
+||swallowaccidentdrip.com^
+||swallowhairdressercollect.com^
+||swallowpunctual.com^
+||swamgreed.com^
+||swampexpulsionegypt.com^
+||swan-swan-goose.com^
+||swanbxca.com^
+||swansinksnow.com^
+||swapsprediet.top^
+||swarfamlikar.com^
+||swarmpush.com^
+||swarthsfulk.com^
+||swarthyamong.com^
+||swarthymacula.com^
+||swatad.com^
+||swaycomplymishandle.com^
+||sweake.com^
+||sweatditch.com^
+||sweaterreduce.com^
+||sweaterwarmly.com^
+||sweatsfeckful.com^
+||sweatyailpassion.com^
+||sweatyequityhelicopter.com^
+||sweatytraining.pro^
+||swebatcnoircv.xyz^
+||sweepawejasper.com^
+||sweepfrequencydissolved.com^
+||sweepia.com^
+||sweet-discount.pro^
+||sweet-marriage.pro^
+||sweetheartshippinglikeness.com^
+||sweetmoonmonth.com^
+||sweetromance.life^
+||swellingconsultation.com^
+||swelllagoon.com^
+||swelltomatoesguess.com^
+||swelltouching.com^
+||swelteringcrazy.pro^
+||swensaidohet.com^
+||sweptbroadarchly.com^
+||sweptgrimace.com^
+||swervercutup.top^
+||swesomepop.com^
+||swevengrise.com^
+||swhgrsjg.com^
+||swiftlylatterdilate.com^
+||swigethinyl.top^
+||swiggermahwa.com^
+||swimmerallege.com^
+||swimmerperfectly.com^
+||swimmingusersabout.com^
+||swimsuitrustle.com^
+||swimsunleisure.com^
+||swindlehumorfossil.com^
+||swindlelaceratetorch.com^
+||swinegraveyardlegendary.com^
+||swinehalurgy.com^
+||swingtoeswinds.com^
+||swinity.com^
+||swivelarditi.shop^
+||swlkdqlcx.com^
+||swoezdra.com^
+||swollencompletely.com^
+||swonqjzbc.com^
+||swoonseneid.com^
+||swoopanomalousgardener.com^
+||swoopkennethsly.com^
+||swordanatomy.com^
+||swordbloatgranny.com^
+||swordeast.com^
+||swordrelievedictum.com^
+||swpnyrxgobtryu.com^
+||swuretecali.com^
+||swvhwyaavewko.com^
+||swwpush.com^
+||swzgvmlvt.com^
+||swzydgm.com^
+||sxbbqlnulcmyhr.com^
+||sxhivhz.com^
+||sxipth.xyz^
+||sxirpkuxm.com^
+||sxlflt.com^
+||sxlvklm.com^
+||sxnbcxagxp.com^
+||sxtpkrrvdvm.com^
+||sxujfrzjmnb.com^
+||sxwflxsontjwdb.com^
+||sy2h39ep8.com^
+||sya9yncn3q.com^
+||sybobuicks.com^
+||syboticflemer.shop^
+||syctwaerbln.com^
+||sydneygfpink.com^
+||syenergyflexibil.com^
+||syeniteexodoi.com^
+||syetmpdktjeor.com^
+||syfroecxkn.com^
+||syinga.com^
+||syiwgwsqwngrdw.xyz^
+||sykfmgu.com^
+||sykojkqjygahl.com^
+||syllableliking.com^
+||syllabusimperfect.com^
+||syllabuspillowcasebake.com^
+||syltfvcaa.com^
+||sylxisys.com^
+||symbolsovereigndepot.com^
+||symbolultrasound.com^
+||symiwxemwgxtpj.com^
+||symmorybewept.com^
+||symoqecnefjj.com^
+||sympatheticclue.com^
+||sympatheticfling.com^
+||sympathizecopierautobiography.com^
+||sympathizededicated.com^
+||sympathizeplumscircumstance.com^
+||sympathybindinglioness.com^
+||symptomprominentfirewood.com^
+||synchronizedoll.com^
+||synchronizerobot.com^
+||syndicatedsearch.goog^
+||syndromeentered.com^
+||syndromegarlic.com^
+||synonymcuttermischievous.com^
+||synsads.com^
+||syntaxtruckspoons.com^
+||synthesissocietysplitting.com^
+||syofklngqqlw.com^
+||syringeitch.com^
+||syringeoniondeluge.com^
+||syringewhile.com^
+||syrsple2se8nyu09.com^
+||syseinpoundaym.info^
+||syshrugglefor.info^
+||sysoutvariola.com^
+||system-notify.app^
+||systeme-business.online^
+||systemengagedwisely.com^
+||systemhostess.com^
+||systemleadb.com^
+||systemsivory.com^
+||sytqxychwk.xyz^
+||syvmnimluk.com^
+||sywarcjmy.xyz^
+||syxcwxur.com^
+||syyycc.com^
+||syzijqaufe.com^
+||syzwiooheckxb.com^
+||szbnnqyqn.com^
+||szgaikk.com^
+||szhcyxtszb.com^
+||szkubfni.com^
+||szkzvqs.com^
+||szlipubod.com^
+||szokwgcjxdt.com^
+||szpabffpr.com^
+||szpjpzi.com^
+||szqxvo.com^
+||szwschryizrb.com^
+||szzhwaaxhnnrx.com^
+||t.uc.cn^
+||t0gju20fq34i.com^
+||t0gkj99krb24.com^
+||t2lgo.com^
+||t58genestuff.com^
+||t7cp4fldl.com^
+||t7tli5r8t.com^
+||t85itha3nitde.com^
+||t8mbwgbjn.com^
+||ta3nfsordd.com^
+||taaqhr6axacd2um.com^
+||taaqxpyicjlgv.com^
+||tabekeegnoo.com^
+||tabici.com^
+||tabledownstairsprovocative.com^
+||tableinactionflint.com^
+||tablepeppery.com^
+||tablesgrace.com^
+||tabletsregrind.com^
+||tabloidbadger.com^
+||tabloidquantitycosts.com^
+||tabloidsuggest.com^
+||tabloidwept.com^
+||taborsfields.top^
+||tackleyoung.com^
+||tacopush.ru^
+||tacticmuseumbed.com^
+||tacticpoignantsteeple.com^
+||tacticsadamant.com^
+||tacticschangebabysitting.com^
+||tacticsjoan.com^
+||tacwrekhixf.com^
+||tadadamads.com^
+||tadamads.com^
+||tadsbelver.com^
+||taexnaexgg.com^
+||tagalhattize.com^
+||tagalodrome.com^
+||tagassulatests.top^
+||taghaugh.com^
+||tagloognain.xyz^
+||tagmai.xyz^
+||tagoutlookignoring.com^
+||tagroors.com^
+||tahqcecads.com^
+||tahwox.com^
+||taibaveeshie.net^
+||taicheetee.com^
+||taicoobu.com^
+||taidainy.net^
+||taigasdoeskin.guru^
+||taigrooh.net^
+||tailalwaysunauthorized.com^
+||tailorendorsementtranslation.com^
+||tailorfunctionknuckle.com^
+||tailorsstoup.shop^
+||taimachojoba.xyz^
+||taintvistacredulous.com^
+||taipeivermeil.top^
+||taisteptife.com^
+||taiwhups.net^
+||taizigly.net^
+||take-grandincome.life^
+||take-prize-now.com^
+||takeallsoft.ru^
+||takecareproduct.com^
+||takegerman.com^
+||takeingnana.shop^
+||takelnk.com^
+||takemybackup.co^
+||takemydesk.co^
+||takemyorder.co^
+||takeoutregularlyclack.com^
+||takeoverrings.com^
+||takessutures.top^
+||takeyouforward.co^
+||takingbelievingbun.com^
+||takingpot.com^
+||takiparkrb.site^
+||talckyslodder.top^
+||talcoidsakis.com^
+||taleinformed.com^
+||talentinfatuatedrebuild.com^
+||talentorganism.com^
+||talentslimeequally.com^
+||talesapricot.com^
+||talkingwinquarry.com^
+||talkstewmisjudge.com^
+||tallfriend.pro^
+||tallwhilstinventory.com^
+||tallyhofaggot.top^
+||tallysaturatesnare.com^
+||talouktaboutrice.info^
+||talsauve.com^
+||talsindustrateb.info^
+||tamedilks.com^
+||tamesurf.com^
+||tameti.com^
+||taminystopgap.com^
+||tamperdepreciate.com^
+||tamperlaugh.com^
+||tampoewretch.top^
+||tampvhio.com^
+||tanagersavor.click^
+||tanceteventu.com^
+||tancommunicated.com^
+||tandavaecorche.top^
+||tangerinetogetherparity.com^
+||tanglesoonercooperate.com^
+||tangpuax.xyz^
+||tangsrimery.click^
+||tanhelpfulcuddle.com^
+||tanivanprevented.com^
+||tantisnits.top^
+||taosiz.xyz^
+||taovgsy.com^
+||taoyinbiacid.com^
+||taozgpkjzpdtgr.com^
+||tapchibitcoin.care^
+||tapdb.net^
+||tapeabruptlypajamas.com^
+||tapestrygenus.com^
+||tapestrymob.com^
+||tapetalvolva.top^
+||tapewherever.com^
+||tapingauthenticemulation.com^
+||tapingfoulgos.com^
+||tapinghouseworkusual.com^
+||tapioni.com^
+||tapixesa.pro^
+||tapjoyads.com^
+||tapproveofchild.info^
+||taproximo.com^
+||taprtopcldfa.co^
+||taprtopcldfard.co^
+||taprtopcldfb.co^
+||tapwhigwy.com^
+||tarblezetas.top^
+||tarebearpaw.top^
+||targechirtil.net^
+||tarieoctant.top^
+||tarinstinctivewee.com^
+||taroads.com^
+||tarotaffirm.com^
+||tarresdiptych.top^
+||tarrilyathenee.com^
+||tarsiusbaconic.com^
+||tartarsharped.com^
+||tartator.com^
+||tarvardsusyseinpou.info^
+||tarvegaudery.top^
+||tasesetitoefany.info^
+||tashietrent.com^
+||tastedflower.com^
+||tastednavigation.com^
+||tastesnlynotqui.info^
+||tastesscalp.com^
+||tastierxyphoid.com^
+||tasty-criticism.com^
+||tasvagaggox.com^
+||tat3ayogh6.com^
+||tatersbilobed.com^
+||tatsmanoculate.click^
+||tattepush.com^
+||tattoocommit.com^
+||tauaddy.com^
+||taugookoaw.net^
+||tauphaub.net^
+||taurse.com^
+||taurunperch.shop^
+||tausaakcntiwp.com^
+||tauspenup.top^
+||tauvoojo.net^
+||taxaixkpruxj.com^
+||taxiconsiderable.com^
+||taxismaned.top^
+||taxissung.com^
+||taxissunroom.com^
+||taxitesgyal.top^
+||taxodiu2m2dis7tichum.com^
+||taxwaxgrego.com^
+||tazagdv.com^
+||tazeeabroose.shop^
+||tberjonk.com^
+||tbgmckdemnv.com^
+||tbiwkjomju.com^
+||tblnreehmapc.com^
+||tbmwkwbdcryfhb.xyz^
+||tbpot.com^
+||tbppfktchj.com^
+||tbradshedm.org^
+||tbsjkaorxwuchyb.com^
+||tbtqjbgrelc.xyz^
+||tbudpgepadxfoch.com^
+||tbudz.co.in^
+||tburmyor.com^
+||tbxnhnorzujvs.com^
+||tbxyuwctmt.com^
+||tcaochocskid.com^
+||tcawigurdy.top^
+||tcdyjyrj.com^
+||tcdypeptz.com^
+||tcgjpib.com^
+||tcjulvon.com^
+||tcontametrop.info^
+||tcowmrj.com^
+||tcpcharms.com^
+||tcpnth.xyz^
+||tcppu.com^
+||tcwhycdinjtgar.xyz^
+||td553.com^
+||td563.com^
+||td583.com^
+||td5xffxsx4.com^
+||tdbcfbivjq.xyz^
+||tdditqosnpeo.com^
+||tdfkidmyynbqu.com^
+||tdgtkqtluuhjcfw.com^
+||tdmrfw.com^
+||tdqhlowkhxeohe.com^
+||tdspa.top^
+||teachingcosmetic.com^
+||teachingopt.com^
+||teachingrespectfully.com^
+||teachingwere.com^
+||teachleaseholderpractitioner.com^
+||teachmewind.com^
+||teads.tv^
+||teadwightshaft.com^
+||tealsgenevan.com^
+||teamagonan.com^
+||teamairportheedless.com^
+||teambetaffiliates.com^
+||teamshilarious.com^
+||teamsmarched.com^
+||teamsoutspoken.com^
+||teamsperilous.com^
+||teapotripencorridor.com^
+||teapotsobbing.com^
+||teaqrznepjv.com^
+||tearingsinnerprinciples.com^
+||tearnumeral.com^
+||tearsincompetentuntidy.com^
+||teaspoondaffodilcould.com^
+||teayeoutm.com^
+||teazledsudsman.top^
+||tebeveck.xyz^
+||tecaavdsy.com^
+||tecaitouque.net^
+||techiteration.com^
+||technicalityindependencesting.com^
+||techniciancocoon.com^
+||technoratimedia.com^
+||technoshadows.com^
+||techreviewtech.com^
+||tecominchisel.com^
+||tecuil.com^
+||teddedskeich.com^
+||teddynineteenthpreoccupation.com^
+||tedious-weight.pro
+||tediousgorgefirst.com^
+||tediouswavingwhiskey.com^
+||tedtaxi.com^
+||tedtug.com^
+||teedleeparchy.top^
+||teefuthe.com^
+||teeglimu.com^
+||teemcapablespinal.com^
+||teemingmutts.shop^
+||teemingweekend.com^
+||teemooge.net^
+||teenagerapostrophe.com^
+||teensexgfs.com^
+||teentitsass.com^
+||teepoomo.xyz^
+||teetusee.xyz^
+||tefbawbee.top^
+||tefuse.com^
+||tegleebs.com^
+||tegronews.com^
+||teiankythes.top^
+||teicdn.com^
+||teiidsfortune.com^
+||teinlbw.com^
+||teknologia.co^
+||teksishe.net^
+||tektosfolic.com^
+||tel-tel-fie.com^
+||telcyhlw.com
+||telechargementdirect.net^
+||telegramconform.com^
+||telegramsit.com^
+||telegramspun.com^
+||telegraphunreal.com^
+||telescopepigs.com^
+||telescopesemiprominent.com^
+||televeniesuc.pro^
+||televisionjitter.com^
+||telferstarsi.top^
+||telllwrite.com^
+||tellseagerly.com^
+||tellysetback.com^
+||telwrite.com^
+||temachaumble.top^
+||temgthropositea.com^
+||temksrtd.net^
+||tempbugs.com^
+||tempeorek.org^
+||temperacaimans.com^
+||temperaturecoalitionbook.com^
+||temperaturemarvelcounter.com^
+||tempergleefulvariability.com^
+||temperickysmelly.com^
+||temperrunnersdale.com^
+||templa.xyz^
+||templeoffendponder.com^
+||temporalirrelevant.com^
+||temporarilylavenderenforce.com^
+||temporarilyruinconsistent.com^
+||temporarilyunemployed.com^
+||temporarytv.com^
+||tend-new.com^
+||tenderlywomblink.com^
+||tendernessknockout.com^
+||tendrestases.top^
+||tenhousewife.com^
+||tenmtajhepsnt.com^
+||tenoneraliners.top^
+||tensagesic.com^
+||tenseapprobation.com^
+||tensorsbancos.com^
+||tentativenegotiate.com^
+||tenthgiven.com^
+||tenthsfrumpy.com^
+||tentioniaukmla.info^
+||tentmess.com^
+||tentubu.xyz^
+||tentyboma.top^
+||tenutoboma.click^
+||teogagsmm.com^
+||teojnbkldbyddi.com^
+||tepysilscpm.xyz^
+||terabigyellowmotha.info^
+||teracent.net^
+||teracreative.com^
+||terbit2.com^
+||tercelangary.com^
+||tercinegalumph.top^
+||terciogouge.com^
+||teredoknoit.com^
+||tereteclit.shop^
+||terhousouokop.com^
+||termerspatrice.com^
+||terminalcomrade.com^
+||terminusbedsexchanged.com^
+||termslimemonks.com^
+||termswhopitched.com^
+||terra8nb.com^
+||terracehypnotize.com^
+||terraclicks.com^
+||terrapsps.com^
+||terrapush.com^
+||terrasdsdstd.com^
+||terreproa.shop^
+||terribledeliberate.com^
+||terrificlukewarm.com^
+||terrifyingcovert.com^
+||terrifyingdeveloperreschedule.com^
+||tertracks.site^
+||tesousefulhead.info^
+||testamenttakeoutkill.com^
+||testda.homes^
+||testifyconvent.com^
+||testsite34.com^
+||tetelsillers.com^
+||tethsrump.com^
+||tetrdracausa.com^
+||tetrylscullion.com^
+||teughsavour.top^
+||tevermotoriesmyst.info^
+||textbookmudbutterfly.com^
+||textilewhine.com^
+||textspannerreptile.com^
+||texturedetrimentit.com^
+||textureeffacepleat.com^
+||tfaln.com^
+||tfarruaxzgi.com^
+||tfauwtzipxob.com^
+||tfb7jc.de^
+||tffkroute.com^
+||tfgdybgb.com^
+||tfla.xyz^
+||tfmgqdj.com^
+||tfmkdrcjpcdf.xyz^
+||tfosrv.com^
+||tfqrqdpgarskxv.com^
+||tfrsuupbwlmpott.com^
+||tfsqxdc.com^
+||tfsxszw.com^
+||tftnbbok.xyz^
+||tgandmotivat.com^
+||tgboghbslgrkg.com^
+||tgdyrtkjmbgimg.com^
+||tgel2ebtx.ru^
+||tgfqtwlwts.com^
+||tgktlgyqsffx.xyz^
+||tgolived.com^
+||tgsscmaxfi.com^
+||thagrals.net^
+||thagroum.net^
+||thaickoo.net^
+||thaifteg.com^
+||thaiheq.com^
+||thaimoul.net^
+||thairoob.com^
+||thaistiboa.com^
+||thaitingsho.info^
+||thaitsie.com^
+||thale-ete.com^
+||thalto.com^
+||thangetsoam.com^
+||thaninncoos.com^
+||thanksgivingdelights.com^
+||thanksgivingdelights.name^
+||thanksgivingtamepending.com^
+||thanksthat.com^
+||thanmounted.com^
+||thanosofcos5.com^
+||thanot.com^
+||thanstruggling.com^
+||tharbadir.com^
+||thargookroge.net^
+||thatbeefysit.com^
+||thatmonkeybites3.com^
+||thauckeesse.net^
+||thaucmozsurvey.space^
+||thaudray.com^
+||thauftoa.net^
+||thauhoux.com^
+||thaujauk.net^
+||thautselr.com^
+||thautsie.net^
+||thaveksi.net^
+||thawbootsamplitude.com^
+||thawheek.com^
+||thawpublicationplunged.com^
+||thayed.com^
+||thduyzmbtrb.com^
+||thdwaterverya.info^
+||the-ozone-project.com^
+||theactualnewz.com^
+||theactualstories.com^
+||theadgateway.com^
+||theapple.site^
+||thearoids.com^
+||theathematica.info^
+||theatresintotales.com^
+||thebestgame2020.com^
+||thecalokas.com^
+||thecarconnections.com^
+||thechleads.pro^
+||thechronicles2.xyz^
+||theckouz.com^
+||thecoinworsttrack.com^
+||thecoolposts.com^
+||thecoreadv.com^
+||thecred.info^
+||thedentadsi24.com^
+||theehouho.xyz^
+||theekedgleamed.com^
+||theeksen.com^
+||theenfu.com^
+||theepsie.com^
+||theeptoah.com^
+||theetholri.xyz^
+||theextensionexpert.com^
+||thefacux.com^
+||thefastpush.com^
+||thefenceanddeckguys.com^
+||thefreshposts.com^
+||theglossonline.com^
+||thegoodcaster.com^
+||theharityhild.buzz^
+||thehotposts.com^
+||thehypenewz.com^
+||theihafe.com^
+||theirbellsound.co^
+||theirbellstudio.co^
+||theirpervasivegrid.com^
+||theirsstrongest.com^
+||theloungenet.com^
+||thelrubawag.com^
+||thematicalaste.info^
+||thematicalastero.info^
+||thembriskjumbo.com^
+||themeillogical.com^
+||themeulterior.com^
+||themingmidland.top^
+||themiskvah.top^
+||themselphenyls.com^
+||themselvesafloatmirth.com^
+||themselvesbike.com^
+||themselvestypewriter.com^
+||thenceafeard.com^
+||thenceextremeeyewitness.com^
+||thencemutinyhamburger.com^
+||thenceshapedrugged.com^
+||thenewstreams.com^
+||thenicenewz.com^
+||theod-omq.com^
+||theod-qsr.com^
+||theologicalpresentation.com^
+||theonecdn.com^
+||theonesstoodtheirground.com^
+||theonlins.com^
+||theoryexempt.com^
+||theorysuspendlargest.com^
+||theoverheat.com^
+||thepeom.com^
+||theplayadvisor.com^
+||thepopads.com^
+||theprizesenses.life^
+||thepsimp.net^
+||therapistcrateyield.com^
+||therapistpopulationcommentary.com^
+||thereafterreturnriotous.com^
+||therebycapablerising.com^
+||theredictatortreble.com^
+||therefinaldecided.com^
+||therefoortowa.com^
+||thereforedolemeasurement.com^
+||thereforetreadvoluntarily.com^
+||therelimitless.com^
+||theremployeesi.info^
+||thereshotowner.com^
+||thereuponprevented.com^
+||thermometerdoll.com^
+||thermometerinconceivablewild.com^
+||thermometertally.com^
+||thesekid.pro^
+||theshafou.com^
+||thesisadornpathetic.com^
+||thesisfluctuateunkind.com^
+||thesisreducedo.com^
+||thetaweblink.com^
+||thetchaixoo.com^
+||thethateronjus.com^
+||thetoptrust.com^
+||thetrendytales.com^
+||thetreuntalle.com^
+||theurgyopine.com^
+||theusualsuspects.biz^
+||theusualsuspectz.biz^
+||theweblocker.net^
+||thewhizmarketing.com^
+||thewowfeed.com^
+||thewulsair.com^
+||thewymulto.life^
+||thexeech.xyz^
+||theyattenuate.com^
+||theyeiedmadeh.info^
+||theythourbonusgain.life^
+||theyunm.com^
+||thgebtibfyry.com^
+||thibwejrqrmjstt.com^
+||thicackfyr.com^
+||thickcharityinextricable.com^
+||thickshortwage.com^
+||thickstatements.com^
+||thiefbeseech.com^
+||thiefperpetrate.com^
+||thievesanction.com^
+||thiftossebi.net^
+||thighleopard.com^
+||thighpoker.com^
+||thikraik.net^
+||thikreept.com^
+||thin-hold.pro^
+||thingrealtape.com^
+||thingsshrill.com^
+||thingstorrent.com^
+||thinkappetitefeud.com^
+||thinkingpresentimenteducational.com^
+||thinkingwindfallhandkerchief.com^
+||thinksuggest.org^
+||thinnercoddled.com^
+||thinnertrout.com^
+||thinnerwishingeccentric.com^
+||thinperspectivetales.com^
+||thinrabbitsrape.com^
+||thinssence.top^
+||thiraq.com^
+||third-tracking.com^
+||thirdreasoncomplex.com^
+||thirteenthadjectivecleaning.com^
+||thirteenvolunteerpit.com^
+||thirtycabook.com^
+||thirtyeducate.com^
+||thirtyfellowpresumptuous.com^
+||thiscdn.com^
+||thisiswaldo.com^
+||thisisyourprize.site^
+||thislaboratory.com^
+||thivelunliken.com^
+||thnqemehtyfe.com^
+||thoalugoodi.com^
+||thoartuw.com^
+||thofandew.com^
+||thofteert.com^
+||tholor.com^
+||thomasbarlowpro.com^
+||thompoot.com^
+||thongrooklikelihood.com^
+||thongtechnicality.com^
+||thongwarily.com^
+||thoocheegee.xyz^
+||thoohizoogli.xyz^
+||thoorest.com^
+||thoorgins.com^
+||thoorteeboo.xyz^
+||thootsoumsoa.com^
+||thoralephebea.top^
+||thornfloatingbazaar.com^
+||thornrancorouspeerless.com^
+||thoroughfarefeudalfaster.com^
+||thoroughlyhoraceclip.com^
+||thoroughlynightsteak.com^
+||thoroughlypantry.com^
+||thoroughlyshave.com^
+||thorperepresentation.com^
+||thorpeseriouslybabysitting.com^
+||thoseads.com^
+||thosecalamar.top^
+||thosecandy.com^
+||thoudroa.net^
+||thoughtfulcontroversy.com^
+||thoughtfullyaskedscallop.com^
+||thoughtgraphicshoarfrost.com^
+||thoughtleadr.com^
+||thoughtlessindeedopposition.com^
+||thoupsuk.net^
+||thouptos.net^
+||thousandfixedlyyawn.com^
+||thousandinvoluntary.com^
+||thousicefall.top^
+||thoved.com^
+||thqgxvs.com^
+||threatdetect.org^
+||threatenedfallenrueful.com^
+||threateningeleven.com^
+||threeinters.com^
+||threeinvincible.com^
+||threerfdfgourgold.com^
+||thresholdunusual.com^
+||threwtestimonygrieve.com^
+||thrilledrentbull.com^
+||thrilledroundaboutreconstruct.com^
+||thrillignoringexalt.com^
+||thrillingpairsreside.com^
+||thrivebubble.com^
+||throatchanged.com^
+||throatpoll.com^
+||throbscalpelaffirm.com^
+||thronestartle.com^
+||throngwhirlpool.com^
+||thronosgeneura.com^
+||throughdfp.com^
+||throwinterrogatetwitch.com^
+||throwsceases.com^
+||thrtle.com^
+||thrustlumpypulse.com^
+||thterras.com^
+||thtpxwnqfx.com^
+||thubanoa.com^
+||thuckautiru.com^
+||thudsurdardu.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^
+||thusdrink.com^
+||thusenteringhypocrisy.com^
+||thusqhlt.com^
+||thuthoock.net^
+||thwartyoungly.com^
+||thxkvwdm.com^
+||thyobscure.com^
+||thyouglasuntilj.info^
+||thyroidaketon.com^
+||tiaoap.xyz^
+||tibacta.com^
+||tibcpowpiaqv.com^
+||tibertannoy.com^
+||tibykzo.com^
+||tic-tic-bam.com^
+||tic-tic-toc.com^
+||ticaframeofm.xyz^
+||ticalfelixstownru.info^
+||tichoake.xyz^
+||ticielongsuched.com^
+||tick-tock.net^
+||tickconventionaldegradation.com^
+||ticketnegligence.com^
+||ticketpantomimevirus.com^
+||ticketsrubbingroundabout.com^
+||ticketswinning.com^
+||ticklefell.com^
+||tickleinclosetried.com^
+||tickleorganizer.com^
+||tickmatureparties.com^
+||ticrite.com^
+||tictacfrison.com^
+||tictastesnlynot.com^
+||tidaltv.com^
+||tidalwavetrx.com^
+||tideairtight.com^
+||tidedfinned.top^
+||tidenoiseless.com^
+||tidint.pro^
+||tidy-mark.com^
+||tidyinglionesscoffee.com^
+||tidyingpreludeatonement.com^
+||tidyinteraction.pro^
+||tidyllama.com^
+||tieboysoli.com^
+||tiemerry.com^
+||tiesmmflv.com^
+||tigainareputaon.info^
+||tigerpush.net^
+||tightendescendantcuddle.com^
+||tighterinfluenced.com^
+||tighternativestraditional.com^
+||tigipurcyw.com^
+||tignuget.net^
+||tihursoa.net^
+||tikrailrou.com^
+||tiksgayowqln.com^
+||tiktakz.xyz^
+||tilesmuzarab.com^
+||tillinextricable.com^
+||tiltgardenheadlight.com^
+||tilttrk.com^
+||tiltwin.com^
+||timcityinfirmary.com^
+||time4news.net^
+||timecrom.com^
+||timeforagreement.com^
+||timelymongol.com^
+||timeone.pro^
+||timesroadmapwed.com^
+||timetableitemvariables.com^
+||timetoagree.com^
+||timidtraumaticterminate.com^
+||timmerintice.com^
+||timoggownduj.com^
+||timot-cvk.info^
+||timsef.com^
+||timtamti.net^
+||tinbuadserv.com^
+||tingexcelelernodyden.info^
+||tingisincused.com^
+||tingleswhisker.top^
+||tingswifing.click^
+||tinkermockingmonitor.com^
+||tinkerwidth.com^
+||tinkleswearfranz.com^
+||tinkletemporalbuy.com^
+||tinsus.com^
+||tintedparticular.com^
+||tintersloggish.com^
+||tintprestigecrumble.com^
+||tiny-atmosphere.com^
+||tionakasulbac.net^
+||tionforeathyoug.info^
+||tiotyuknsyen.org^
+||tipchambers.com^
+||tipforcefulmeow.com^
+||tiplesstharms.top^
+||tipphotographermeans.com^
+||tipsembankment.com^
+||tipslyrev.com^
+||tiptoecentral.com^
+||tipupgradejack.com^
+||tiqjubxy.com^
+||tiqkfjgafckf.com^
+||tirebrevity.com^
+||tirecolloquialinterest.com^
+||tireconfessed.com^
+||tirejav12.fun^
+||tiresomemarkstwelve.com^
+||tiresomemuggyeagerly.com^
+||tiresomereluctantlydistinctly.com^
+||tiringinadmissiblehighlight.com^
+||tirlnursle.shop^
+||tirosagalite.com^
+||titanads1.com^
+||titanads2.com^
+||titanads3.com^
+||titanads4.com^
+||titanads5.com^
+||titanicimmunehomesick.com^
+||titanictooler.top^
+||titaniumveinshaper.com^
+||titlerwilhelm.com^
+||tittyptinoid.com^
+||titulionlap.top^
+||tiuweaser.top^
+||tivapheegnoa.com^
+||tivatingotherem.info^
+||tivvsaunec.com^
+||tiwbgqddmz.com^
+||tiwhaiph.net^
+||tiwouboa.com^
+||tixir.xyz^
+||tiypa.com^
+||tjaard11.xyz^
+||tjavravj.com^
+||tjgpeswdkrym.com^
+||tjibxzqxtl.com^
+||tjnkrrygmgp.com^
+||tjnvqptv.com^
+||tjsicyijerce.com^
+||tjtmjjigtdoah.com^
+||tjuhdrm.com^
+||tjxfkmlhubh.com^
+||tjxjpqa.com^
+||tkaqlvqjnn.com^
+||tkauru.xyz^
+||tkbo.com^
+||tkeatlra.com^
+||tkhwslqsmjwingf.com^
+||tkidcigitrte.com^
+||tkifahjutoj.com^
+||tkqjiukbtjboub.com^
+||tkyzzjfpiqj.com^
+||tl2go.com^
+||tleboywhowa.com^
+||tleejvlhs.com^
+||tllfouwvkqza.com^
+||tlolaxalxdk.com^
+||tlootas.org^
+||tlpltwcgr.com^
+||tlprbzoi.com^
+||tlrkcj17.de^
+||tltfufoegaeupev.com^
+||tluicnvqxbjdt.com^
+||tlvkywwnuvgtq.com^
+||tlznblypsyyr.com^
+||tm5kpprikka.com^
+||tmb5trk.com^
+||tmenfhave.info^
+||tmesesunfound.top^
+||tmftsdjyahbhi.com^
+||tmh4pshu0f3n.com^
+||tmjhdyghjm.com^
+||tmjididaqbom.com^
+||tmnsstf.com^
+||tmrjaghtledm.com^
+||tmrjmp.com^
+||tmulppw.com^
+||tmyzer.com^
+||tmztcfp.com^
+||tnbedvhussaxz.com^
+||tnbobppfkpsye.com^
+||tncomg.com^
+||tncred.com^
+||tnctufo.com^
+||tneca.com^
+||tnhaebl.com^
+||tnjsbbt.com^
+||tnnpozuqdhes.com^
+||tnpads.xyz^
+||tnqsnxsdt.com^
+||tnrfbodtrxmqi.com^
+||tnsmufijcnulqtl.com^
+||tnudztz.com^
+||tnwlpbxyto.com^
+||toabaise.net^
+||toadcampaignruinous.com^
+||toaglegi.com^
+||toamaustouy.com^
+||toapodazoay.com^
+||toapz.xyz^
+||toastcomprehensiveimperturbable.com^
+||toawaups.net^
+||toawhulo.com^
+||tobaccocentgames.com^
+||tobaccoearnestnessmayor.com^
+||tobaitsie.com^
+||tobaltoyon.com^
+||tobipovsem.com^
+||toboads.com^
+||todaysbestsellers.com^
+||toddlecausebeeper.com^
+||toddlespecialnegotiate.com^
+||toeapesob.com^
+||toenaildemand.com^
+||toenailmutenessalbert.com^
+||toenailplaywright.com^
+||toenailtrishaw.com^
+||toffeeallergythrill.com^
+||toffeebigot.com^
+||toffeecollationsdogcollar.com^
+||toffiesoxgall.com^
+||toftheca.buzz^
+||togataurnfuls.com^
+||togenron.com^
+||togetherballroom.com^
+||togetherinvitation.com^
+||toglooman.com^
+||togranbulla.com^
+||toiletallowingrepair.com^
+||toiletpaper.life^
+||toisedmoky.com^
+||toisingdubbah.top^
+||toisingthecia.top^
+||tokenads.com^
+||tokenvolatilebreaker.com^
+||tokofyttes.com^
+||tollcondolences.com^
+||tolstoyclavers.top^
+||toltooth.net^
+||tolverhyple.info^
+||tolyafbnjt9dedjj10.com^
+||tomatoescampusslumber.com^
+||tomatoesstripemeaningless.com^
+||tomatohackblobs.com^
+||tomatoitch.com^
+||tomatoqqamber.click^
+||tomawilea.com^
+||tomcodlachsa.com^
+||tomekas.com^
+||tomepermissible.com^
+||tomladvert.com^
+||tomorroweducated.com^
+||tomorrowspanelliot.com^
+||tomorrowtardythe.com^
+||tomponzag.top^
+||tonapplaudfreak.com^
+||toncooperateapologise.com^
+||tondikeglasses.com^
+||toneadds.com^
+||toneernestport.com^
+||toneincludes.com^
+||tonemedia.com^
+||tonesnorrisbytes.com^
+||tongabanky.com^
+||tongsgodforsaken.com^
+||tongsscenesrestless.com^
+||tonicdivedfounded.com^
+||tonicneighbouring.com^
+||toninjaska.com^
+||tonksoftie.top^
+||tonqvqwtvksh.com^
+||tonsilyearling.com^
+||tontrinevengre.com^
+||toojaipi.net^
+||tooledvacant.com^
+||toolspaflinch.com^
+||toolughitilagu.com^
+||toonoost.net^
+||toonujoops.net^
+||toopsoug.net^
+||toothacheformer.com^
+||toothbrushlimbperformance.com^
+||toothcauldron.com^
+||toothoverdone.com^
+||toothpasteginnysorrow.com^
+||toothstrike.com^
+||toothyexpirer.com^
+||toovoala.net^
+||top-offers1.com^
+||top-performance.best^
+||top-performance.club^
+||top-performance.top^
+||top-performance.work^
+||topadbid.com^
+||topadsservices.com^
+||topadvdomdesign.com^
+||topatincompany.com^
+||topbetfast.com^
+||topblockchainsolutions.nl^
+||topcreativeformat.com^
+||topdisplaycontent.com^
+||topdisplayformat.com^
+||topdisplaynetwork.com^
+||topduppy.info^
+||topflownews.com^
+||topfultroggin.click^
+||tophaw.com^
+||topiccorruption.com^
+||toplesscrimps.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^
+||toprevenuenetwork.com^
+||topsecurity2024.com^
+||topsrcs.com^
+||topsummerapps.net^
+||topswp.com^
+||toptoys.store^
+||toptrendyinc.com^
+||toqaxrsbv.com^
+||toquetbircher.com^
+||torajaimbrium.top^
+||torattatachan.com^
+||torcheszocalo.top^
+||torchtrifling.com^
+||toreddorize.com^
+||torioluor.com^
+||toromclick.com^
+||tororango.com^
+||torpsol.com^
+||torrango.com^
+||torrent-protection.com^
+||torrentsuperintend.com^
+||torsopledget.shop^
+||tosfeed.com^
+||tosspowers.com^
+||tossquicklypluck.com^
+||tosssix.com^
+||tosuicunea.com^
+||totalab.online^
+||totalab.xyz^
+||totalactualnewz.com^
+||totaladblock.com^
+||totalcoolblog.com^
+||totalfreshwords.com^
+||totallyplaiceaxis.com^
+||totalnicefeed.com^
+||totalnicenewz.com^
+||totalwowblog.com^
+||totalwownews.com^
+||totemcash.com^
+||totentacruelor.com^
+||totlnkbn.com^
+||totlnkcl.com^
+||totogetica.com^
+||totoro2011.xyz^
+||touaz.xyz^
+||touched35one.pro^
+||touchyeccentric.com^
+||touficpaloma.com^
+||toughdrizzleleftover.com^
+||toughtoxacid.com^
+||toupsonie.com^
+||touptaisu.com^
+||touptaiw.xyz^
+||touracopilaf.com^
+||tournamentdouble.com^
+||tournamentfosterchild.com^
+||tournamentsevenhung.com^
+||touroumu.com^
+||toutsneskhi.com^
+||touzia.xyz^
+||touzoaty.net^
+||tovanillitechan.com^
+||tovespiquener.com^
+||towageurson.top^
+||towardcorporal.com^
+||towardsflourextremely.com^
+||towardsmainlandpermissible.com^
+||towardsturtle.com^
+||towardwhere.com^
+||towcoaah.com^
+||towerdesire.com^
+||towersalighthybrids.com^
+||towerslady.com^
+||towersresent.com^
+||townrusisedprivat.info^
+||townstainpolitician.com^
+||toxemiaslier.com^
+||toxicfluency.com^
+||toxonetwigger.com^
+||toxtren.com^
+||toyarableits.com^
+||toyjofkkcdyr.com^
+||toymancartop.top^
+||toysrestrictcue.com^
+||tozeeta.com^
+||tozoruaon.com^
+||tozqvor.com^
+||tozuoi.xyz^
+||tpcenzbgtybq.com^
+||tpciqzm.com^
+||tpcrfdnq.com^
+||tpcserve.com^
+||tpdads.com^
+||tpdethnol.com^
+||tpedvcvde.com^
+||tpfgcdelscgfatf.com^
+||tpjageoaehyir.com^
+||tpmedia-reactads.com^
+||tpmr.com^
+||tpn134.com^
+||tposkglvqookv.xyz^
+||tpvrqkr.com^
+||tpwtjya.com^
+||tpydhykibbz.com^
+||tpyfixoqbo.com^
+||tpzzdrxnp.com^
+||tqgrrfssodfo.com^
+||tqkbdxfzmbjp.com^
+||tqlkg.com^
+||tqlvkfgnrsd.com^
+||tqrjlqt.com^
+||tqsrtyqpoeyp.com^
+||tquvbfl.com^
+||tqwxtglpr.com^
+||tqxwilx.com^
+||tr-boost.com^
+||tr-bouncer.com^
+||tr-monday.xyz^
+||tr-rollers.xyz^
+||tr-usual.xyz^
+||tr563.com^
+||tracepath.cc^
+||tracereceiving.com^
+||tracevictory.com^
+||track-victoriadates.com^
+||track.afrsportsbetting.com^
+||track.totalav.com^
+||track4ref.com^
+||trackad.cz^
+||trackapi.net^
+||tracker-2.com^
+||tracker-sav.space^
+||tracker-tds.info
+||tracker-tds.info^
+||trackerrr.com^
+||trackeverything.co^
+||trackingmembers.com^
+||trackingrouter.com^
+||trackingshub.com^
+||trackingtraffo.com^
+||trackmedclick.com^
+||trackmundo.com^
+||trackpshgoto.win^
+||trackpush.com^
+||trackr1.co.in^
+||trackr5.co.in^
+||trackr6.co.in^
+||tracks20.com^
+||tracksfaster.com^
+||trackspeeder.com^
+||trackstracker.com^
+||tracksystem.online^
+||tracktds.com^
+||tracktds.live^
+||tracktilldeath.club^
+||tracktraf.com^
+||trackvbmobs.click^
+||trackvol.com^
+||trackvoluum.com^
+||trackwilltrk.com^
+||tracot.com^
+||tractorfoolproofstandard.com^
+||tradbypass.com^
+||trade46-q.com^
+||tradeadexchange.com^
+||trading21s.com^
+||tradingpancreasdevice.com^
+||traditionallyrecipepiteous.com^
+||traff01traff02.site^
+||traffdaq.com^
+||traffic.adexprtz.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^
+||trafget.com^
+||trafogon.com^
+||trafsupr.com^
+||trafyield.com^
+||tragedyhaemorrhagemama.com^
+||tragency-clesburg.icu^
+||tragicbeyond.com^
+||tragicleftago.com^
+||traglencium.com^
+||traileroutlinerefreshments.com^
+||trainedhomecoming.com^
+||trainedpiano.com^
+||traintravelingplacard.com^
+||traitpigsplausible.com^
+||trakaff.net^
+||traktrafficflow.com^
+||trampletittery.shop^
+||trampphotographer.com^
+||trampplantacre.com^
+||tramuptownpeculiarity.com^
+||trandgid.com^
+||trandlife.info^
+||transactionsbeatenapplication.com^
+||transactionsparasite.com^
+||transcriptcompassionacute.com^
+||transcriptjeanne.com^
+||transcriptobligegenerations.com^
+||transferloitering.com^
+||transferzenad.com^
+||transformationdecline.com^
+||transformignorant.com^
+||transgressmeeting.com^
+||transgressreasonedinburgh.com^
+||transientblobexaltation.com^
+||transitionfrenchdowny.com^
+||translatingimport.com^
+||translationbuddy.com^
+||transmission423.fun^
+||transmitterincarnatebastard.com^
+||transportationdealer.com^
+||transportationdelight.com^
+||trapexpansionmoss.com^
+||trappedpetty.com^
+||trapskating.com^
+||trashdisguisedextension.com^
+||trashipama.com^
+||tratbc.com^
+||traumatizedenied.com^
+||traumavirus.com^
+||traung.com^
+||traveladvertising.com^
+||traveldurationbrings.com^
+||travelingbeggarlyregions.com^
+||travelingfreshman.com^
+||travelingshake.com^
+||travelledelkremittance.com^
+||travelledpropagandaconveniences.com^
+||travellerkalgan.com^
+||travelscream.com^
+||traveltop.org^
+||traversefloral.com^
+||travidia.com^
+||trawahdh2hd8nbvy09.com^
+||trawibosxlc.com^
+||trawlselymus.top^
+||traydungeongloss.com^
+||traymute.com^
+||trayrubbish.com^
+||trayzillion.com^
+||trazgki.com^
+||trblocked.com^
+||trc85.com^
+||trccmpnlnk.com^
+||trck.wargaming.net^
+||trckswrm.com^
+||trdnewsnow.net^
+||trdwvyjj.xyz^
+||treacherouscarefully.com^
+||treadhospitality.com^
+||treasonemphasis.com^
+||treasureantennadonkey.com^
+||treasureralludednook.com^
+||treathuffily.com^
+||treatmentaeroplane.com^
+||treatyaccuserevil.com^
+||treatyintegrationornament.com^
+||trebghoru.com^
+||trebleheady.com^
+||treblescholarfestival.com^
+||trebleuniversity.com^
+||trecurlik.com^
+||trecut.com^
+||treegreeny.org^
+||treehusbanddistraction.com^
+||treenghsas.com^
+||treepullmerriment.com^
+||trehtnoas.com^
+||treitrehagdin.top^
+||treklizard.com^
+||trekstereo.com^
+||trellian.com^
+||trembleday.com^
+||tremorhub.com^
+||trenchpoor.net^
+||trendmouthsable.com^
+||trenhsasolc.com^
+||trenhsmp.com^
+||trenpyle.com^
+||tretmumbel.com^
+||trewnhiok.com^
+||treycircle.com^
+||trftopp.biz^
+||trhdcukvcpz.com^
+||tri.media^
+||triadmedianetwork.com^
+||trialdepictprimarily.com^
+||trialsreticence.com^
+||trianglecollector.com^
+||tribalfusion.com^
+||tribespiraldresser.com^
+||tributesexually.com^
+||tricedendplay.click^
+||tricemortal.com^
+||tricklesmartdiscourage.com^
+||trickvealwagon.com^
+||trickynationalityturn.com^
+||triedstrickenpickpocket.com^
+||trienestooth.com^
+||triersbed.top^
+||triflecardslouse.com^
+||trigami.com^
+||triggersathlete.com^
+||trikerboughs.com^
+||trikeunpured.com^
+||trim-goal.com^
+||trimpagkygg.com^
+||trimpur.com^
+||trimregular.com^
+||trinitydiverge.com^
+||tripledeliveryinstance.com^
+||triplescrubjenny.com^
+||tripsstyle.com^
+||tripsthorpelemonade.com^
+||triumphalstrandedpancake.com^
+||triumphantplace.com^
+||trjxehoxjcbxvuc.xyz^
+||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^
+||trkingthebest.net^
+||trkk4.com^
+||trklnks.com^
+||trkn1.com^
+||trknext.com^
+||trknk.com^
+||trkr.technology^
+||trkrdel.com^
+||trkrspace.com^
+||trksmorestreacking.com^
+||trktcmdqko.com^
+||trktnc.com^
+||trkunited.com^
+||trlxcf05.com^
+||trmit.com^
+||trmnsite.com^
+||trmobc.com^
+||trndabegvhndg.com^
+||trodspivery.com^
+||troduc.com^
+||trokemar.com^
+||trolandmattes.com^
+||trolleydemocratic.com^
+||trolleydryerfunds.com^
+||trolleytool.com^
+||trollsvide.com^
+||trombocrack.com^
+||tronads.io^
+||tronmachi.com^
+||troolyhonks.com^
+||troolytop.com^
+||troopsassistedstupidity.com^
+||troopseruptionfootage.com^
+||tropaiariskful.top^
+||tropbikewall.art^
+||tropylskins.com^
+||trotconceivedtheological.com^
+||trothko.com^
+||troublebarbara.com^
+||troublebrought.com^
+||troubledcontradiction.com^
+||troubleextremityascertained.com^
+||troublesomeleerycarry.com^
+||troutgorgets.com^
+||troutrequires.com^
+||trowingpaba.website^
+||trowthsrandia.shop^
+||trpool.org^
+||trpop.xyz^
+||trqwuvidegayhr.com^
+||trrmmxjst.com^
+||trsbmiw.com^
+||trskwvl.com^
+||trtjigpsscmv9epe10.com^
+||trtxdtigvap.com^
+||truanet.com^
+||truantsnarestrand.com^
+||truazka.xyz^
+||trucelabwits.com^
+||trucemallow.website^
+||trulydevotionceramic.com^
+||trulysuitedcharges.com^
+||trulyunderestimatediscard.com^
+||trumppuffy.com^
+||trumpsurgery.com^
+||trumpthisaccepted.com^
+||truoqtqjyxes.com^
+||trust.zone^
+||trustaffs.com^
+||trustbummler.com^
+||trustedachievementcontented.com^
+||trustedcpmrevenue.com^
+||trustedgatetocontent.com^
+||trustedpeach.com^
+||trustedzone.info^
+||trustflayer1.online^
+||trustlearningclearly.com^
+||trustmaxonline.com^
+||trustworthyturnstileboyfriend.com^
+||trusty-research.com^
+||trustyable.com^
+||trustyfine.com^
+||trustzonevpn.info^
+||truthfulanomaly.com^
+||truthfulplanninggrasp.com^
+||truthhascudgel.com^
+||truthordarenewsmagazine.com^
+||truthvexedben.com^
+||tryingacquaintance.com^
+||trymynewspirit.com^
+||trymysadoroh.site^
+||trynhassd.com^
+||ts134lnki1zd5.pro^
+||tsapphires.buzz^
+||tsapphiresand.info^
+||tsaristcanapes.com^
+||tsarkinds.com^
+||tsbntfjyijlx.com^
+||tsccqvlqjpchjcl.com^
+||tseywo.com^
+||tsfpvcpdpofbc.com^
+||tsiwqtng8huauw30n.com^
+||tslomhfys.com^
+||tsml.fun^
+||tsmqbyd.com^
+||tspops.com^
+||tsqabdrgxourg.com^
+||tsrpcf.xyz^
+||tsrpif.xyz^
+||tsrrbok.com^
+||tstats-13fkh44r.com^
+||tswtwufqx.com^
+||tswyxkasqago.com^
+||tsyfnhd.com^
+||tsyndicate.com^
+||tszuhznuteoxkx.com^
+||ttbm.com^
+||ttdmrvck.com^
+||ttgmjfgldgv9ed10.com^
+||tthathehadstop.info^
+||ttlmqhbbkd.com^
+||ttlphmgvnjuilta.com^
+||ttnpxtsp.com^
+||ttnrd.com^
+||ttoc8ok.com^
+||ttquix.xyz^
+||ttsbtdgdo.com^
+||ttwmed.com^
+||ttzmedia.com^
+||tubberlo.com^
+||tubbiedumous.com^
+||tubbyconversation.pro^
+||tubeadvisor.com^
+||tubecoast.com^
+||tubecorp.com^
+||tubecup.net^
+||tubeelite.com^
+||tubemov.com^
+||tubencyclopaediaswine.com^
+||tubenest.com^
+||tubepure.com^
+||tuberay.com^
+||tubestrap.com^
+||tubeultra.com^
+||tubewalk.com^
+||tubqwqvsfusjqq.com^
+||tubroaffs.org^
+||tubsougn.com^
+||tubulesstodger.top^
+||tucess.com^
+||tuckedmajor.com^
+||tuckedtucked.com^
+||tuckerheiau.com^
+||tucktunnelsnowman.com^
+||tucsulfjseyan.com^
+||tuddicijloxb.com^
+||tuesdayfetidlit.com^
+||tuffoonincaged.com^
+||tuftoawoo.xyz^
+||tuhwjkesxo.com^
+||tuitionpancake.com^
+||tujofclqgazqa.com^
+||tujourda.net^
+||tukeelsy.com^
+||tukulordimera.com^
+||tulipmagazinesempire.com^
+||tulipsameedge.com^
+||tumbaklack.com^
+||tumblebit.com^
+||tumblebit.org^
+||tumblehisswitty.com^
+||tumbleobjectswedding.com^
+||tumbleroutlook.com^
+||tumordied.com^
+||tumri.net^
+||tumultmarten.com^
+||tumultuserscheek.com^
+||tunatastesentertained.com^
+||tundrapinjane.com^
+||tunedecided.com^
+||tuneshave.com^
+||tunisiarivel.top^
+||tunnelbuilder.top^
+||tupwiwm.com^
+||tuqgtpirrtuu.com^
+||tuqizi.uno^
+||tur-tur-key.com^
+||turbanconstituent.com^
+||turbanmadman.com^
+||turbansour.com^
+||turboadv.com^
+||turbocap.net^
+||turbolit.biz^
+||turbostats.xyz^
+||turbulent-bedroom.pro^
+||turbulentfeatherhorror.com^
+||turbulentimpuresoul.com^
+||turdauch.xyz^
+||turdwwakrh.com^
+||tureukworektob.info^
+||turganic.com^
+||turgelrouph.com^
+||turkeybegan.com^
+||turkhawkswig.com^
+||turkslideupward.com^
+||turktransparent.com^
+||turmoilmeddle.com^
+||turmoilragcrutch.com^
+||turncdn.com^
+||turnhub.net^
+||turnminimizeinterference.com^
+||turnstileunavailablesite.com^
+||turpentinecomics.com^
+||tururu.info^
+||tuscanyaskant.com^
+||tuskgler.com^
+||tuskhautein.com^
+||tusno.com^
+||tussisinjelly.com^
+||tutorlylaggard.top^
+||tutphiarcox.com^
+||tutsterblanche.com^
+||tutvp.com^
+||tuudrwnbglqqvm.com^
+||tuvlqcjff.com^
+||tuvwryunm.xyz^
+||tuwaqtjcood.com^
+||tuwopnajwv.com^
+||tuxbpnne.com^
+||tuxycml.com^
+||tuxzlhrwejszu.com^
+||tvayrboxygj.com^
+||tvbsfmswrjap.com^
+||tvdbspojay.com^
+||tvgxhvredn.xyz^
+||tvkaimh.com^
+||tvlaavcxdxlqan.com^
+||tvprocessing.com^
+||tvvnofqard.com^
+||twangruble.top^
+||twazzyoidwlfe.com^
+||twddsnvl.com^
+||tweakarrangement.com^
+||twelfthcomprehendgrape.com^
+||twelfthdistasteful.com^
+||twelvemissionjury.com^
+||twelvethighpostal.com^
+||twentiesinquiry.com^
+||twentiethparticipation.com^
+||twentyatonementflowing.com^
+||twentyaviation.com^
+||twentycustomimprovement.com^
+||twentydisappearance.com^
+||twentydruggeddumb.com^
+||twentyexaggerate.com^
+||twentyqueen.com^
+||twigdose.com^
+||twigstandardexcursion.com^
+||twigwisp.com^
+||twilightsentiments.com^
+||twilightsuburbmill.com^
+||twinadsrv.com^
+||twinfill.com^
+||twinkle-fun.net^
+||twinklecourseinvade.com^
+||twinpinenetwork.com^
+||twinrdack.com^
+||twinrdengine.com^
+||twinrdsrv.com^
+||twinrdsyn.com^
+||twinrdsyte.com^
+||twinrtb.com^
+||twinseller.com^
+||twinsoflave.com^
+||twinsrv.com^
+||twirlninthgullible.com^
+||twistads.com^
+||twistconcept.com^
+||twistcrevice.com^
+||twistedhorriblybrainless.com^
+||twisthello.com^
+||twithdifyferukentas.info^
+||twittad.com^
+||twkcbfwam.com^
+||twnrydt.com^
+||twoepidemic.com^
+||twovqti.com^
+||twpasol.com^
+||twrencesprin.info^
+||twsylxp.com^
+||twtad.com^
+||twtdkzg.com^
+||twvybupqup.xyz^
+||twwxjqsk.com^
+||twztdhdgjtg.com^
+||txcmjo.com^
+||txeefgcutifv.info^
+||txgeszx.com^
+||txhrnluuyt.com^
+||txjhmbn.com^
+||txnhmdvka.com^
+||txpwtidvgvt.com^
+||txrhpjddhbal.com^
+||txtsetzdcxnrc.com^
+||txumirk.com^
+||txwhfmxlmu.com^
+||txxtgnpqi.com^
+||txzaazmdhtw.com^
+||txzdbxtyhebo.com^
+||tyblecnuft.com^
+||tyburnpenalty.com^
+||tychon.bid^
+||tyhjukinimoqfgv.com^
+||tyhlwigp.com^
+||tyhwheveeshngi.xyz^
+||tyhyorvhscdbx.xyz^
+||tyingentered.com^
+||tyjttinacorners.info^
+||tylcpcikj.com^
+||tylfgkf.com^
+||tylocintriones.com^
+||tylosischewer.com^
+||tynessubpart.com^
+||tyningtufa.top^
+||tynt.com^
+||typescoordinate.com^
+||typesluggage.com^
+||typicalappleashy.com^
+||typicallyapplause.com^
+||typicalsecuritydevice.com^
+||typiccor.com^
+||typiconrices.com^
+||typojesuit.com^
+||typsxumcsjw.com^
+||tyqptghilt.com^
+||tyqwjh23d.com^
+||tyranbrashore.com^
+||tyranpension.com^
+||tyresleep.com^
+||tyrotation.com^
+||tyserving.com^
+||tystnnnrluv.com^
+||tytlementwre.info^
+||tytyeastfeukufun.info^
+||tyuimln.net^
+||tywdchppfgds.xyz^
+||tzaho.com^
+||tzaqkp.com^
+||tzegilo.com^
+||tzgcwfvrf.com^
+||tzgygfy.com^
+||tzngtmzpvysh.com^
+||tzpysvqblhn.com^
+||tzrlfzwyicvj.com^
+||tzuhumrwypw.com^
+||tzvojcc.com^
+||tzvpn.site^
+||tzvroyuhmkvlsa.com^
+||tzyjotwoocku.com^
+||u-50-rbdm.com^
+||u0054.com^
+||u0064.com^
+||u21drwj6mp.com^
+||u29qnuav3i6p.com^
+||u595sebqih.com^
+||u59shs96o.com^
+||u5lxh1y1pgxy.shop^
+||u9axpzf50.com^
+||u9clrgnus.com^
+||uaaftpsy.com^
+||uabpuwz.com^
+||uads.cc^
+||uads.digital^
+||uads.guru^
+||uads.info^
+||uads.pw^
+||uads.space^
+||uads.store^
+||uahpycewbx.com^
+||uakarisigneur.com^
+||uamoctchgmkya.com^
+||uanbpywrumpuj.com^
+||uaputgtwlhkmtr.com^
+||uavbgdw.com^
+||uawvmni.com^
+||uazwqqlt.com^
+||ubadzufyfjcd.com^
+||ubbfpm.com^
+||ubdiysvv.com^
+||ubdjdtraxe.com^
+||ubdmfxkh.com^
+||ubeestis.net^
+||ubiirddtnmja.com^
+||ubilinkbin.com^
+||ubish.com^
+||uboungera.com^
+||ubsgssex.com^
+||ubthyoitrr.com^
+||ubzjpnrr.com^
+||ubzsvgyo.com^
+||ucationinin.info^
+||ucationininancee.info
+||ucazgetyk.com^
+||ucbedayxxqpyuo.xyz^
+||ucconn.live^
+||ucdbepelfi.com^
+||ucgnawffqess.xyz^
+||ucgxnstr.com^
+||ucheephu.com^
+||uchxtxel.com^
+||uckbcroqkb.com^
+||uclrlydjewxcl.xyz^
+||ucocesisfulyly.info^
+||ucteqibnblrjhpb.com^
+||ucurjydbxbz.com^
+||ucx98rp6g.com^
+||udairgawob.net^
+||udalmancozen.com^
+||udarem.com^
+||udbaa.com^
+||udegepq.com^
+||udetqwj.com^
+||udgpjfdzxrvecn.com^
+||udinugoo.com^
+||udkcqpmuhc.com^
+||udksgsuvcpm.com^
+||udmserve.net^
+||udookrou.com^
+||udraokrou.com^
+||udtropary.top^
+||uduhytyllobm.com^
+||uduxztwig.com^
+||udzpel.com^
+||uecppuciocadi.com^
+||uedvxswwfub.com^
+||uejntsxdffp.com^
+||uejqwhabj.xyz^
+||uel-uel-fie.com^
+||uelllwrite.com^
+||uepkcdjgp.com^
+||uesxbzchchv.com^
+||uewztebe.com^
+||uf4l9b2kw.com^
+||ufaexpert.com^
+||ufbnqsfbpkmindy.com^
+||ufeevhhnjilfeo.com^
+||ufewhistug.net^
+||ufgkypfhervr.com^
+||ufiledsit.com^
+||ufinkln.com^
+||ufoomals.net^
+||ufouxbwn.com^
+||ufpcdn.com^
+||ufpfbjcwdqumph.com^
+||ufphkyw.com^
+||ufqxgccf.com^
+||ufvxiyewsyi.com^
+||ufzanvc.com^
+||ufzqrmflbnlze.com^
+||ugahutoa.com^
+||ugailidsay.xyz^
+||ugdffrszmrapj.com^
+||ugeewhee.xyz^
+||ughzfjx.com^
+||ugloopie.com^
+||uglylearnt.com^
+||ugopkl.com^
+||ugrarvy.com^
+||ugricmoist.com^
+||ugroocuw.net^
+||ugroogree.com^
+||uguforvfud.com^
+||ugujwhwwyh.com^
+||ugyeon.com^
+||ugyplysh.com^
+||uhclatdxsbidyk.com^
+||uhdokoq5ocmk.com^
+||uhedsplo.com^
+||uhegarberetrof.com^
+||uhfdsplo.com^
+||uhhgaodcxckgvqs.xyz^
+||uhncnmeubny.com^
+||uhodsplo.com^
+||uhpdsplo.com^
+||uhrmzgp.com^
+||uhsmmaq4l2n5.com^
+||uhwwrtoesislugj.xyz^
+||ui02.com^
+||uidhealth.com^
+||uidsync.net^
+||uilfmzzzu.com^
+||uilzwzx.com^
+||uimserv.net^
+||uingroundhe.com^
+||uioubveq.com^
+||uirinareceded.com^
+||ujautifuleed.xyz^
+||ujidhusjvmbfv.com^
+||ujscdn.com^
+||ujtgtmj.com^
+||ujurupa.com^
+||ujwfsvqcnafp.com^
+||ujznabh.com^
+||uk08i.top^
+||ukankingwithea.com^
+||ukaugesh.com^
+||ukayhvbyrk.com^
+||ukbcjxvaejpfdxx.com^
+||ukcomparends.pro^
+||ukdliketobepa.monster^
+||ukdtzkc.com^
+||ukenthasmeetu.com^
+||ukentsiwoulukdlik.info^
+||ukidiayddbshfl.com^
+||ukindwouldmeu.com^
+||ukizeiasninan.info^
+||uklgakwqy.com^
+||ukloxmchcdnn.com^
+||uklvnfxvjgc.com^
+||ukmlastityty.info^
+||ukndaspiratioty.info^
+||uknsyenergyfle.info^
+||ukpdjsailq.com^
+||ukrkskillsombine.info^
+||ukskxmh.com^
+||uksqotykpmjtdgw.com^
+||uktureukworekt.info^
+||ukzoweq.com^
+||ul8seok7w5al.com^
+||ulaiwhiw.xyz^
+||ulathana.com^
+||ulcerextent.com^
+||uldlikukemyfueu.com^
+||uldmakefeagr.info^
+||ulekvetch.click^
+||ulesxbo.com^
+||ulfqakqfng.xyz^
+||ullucupuces.click^
+||ulmmmvjfbbmk.com^
+||ulmoyc.com^
+||ulmujev.com^
+||ulnaswotter.top^
+||ulngjwvbhyyfkum.com^
+||uloaludu.xyz^
+||ulourgaz.net^
+||ulried.com^
+||ulsmcdn.com^
+||ulteriorprank.com^
+||ulteriorthemselves.com^
+||ultetrailways.info^
+||ultimatefatiguehistorical.com^
+||ultimaterequirement.com^
+||ultimatumrelaxconvince.com^
+||ultrabetas.com^
+||ultracdn.top^
+||ultraclassmate.com^
+||ulukaris.com^
+||ulvpdxabzuoy.com^
+||umbersurf.top^
+||umbretalen.com^
+||umdgene.com^
+||umebella.com^
+||umekana.ru^
+||umentrandings.xyz^
+||umescomymanda.info^
+||umexalim.com^
+||umhlnkbj.xyz^
+||umiackscursors.com^
+||umjcamewiththe.info^
+||umoughtcallm.com^
+||umoxomv.icu^
+||umpedshumal.com^
+||umplmoht.com^
+||umplohzn.com^
+||umqiapzsc.com^
+||umqmxawxnrcp.com^
+||umtudo.com^
+||umumallowecouldl.info^
+||umuotov.com^
+||umvibwqrumfqk.com^
+||unacceptableclevercapable.com^
+||unacceptableironicaldrone.com^
+||unacceptableperfection.com^
+||unaccustomedchessoldest.com^
+||unaces.com^
+||unafeed.com^
+||unairedcushite.com^
+||unamplespalax.com^
+||unanac.com^
+||unanimousbrashtrauma.com^
+||unarbokor.com^
+||unaswpzo.com^
+||unattractivehastypendulum.com^
+||unauthorizedsufficientlysensitivity.com^
+||unavailableprocessionamazingly.com^
+||unawaredisk.com^
+||unawarehistory.pro^
+||unawarelinkedlaid.com^
+||unazumarillan.com^
+||unbalterce.com^
+||unbearablepulverizeinevitably.com^
+||unbeardgorraf.top^
+||unbeedrillom.com^
+||unbelievableheartbreak.com^
+||unbelievableinnumerable.com^
+||unbelievablydemocrat.com^
+||unblock2303.xyz^
+||unblock2304.xyz^
+||unbloodied.sbs^
+||unboybandeng.top^
+||unbunearyan.com^
+||unbuttonfootprintssoftened.com^
+||uncalmfencer.top^
+||uncannynobilityenclose.com^
+||uncastnork.com^
+||uncertainimprovementsspelling.com^
+||unciat.com^
+||unclealcine.com^
+||uncleffaan.com^
+||unclehem.com^
+||unclesnewspaper.com^
+||uncletroublescircumference.com^
+||unclogslenis.top^
+||uncomfortableremote.com^
+||uncoverarching.com^
+||uncoylyreprint.com^
+||uncrampflans.top^
+||uncrobator.com^
+||uncroptbhutia.com^
+||uncrownarmenic.com^
+||under2given.com^
+||underaccredited.com^
+||underagebeneath.com^
+||undercambridgeconfusion.com^
+||underclick.ru^
+||undercovercinnamonluxury.com^
+||undercoverdwell.com^
+||undercoverwaterfront.com^
+||underdog.media^
+||undergoneentitled.com^
+||undergroundbrows.com^
+||underminesprout.com^
+||underpantscostsdirection.com^
+||underpantsdefencelesslearn.com^
+||underpantshomesimaginary.com^
+||underpantsprickcontinue.com^
+||understandableglassfinalize.com^
+||understandablejeopardy.com^
+||understandassure.com^
+||understandcomplainawestruck.com^
+||understandextremityshipping.com^
+||understandingspacecraftbachelor.com^
+||understandingspurt.com^
+||understandintimidate.com^
+||understandskinny.com^
+||understatedworking.com^
+||understatementimmoderate.com^
+||understoodadmiredapprove.com^
+||understoodeconomicgenetic.com^
+||undertakingaisle.com^
+||undertakinghomeyegg.com^
+||undertakingmight.com^
+||underwarming.com^
+||underwaterbirch.com^
+||underwilliameliza.com^
+||undiesthumb.com^
+||undigneseltzer.top^
+||undooptimisticsuction.com^
+||undoubtedlyavowplanets.com^
+||undressregionaladdiction.com^
+||undubirprourass.com^
+||uneatenhopbush.com^
+||uneign.com^
+||unelekidan.com^
+||unelgyemom.com^
+||unemploymentinstinctiverite.com^
+||unemploymentnumeric.com^
+||unendlyyodeled.top^
+||unequalbrotherhermit.com^
+||unequaltravelresearch.com^
+||unevenobjective.com^
+||unevenregime.com^
+||unfairgenelullaby.com^
+||unfairpromritual.com^
+||unfaithfulgoddess.com^
+||unfina.com^
+||unfinisheddolphin.com^
+||unfolded-economics.com^
+||unforgivableado.com^
+||unforgivablefrozen.com^
+||unfortunatelydestroyedfuse.com^
+||unfortunatelydroopinglying.com^
+||unfortunatelyprayers.com^
+||unfriendlysalivasummoned.com^
+||ungatedsynch.com^
+||ungiblechan.com^
+||ungillhenbane.com^
+||ungloomnisnas.com^
+||ungothoritator.com^
+||ungoutylensmen.website^
+||ungroudonchan.com^
+||unhappidustee.com^
+||unhappyswitch.com^
+||unhatedprotei.com^
+||unhealthybravelyemployee.com^
+||unhedgekuchen.top^
+||unherdtp.com^
+||unhonedyork.shop^
+||unhorseaa.com^
+||unhrjzn.com^
+||unicast.com^
+||unicatethebe.org^
+||unicornpride123.com^
+||unifiedreiced.com^
+||unifini.de^
+||uniformyeah.com^
+||uninvitednobody.com^
+||unionscircumstances.com^
+||unitersgrazie.com^
+||unitethecows.com^
+||unitsympathetic.com^
+||universalappend.com^
+||universalbooklet.com^
+||universaldatedimpress.com^
+||universalflaskshrimp.com^
+||universalsrc.com^
+||universityeminenceloosen.com^
+||universityofinternetscience.com^
+||universitypermanentlyhusk.com^
+||unjointbobbed.com^
+||unkinpigsty.com^
+||unknownhormonesafeguard.com^
+||unlawedimaret.top^
+||unlesscooler.com^
+||unlika.com^
+||unlikelymoscow.com^
+||unloathscalena.com^
+||unlockecstasyapparatus.com^
+||unlockmaddenhooray.com^
+||unlocky.org^
+||unlocky.xyz^
+||unloetiosal.com^
+||unluciddesmids.top^
+||unluckydead.pro^
+||unluckyflagtopmost.com^
+||unluxioer.com^
+||unmeltsavaged.click^
+||unmightboxen.com^
+||unmisdreavusom.com^
+||unmownpirated.shop^
+||unnaturalstring.com^
+||unnecessarydispleasedleak.com^
+||unnish.com^
+||unoblotto.net^
+||unofficialwanderingreplica.com^
+||unornlysire.com^
+||unpackjanuary.com^
+||unpackthousandmineral.com^
+||unpaledbooker.top^
+||unpanchamon.com^
+||unpaundlagot.com^
+||unphionetor.com^
+||unplainodalman.com^
+||unpleasantconcrete.com^
+||unpleasanthandbag.com^
+||unppnshe.com^
+||unpred.com^
+||unpredictablehateagent.com^
+||unprofessionalremnantthence.com^
+||unqrppiyb.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^
+||unsealsweller.top^
+||unseaminoax.click^
+||unseamssafes.com^
+||unseenrazorcaptain.com^
+||unseenreport.com^
+||unseenshingle.com^
+||unsettledfederalrefreshing.com^
+||unsettledfencing.com^
+||unshapemeshed.top^
+||unshellbrended.com^
+||unshutgains.com^
+||unsigilyphor.com^
+||unskilfulwalkerpolitician.com^
+||unskilledexamples.com^
+||unslimtugger.top^
+||unsnakyctg.click^
+||unsnareparroty.com^
+||unspeakablefreezing.com^
+||unspeakablepurebeings.com^
+||unstantleran.com^
+||unstilldemeore.com^
+||unstoutgolfs.com^
+||unsuccessfultesttubepeerless.com^
+||unsulkyposes.click^
+||unsurlysiouan.com^
+||untackreviler.com^
+||untelljettons.com^
+||untidybrink.com^
+||untidyseparatelyintroduce.com^
+||untiedecide.com^
+||untiesagami.click^
+||untilfamilythrone.com^
+||untilpatientlyappears.com^
+||untimburra.com^
+||untineanunder.com^
+||untineforward.com^
+||untrendenam.com^
+||untriedcause.pro^
+||untriednegative.com^
+||untrk.xyz^
+||untrol.com^
+||untropiuson.com^
+||untroy.com^
+||untruesubsidedclasped.com^
+||unusualbrainlessshotgun.com^
+||unusuallynonfictionconsumption.com^
+||unusuallyswam.com^
+||unusualwarmingloner.com^
+||unvrlozno.com^
+||unwartortlean.com^
+||unwelcomegardenerinterpretation.com^
+||unwice.com^
+||unwillingsnick.com^
+||unwindflophousework.com^
+||unwindirenebank.com^
+||unwodgtll.com^
+||unwontcajun.top^
+||unwonttawpi.top^
+||unwoobater.com^
+||unworldfoxwood.top^
+||unynwld.com^
+||uod2quk646.com^
+||uoeeiqgiib.xyz^
+||uoetderxqnv.com^
+||uoflkjdc.com^
+||uohdvgscgckkpt.xyz^
+||uohxijnkd.com^
+||uommwhqyefutlp.com^
+||uomsogicgi.com^
+||uorhlwm.com^
+||uorkgssgfzfpe.com^
+||uorwogwlbwtk.xyz^
+||uosyhthogsaavr.com^
+||uosyiozyu.com^
+||uotksykpmkcd.com^
+||up2cdn.com^
+||up4u.me^
+||upaicpa.com^
+||uparceuson.com^
+||upbriningleverforecast.com^
+||upchokedehort.top^
+||upclipper.com^
+||upcomingmonkeydolphin.com^
+||upcurlsreid.website^
+||updaight.com^
+||update-it-now.com^
+||updateadvancedgreatlytheproduct.vip^
+||updatecompletelyfreetheproduct.vip^
+||updateenow.com^
+||updatefluency.com^
+||updatesunshinepane.com^
+||updservice.site^
+||upeatunzone.com^
+||upglideantijam.com^
+||upgliscorom.com^
+||upgulpinon.com^
+||uphelmscowed.com^
+||uphillgrandmaanger.com^
+||uphorter.com^
+||uphoveduke.com^
+||uphoveeh.xyz^
+||upinu.xyz^
+||upkoffingr.com^
+||upleaptlistel.top^
+||upliftsearch.com^
+||uplucarioon.com^
+||upodaitie.net^
+||uponelectabuzzor.club^
+||uponflannelsworn.com^
+||uponhariyamar.com^
+||uponminunan.com^
+||uponpidgeottotor.com^
+||uponsurskita.com^
+||upontogeticr.com^
+||uppsyduckan.com^
+||upqeudhzf.com^
+||upregisteelon.com^
+||uprightanalysisphotographing.com^
+||uprightsaunagather.com^
+||uprightthrough.com^
+||uprimp.com^
+||uprisingrecalledpeppermint.com^
+||uprivaladserver.net^
+||uproarglossy.com^
+||upsaibou.net^
+||upsajeve.com^
+||upsamurottr.com^
+||upseelee.xyz^
+||upseepsi.xyz^
+||upsendsoxid.com^
+||upsetrynd.com^
+||upsettingfirstobserved.com^
+||upshroomishtor.com^
+||upskittyan.com^
+||upspewsafener.com^
+||upspinarakor.com^
+||upstandingmoscow.com^
+||upsups.click^
+||uptafashib.com^
+||uptearfancily.top^
+||uptechnologys.com^
+||uptightfirm.com^
+||uptightimmigrant.com^
+||uptightyear.com^
+||uptimecdn.com^
+||uptodateexpansionenvisage.com^
+||uptodatefinishconferenceroom.com^
+||uptownrecycle.com^
+||uptraceforlore.com^
+||uptuwhum.net^
+||upush.co^
+||upwardbodies.com^
+||upwardsbenefitmale.com^
+||upwardsdecreasecommitment.com^
+||upwxneakm.com^
+||upzekroman.com^
+||uqdoeag.com^
+||uqduhelyxsov.com^
+||uqmmfpr.com^
+||uqnoghmubhon.com^
+||uqotbpmidyewkmb.com^
+||uqpvrqplyqm.com^
+||urambled.com^
+||uranicargine.top^
+||uranismunshore.com^
+||urbandoubt.com^
+||urbanjazzsecretion.com^
+||urechar.com^
+||urgedhearted.com^
+||urgedsuitcase.com^
+||urgefranchise.com^
+||urgentlyfeerobots.com^
+||urgentprotections.com^
+||urgertiddly.top^
+||urimnugocfr.com^
+||urimtats.com^
+||urinebladdernovember.com^
+||urinehere.com^
+||uringherenurew.info^
+||urldelivery.com^
+||urlgone.com^
+||urlhausa.com^
+||urllistparding.info^
+||urmavite.com^
+||urmilan.info^
+||urnigarted.com^
+||urnkcqzu.com^
+||uropygimoraine.com^
+||urpctsrjilp.com^
+||urptcerftud.com^
+||urquqtbswaqta.com^
+||urqxesau.com^
+||urtirepor.com^
+||urucuripomely.com^
+||uruftio.com^
+||uruswan.com^
+||urvgwij.com^
+||us4post.com^
+||usageultra.com^
+||usailtuwhe.com^
+||usainoad.net^
+||usbanners.com^
+||usbrowserspeed.com^
+||usciwhhghsc.com^
+||useaptrecoil.com^
+||usearch.site^
+||usefulcontentsites.com^
+||usefullybruiseddrunken.com^
+||usehol.com^
+||uselnk.com^
+||usenet.world^
+||usenetpassport.com^
+||usersmorrow.com^
+||usertag.online^
+||usetalentedpunk.com^
+||usheeptuthoa.com^
+||usheredbruting.top^
+||ushnjobwcvpebcj.xyz^
+||ushoofop.com^
+||ushzfap.com^
+||usinesmycete.xyz^
+||usingantecedent.com^
+||usiphdtubj.com^
+||usisedprivatedqu.com^
+||usjbwvtqwv.com^
+||uslphoctxrpwry.com^
+||usninicsooey.com^
+||usounoul.com^
+||usquegessoes.com^
+||ussckwroweoyv.com^
+||ussxglczwrscla.com^
+||ust-ad.com^
+||ustetyerecentlyh.info^
+||ustithoo.net^
+||ustomoun.xyz^
+||usuallyaltered.com^
+||usuaryyappish.com^
+||usurperbose.top^
+||usurv.com^
+||uswardwot.com^
+||usylkoifiwa.com^
+||ut13r.online^
+||ut13r.site^
+||ut13r.space^
+||utarget.co.uk^
+||utarget.pro^
+||utarget.ru^
+||utecsfi.com^
+||uterinecordis.top^
+||uthorner.info^
+||uthounie.com^
+||utilitymerle.top^
+||utilitypresent.com^
+||utilitytied.com^
+||utilizedshoe.com^
+||utilizeimplore.com^
+||utilizepersonalityillegible.com^
+||utillib.xyz^
+||utjzyutegq.com^
+||utl-1.com^
+||utlicyweaabdbj.xyz^
+||utm-campaign.com^
+||utmostsecond.com^
+||utndln.com^
+||utokapa.com^
+||utoumine.net^
+||utrinterrommo.com^
+||utrius.com^
+||utrumchippie.top^
+||utterdevice.com^
+||utterlyfunding.com^
+||utterlysever.com^
+||utubepwhml.com^
+||utwyyrjdwgmynu.com^
+||utygdjcs.xyz^
+||utzwgittihhvn.com^
+||uuboos.com^
+||uucfeebvz.com^
+||uudproxxc.com^
+||uudzfbzthj.com^
+||uueuxygn.com^
+||uuhptejwmvn.com^
+||uuidksinc.net^
+||uujtmrxf.xyz^
+||uurhhtymipx.com^
+||uuudqhialb.com^
+||uuxodmjzvgzd.com^
+||uuyhonsdpa.com^
+||uuzlytbpmmhfm.com^
+||uvaugnutseeh.com^
+||uvbyty.com^
+||uveaopqrttvukl.com^
+||uviajpcewsv.com^
+||uvihslkx.com^
+||uvipbmrzlram.com^
+||uvlqgtgqdfl.com^
+||uvoovoachee.com^
+||uvrdhasvzal.com^
+||uvrecussing.shop^
+||uvtuiks.com^
+||uvwelvnydoy.com^
+||uvwtmppnbqgzha.com^
+||uvxclrl.com^
+||uvzomxvbpbgo.com^
+||uvzsmwfxa.com^
+||uwadpksbkzp.com^
+||uwavoptig.com^
+||uwaxoyfklhm.com^
+||uweqsrwoey.com^
+||uwfcqtdb.xyz^
+||uwgmguwpzkeudh.com^
+||uwjhzeb.com^
+||uwkidcbbp.com^
+||uwlzsfo.com^
+||uwmlmhcjmjvuqy.xyz^
+||uwnqbekejrtibi.com^
+||uwoaptee.com^
+||uwougheels.net^
+||uwrzjgtnur.com^
+||uwzxukualwdkx.com^
+||ux782mkgx.com^
+||uxicgxqq.com^
+||uxjpyfzorpkcg.com^
+||uxwnqppdma.com^
+||uxxsiyokw.com^
+||uyceypgygwywfp.com^
+||uyiteasacomsys.info^
+||uyjmbaiogdtkgwt.com^
+||uyjxzvu.com^
+||uyoeybufozsp.com^
+||uypsmaxzejvpqx.com^
+||uzbsvqupnjfsnx.com^
+||uzbxnfwcvhwnz.com^
+||uzdhsjuhrw.com^
+||uzibhigtekn.com^
+||uzqtbthkrqq.com^
+||uzrwqrezkx.com^
+||uztiljvaewg.com^
+||uzzidxlvnq.com^
+||v100homemade.com^
+||v124mers.com^
+||v2cigs.com^
+||v6rxv5coo5.com^
+||v8tw8x8z1.com^
+||v96-surf.com^
+||vaatmetu.net^
+||vacaneedasap.com^
+||vacationinvolve.com^
+||vacationmonday.com^
+||vacationsoot.com^
+||vaccinationinvalidphosphate.com^
+||vaccinationwear.com^
+||vaccineconvictedseafood.com^
+||vacpukna.com^
+||vacuomedogeys.com^
+||vacwrite.com^
+||vadokfkulzr.com^
+||vaebard.com^
+||vaehxkhbhguaq.xyz^
+||vafumjvrvjcup.com^
+||vagancytwerp.top^
+||vagilunger.com^
+||vagkcwvqpty.com^
+||vahoupomp.com^
+||vaifopooface.com^
+||vaiglunoz.com^
+||vaigowoa.com^
+||vaikijie.net^
+||vaikrywlbmca.com^
+||vainfulkmole.com^
+||vainjav11.fun^
+||vaipsona.com^
+||vaipsouw.com^
+||vaithodo.com^
+||vaitotoo.net^
+||vajofu.uno^
+||vak345.com^
+||vaknveb.com^
+||valack.com^
+||valemedia.net^
+||valencytecoma.top^
+||valepoking.com^
+||valesweetheartconditions.com^
+||valetsword.com^
+||valiantjosie.com^
+||valiantmanioca.com^
+||valid-dad.com^
+||validinstruct.com^
+||validworking.pro^
+||valiumbessel.com^
+||vallarymedlars.com^
+||valleymuchunnecessary.com^
+||valleysinstruct.com^
+||valleysrelyfiend.com^
+||valonghost.xyz^
+||valornutricional.cc^
+||valpeiros.com^
+||valuablecompositemagnanimity.com^
+||valuableenquiry.com^
+||valuad.cloud^
+||valuationbothertoo.com^
+||valueclick.cc^
+||valueclick.com^
+||valueclick.net^
+||valueclickmedia.com^
+||valuedalludejoy.com^
+||valuedpulverizelegitimate.com^
+||valuepastscowl.com^
+||valuerfadjavelin.com^
+||valuermainly.com^
+||valuerstray.com^
+||valueslinear.com^
+||valuethemarkets.info^
+||valvyre.com^
+||vamjfssdvjit.com^
+||vampedcortine.com^
+||vampednorbert.com^
+||vampersyacal.com^
+||vamsoupowoa.com^
+||vandalismblackboard.com^
+||vandalismundermineshock.com^
+||vanderebony.pro^
+||vanderlisten.pro^
+||vanflooding.com^
+||vaniacozzolino.com^
+||vanillacoolestresumed.com^
+||vanishedentrails.com^
+||vanishedpatriot.com^
+||vanityassassinationsobbing.com^
+||vapedia.com^
+||vapjcusfua.com^
+||vapourfertile.com^
+||vapourwarlockconveniences.com^
+||vaptoangix.com^
+||varasbrijkt.com^
+||varechphugoid.com^
+||variabilityproducing.com^
+||variableexternal.com^
+||variablespestvex.com^
+||variablevisualforty.com^
+||variationaspenjaunty.com^
+||variedpretenceclasped.com^
+||variedslimecloset.com^
+||variedsubduedplaice.com^
+||varietiesassuage.com^
+||varietiesplea.com^
+||varietyofdisplayformats.com^
+||variousanyplaceauthorized.com^
+||variouscreativeformats.com^
+||variousformatscontent.com^
+||variouspheasantjerk.com^
+||varnishmixed.com^
+||varnishmosquitolocust.com^
+||varorlowjo.com^
+||varshacundy.com^
+||vartoken.com^
+||varycares.com^
+||varyingcanteenartillery.com^
+||varyinginvention.com^
+||varyingsnarl.com^
+||vasclabimorph.com^
+||vasebehaved.com^
+||vasgenerete.com^
+||vasgenerete.site^
+||vasicxcq.com^
+||vassspot.com^
+||vasstycom.com^
+||vasteeds.net^
+||vastroll.ru^
+||vastserved.com^
+||vastsneezevirtually.com^
+||vatanclick.ir^
+||vatcalf.com^
+||vatcertaininject.com^
+||vattingpliable.top^
+||vaugroar.com^
+||vaukoloon.net^
+||vaultmultiple.com^
+||vaultwrite.com^
+||vaumourechu.net^
+||vauptaih.com^
+||vauthaud.net^
+||vavcashpop.com^
+||vavhhpkmfc.com^
+||vavuwetus.com^
+||vawauoggraokog.com^
+||vax-boost.com^
+||vax-now.com^
+||vaxoovos.net^
+||vazshojt.com^
+||vazypteke.pro^
+||vbhuivr.com^
+||vbijjrg.com^
+||vbiofbwey.com^
+||vbmfeuvrtnxafy.com^
+||vbqbtfkon.com^
+||vbrbgki.com^
+||vbrusdiifpfd.com^
+||vbtrax.com^
+||vbzsjkrnsqewy.com^
+||vcbydvfouqqyls.com^
+||vcdc.com^
+||vcdpuyl.com^
+||vcgdfvbvfxq.com^
+||vcmedia.com^
+||vcngehm.com^
+||vcommission.com^
+||vcsesvwajeup.com^
+||vcsjbnzmgjs.com^
+||vcstzmoevdw.com^
+||vcvacpaenqepvm.com^
+||vcvnsyewnv.com^
+||vcxipynawv.com^
+||vcxzp.com^
+||vczypss.com^
+||vdbaa.com^
+||vddf0.club^
+||vdenwwytxmw.com^
+||vdlvry.com^
+||vdmiruryll.xyz^
+||vdopia.com^
+||vdoubt.com^
+||vdzna.com^
+||ve6k5.top^
+||vebadu.com^
+||vebv8me7q.com^
+||vecohgmpl.info^
+||vectisruntier.top^
+||vectorsfangs.com^
+||veeloomo.net^
+||veepteero.com^
+||veeqlly.com^
+||veewhaiw.com^
+||veezljzrkjjyj.top^
+||vefxjjkrhf.com^
+||vegasreals.com^
+||vegetablesparrotplus.com^
+||vegetationadmirable.com^
+||vegetationartcocoa.com^
+||vegetationplywoodfiction.com^
+||vegyttokhldqd.com^
+||vehiclehenriettaassociation.com^
+||vehosw.com^
+||veildiscotacky.com^
+||veilsuccessfully.com^
+||veincartrigeforceful.com^
+||veineryclauber.top^
+||veinletunapart.com^
+||veipcwjeupr.com^
+||vekroata.net^
+||vekseptaufin.com^
+||veldtwalk.com^
+||velikacontact.top^
+||vellutemisused.top^
+||velocecdn.com^
+||velocitycdn.com^
+||velocitypaperwork.com^
+||velopedsever.com^
+||velopedseveralmef.info^
+||veltoleb.com^
+||velvetneutralunnatural.com^
+||vemflutuartambem.com^
+||vempozah.net^
+||vendigamus.com^
+||vendimob.pl^
+||vendingboatsunbutton.com^
+||veneeringextremely.com^
+||veneeringperfect.com^
+||venetrigni.com^
+||venfioletadas.com^
+||vengeancehurriedly.com^
+||vengeancerepulseclassified.com^
+||vengeancewaterproof.com^
+||vengeful-egg.com^
+||veninslata.com^
+||venisonabreastdamn.com^
+||venisonreservationbarefooted.com^
+||venkrana.com^
+||venomoussolidhow.com^
+||venomouswhimarid.com^
+||ventagecauking.top^
+||ventilatorcorrupt.com^
+||ventrequmus.com^
+||ventualkentineda.info^
+||venturead.com^
+||ventureclamourtotally.com^
+||venturepeasant.com^
+||venueitemmagic.com^
+||venuewasadi.org^
+||venulaeriggite.com^
+||venusfritter.com^
+||veomjnjz.com^
+||veoxphl.com^
+||vepemtuphul.net^
+||vephowcpyvncm.com^
+||veralmefarketi.info^
+||verandahcrease.com^
+||verbcardinal.com^
+||vereforhedidno.info^
+||veresultedinncre.org^
+||vergi-gwc.com^
+||vergu.xyz^
+||verifiablevolume.com^
+||verify-human.b-cdn.net^
+||veritiesgarlejobade.com^
+||vernementsec.info^
+||verninchange.com^
+||vernondesigninghelmet.com^
+||vernonspurtrash.com^
+||veronalhaf.com^
+||verooperofthewo.com^
+||verrippleshi.info^
+||versatileadvancement.com^
+||verse-content.com^
+||versedarkenedhusky.com^
+||versinehopper.com^
+||versionsfordisplay.com^
+||versionslent.com^
+||verticallydeserve.com^
+||verticallyrational.com^
+||verwh.com^
+||verygoodminigames.com^
+||veryn1ce.com^
+||verysilenit.com^
+||vespymedia.com^
+||vessoupy.com^
+||vessubysvspr.com^
+||vestalsabuna.shop^
+||vestigeboxesreed.com^
+||vestigeencumber.com^
+||vesuvinaqueity.top^
+||vetcheslegumen.com^
+||vethojoa.net^
+||vetoembrace.com^
+||vetrainingukm.info^
+||veuuulalu.xyz^
+||vevatom.com^
+||vevqlgmmkgu.com^
+||vexacion.com^
+||vexationworship.com^
+||vexedkindergarten.com^
+||vexevutus.com^
+||vexolinu.com^
+||vezizey.xyz^
+||vfcsesjgbj.com^
+||vfeeopywioabi.xyz^
+||vfghc.com^
+||vfghd.com^
+||vfgte.com^
+||vfgtg.com^
+||vfjydbpywqwe.xyz^
+||vfl81ea28aztw7y3.pro^
+||vflouksffoxmlnk.xyz^
+||vfthr.com^
+||vfvdsati.com^
+||vfvvhywsdons.com^
+||vfzqtgr.com^
+||vg4u8rvq65t6.com^
+||vg876yuj.click^
+||vgfeuwrewzzmc.com^
+||vgfhycwkvh.com^
+||vgmnpjnrpj.com^
+||vhdbohe.com^
+||vheoggjiqaz.com^
+||vhihvqsuarpp.com^
+||vhjgeivll.com^
+||vhlnxugwazjwte.com^
+||vhneajupavrb.com^
+||vhrtgvzcmrfoo.com^
+||vhsugcbelruygy.com^
+||vhvmiinx.com^
+||vi-serve.com^
+||viabagona.com^
+||viableconferfitting.com^
+||viablegiant.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^
+||vibetrogue.click^
+||vibrantvale.com^
+||vibrateapologiesshout.com^
+||vic-m.co^
+||vicanerly.top^
+||vicious-instruction.pro^
+||viciousdepartment.com^
+||viciousdiplomaroller.com^
+||viciousphenomenon.com^
+||victimcondescendingcable.com^
+||victory-vids.online^
+||victoryrugbyumbrella.com^
+||victorytunatulip.com^
+||victoryvids.space^
+||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^
+||vids-branch.online^
+||vids-fun.online^
+||vidsbig.online^
+||vidsbig.space^
+||vidsbranch.online^
+||vidsbranch.space^
+||vidschannel.online^
+||vidschannel.space^
+||vidsfull.online^
+||vidsfull.space^
+||vidshouse.online^
+||vidsmoon.online^
+||vidsmoon.space^
+||vidsocean.online^
+||vidsocean.space^
+||vidsplanet.online^
+||vidsplanet.space^
+||vidsreal.online^
+||vidsreal.space^
+||view-flix.com^
+||viewablemedia.net^
+||viewagendaanna.com^
+||viewclc.com^
+||viewedmockingcarsick.com^
+||viewerebook.com^
+||viewlnk.com^
+||viewpointscissorsfolks.com^
+||viewscout.com^
+||viewsoz.com^
+||viewyentreat.guru^
+||vighooss.net^
+||vigorouslyflamboyant.com^
+||vigorouslyrutmonsieur.com^
+||vigourmotorcyclepriority.com^
+||vigsole.com^
+||vihub.ru^
+||viiahdlc.com^
+||viiaoqke.com^
+||viiapps.com^
+||viiavjpe.com^
+||viibest.com^
+||viicqujz.com^
+||viicylmb.com^
+||viiddai.com^
+||viidirectory.com^
+||viidsyej.com^
+||viifixi.com^
+||viifogyp.com^
+||viiguqam.com^
+||viihloln.com^
+||viihot.com^
+||viihouse.com^
+||viiiaypg.com^
+||viiigle.com^
+||viiinfo.com^
+||viiioktg.com^
+||viiith.com^
+||viiithia.com^
+||viiithical.com^
+||viiithin.com^
+||viiithinks.com^
+||viiiyskm.com^
+||viijan.com^
+||viikttcq.com^
+||viimaster.com^
+||viimfua.com^
+||viimgupp.com^
+||viimksyi.com^
+||viimobile.com^
+||viimsa.com^
+||viimsical.com^
+||viimurakhi.com^
+||viioxx.com^
+||viiphciz.com^
+||viipilo.com^
+||viipour.com^
+||viippugm.com^
+||viipurakan.com^
+||viipurakhi.com^
+||viipurakit.com^
+||viipuram.com^
+||viipurambe.com^
+||viipurant.com^
+||viipurises.com^
+||viiqqou.com^
+||viiqxpnb.com^
+||viireviews.com^
+||viirift.com^
+||viirkagt.com^
+||viiruc.com^
+||viistroy.com^
+||viitgb.com^
+||viitqvjx.com^
+||viitsical.com^
+||viiturn.com^
+||viivedun.com^
+||viivideo.com^
+||viiwriz.com^
+||viiyblva.com^
+||viizuusa.com^
+||vijcwykceav.com^
+||vijeli.uno^
+||vikaez.xyz^
+||vikrak.com^
+||vilddungari.top^
+||vilelaaccable.com^
+||vilereasoning.com^
+||vilerebuffcontact.com^
+||viliaff.com^
+||villagepalmful.com^
+||villagerprolific.com^
+||villagerreporter.com^
+||villcortege.top^
+||vilpujzmyhu.com^
+||vincentagrafes.top^
+||vindexmesode.com^
+||vindicosuite.com^
+||vinegardaring.com^
+||vingartistictaste.com^
+||vinosedermol.com^
+||vintageperk.com^
+||vintagerespectful.com^
+||violatedroppompey.com^
+||violationphysics.click^
+||violationphysics.com^
+||violationspoonconfront.com^
+||violencegloss.com^
+||violentelitistbakery.com^
+||violentinduce.com^
+||violentlybredbusy.com^
+||violet-strip.pro^
+||violetlovelines.com^
+||violinagluon.shop^
+||violinboot.com^
+||violindealtcynical.com^
+||violinmode.com^
+||vionito.com^
+||viowrel.com^
+||vioytuituunmsr.com^
+||vip-datings.life^
+||vip-vip-vup.com^
+||vipads.live^
+||vipcaptcha.live^
+||vipcpms.com^
+||viperiduropygi.top^
+||viperishly.com^
+||vipicmou.net^
+||viqxdidnwcaa.com^
+||viqyrcsnuaqxvyg.com^
+||viral481.com^
+||viral782.com^
+||viralcpm.com^
+||viralmediatech.com^
+||viralnewsobserver.com^
+||viralnewssystems.com^
+||virgindisguisearguments.com^
+||virginityneutralsouls.com^
+||virginitystudentsperson.com^
+||virginyoungestrust.com^
+||virtuallythanksgivinganchovy.com^
+||virtuereins.com^
+||virtuousescape.pro^
+||visargadimmit.com^
+||visariomedia.com^
+||visaspecialtyfluid.com^
+||viscountquality.com^
+||visfirst.com^
+||visiads.com^
+||visibilitycrochetreflected.com^
+||visibleevil.com^
+||visiblegains.com^
+||visiblejoseph.com^
+||visiblemeasures.com^
+||visionchillystatus.com^
+||visitationdependwrath.com^
+||visitedquarrelsomemeant.com^
+||visithaunting.com^
+||visitingheedlessexamine.com^
+||visitingpurrplight.com^
+||visitorcardinal.com^
+||visitormarcoliver.com^
+||visitpipe.com^
+||visitsclaves.shop^
+||visitstats.com^
+||visitstrack.com^
+||visitswigspittle.com^
+||visitweb.com^
+||visoadroursu.com^
+||vistoolr.net^
+||vitaminalcove.com^
+||vitiumcranker.com^
+||vitiumkerel.top^
+||vitor304apt.com^
+||vivaciousbudget.pro^
+||viviendoefelizz.online^
+||viwjsp.info^
+||viwvamotrnu.com^
+||vizoalygrenn.com^
+||vizofnwufqme.com^
+||vizoredcheerly.com^
+||vizpwsh.com^
+||vjcpvfessh.xyz^
+||vjdciu.com^
+||vjijvefrr.com^
+||vjsohgd.com^
+||vjtskjg.com^
+||vjugz.com^
+||vjzlgtnaov.com^
+||vkarrc.com^
+||vkeagmfz.com^
+||vkezpstgtjxym.com^
+||vkfvrsgj.com^
+||vkgtrack.com^
+||vkkotuek.xyz^
+||vklljvzzeylj.top^
+||vknrfwwxhxaxupqp.pro^
+||vksegjhestouij.com^
+||vksphze.com^
+||vkusbtnxubme.com^
+||vkwzbjifb.com^
+||vlbbyi.com^
+||vlbyzgj.com^
+||vlcjpeailboxbw.com^
+||vlfpznssnvbdt.com^
+||vlitag.com^
+||vlkkwxncamnq.com^
+||vlkxsrhi.com^
+||vllsour.com^
+||vlnk.me^
+||vlry5l4j5gbn.com^
+||vltjnmkps.xyz^
+||vlvbyqgjqj.com^
+||vm8lm1vp.xyz^
+||vmbcdprc.com^
+||vmbgoblxpl.com^
+||vmkdfdjsnujy.xyz^
+||vmkoqak.com^
+||vmmcdn.com^
+||vmqmmjaiaqaopq.com^
+||vmring.cc^
+||vmuid.com^
+||vmvajwc.com^
+||vnbyclsboyoya.com^
+||vndcrknbh.xyz^
+||vnie0kj3.cfd^
+||vnihhkgayhj.com^
+||vnrherdsxr.com^
+||vntsm.com^
+||vntsm.io^
+||vnvbqpqjgsy.com^
+||vnvqoihbwgjqpa.com^
+||vnwrlhgvczf.com^
+||voapozol.com^
+||voataigru.com^
+||voawbugcy.com^
+||vocablyheir.top^
+||vocalconferencesinister.com^
+||vocalreverencepester.com^
+||vocath.com^
+||vocationalenquired.com^
+||voderbhungi.com^
+||vodjnqarncm.com^
+||vodlpsf.com^
+||vodobyve.pro^
+||vohqpgsdn.xyz^
+||voicebeddingtaint.com^
+||voicedstart.com^
+||voicepainlessdonut.com^
+||voicepeaches.com^
+||voicerdefeats.com^
+||voidmodificationdough.com^
+||vokaunget.xyz^
+||vokjslngw.xyz^
+||volatintptr.com^
+||volcanoexhibitmeaning.com^
+||volcanostricken.com^
+||voldarinis.com^
+||voleryclat.com^
+||volform.online^
+||volleyballachiever.site^
+||volna2babla1dh1.com^
+||volumedpageboy.com^
+||volumesundue.com^
+||voluminoussoup.pro^
+||volumntime.com^
+||voluntarilydale.com^
+||voluntarilylease.com^
+||voluntarilystink.com^
+||volunteerbrash.com^
+||voluumtracker.com^
+||voluumtrk.com^
+||voluumtrk3.com^
+||volyze.com^
+||vomitelse.com^
+||vomitlifeboatparliamentary.com^
+||vomitsuite.com^
+||vonciejsx.com^
+||vonkol.com^
+||vooculok.com^
+||vooodkabelochkaa.com^
+||voopaicheba.com^
+||vooptikoph.net^
+||vooruvou.com^
+||vooshagy.net^
+||vootapoago.com^
+||voowiche.com^
+||voqqdmezdbbr.com^
+||voredi.com^
+||vorhanddoob.top^
+||vorougna.com^
+||vossulekuk.com^
+||voteclassicscocktail.com^
+||votinginvolvingeyesight.com^
+||vouchafagle.com^
+||vouchanalysistonight.com^
+||voufasoadoot.net^
+||vougaipte.net^
+||vounesto.com^
+||voustwhimsic.com^
+||vowcertainly.com^
+||vowelparttimegraceless.com^
+||voxar.xyz^
+||voxfind.com^
+||voxjvytmisj.com^
+||voxmrcdgzuwb.com^
+||voyageschoolanymore.com^
+||voyagessansei.com^
+||vpbpb.com^
+||vpfudjdi.com^
+||vpico.com^
+||vpipi.com^
+||vpixrlkggv.com^
+||vpkdrxyx.com^
+||vplgggd.com^
+||vpn-defend.com^
+||vpn-offers.com^
+||vpn-offers.info^
+||vpnlist.to^
+||vpop2.com^
+||vpotyflfox.com^
+||vprtrfc.com^
+||vprwamqmdd.xyz^
+||vptbn.com^
+||vptzqnjwguap.com^
+||vpuaklat.com^
+||vpumfeghiall.com^
+||vpwhhtpwhmd.com^
+||vpwyehsh.com^
+||vqagwoaetsahu.com^
+||vqcuzypju.com^
+||vqfustjnvph.com^
+||vqglaz.com^
+||vqhmjvzvdj.com^
+||vqjvnjxbgnz.com^
+||vqonjcnsl.com^
+||vqrqnylppo.com^
+||vrasxjrsl.com^
+||vrbmhngqjh.com^
+||vrcjleonnurifjy.xyz^
+||vrgvugostlyhewo.info^
+||vrhgfvztgmcl.com^
+||vrime.xyz^
+||vroaafoi.com^
+||vrplynsfcr.xyz^
+||vrquqhnikhcnixn.com^
+||vrtzads.com^
+||vrvthmwyvbedy.com^
+||vs3.com^
+||vscfbcovhctu.com^
+||vsftsyriv.com^
+||vsgfjfsmcewnuhx.com^
+||vsgyfixkbow.com^
+||vshzouj.com^
+||vsmokhklbw.com^
+||vstqvcbljb.com^
+||vstserv.com^
+||vstvstsa.com^
+||vstvstsaq.com^
+||vsucocesisful.com^
+||vt894axs16.com^
+||vtabnalp.net^
+||vtbrcixnca.com^
+||vtdtdkaty.com^
+||vteflygt.com^
+||vtetishcijmi.com^
+||vtftijvus.xyz^
+||vttbtsamsbbcpgy.com^
+||vtveyowwjvz.com^
+||vtvkkbasfm.com^
+||vtxluebammbfs.com^
+||vubihowhe.com^
+||vudaiksaidy.com^
+||vudkgwfk.xyz^
+||vudoutch.com^
+||vuftouks.com^
+||vufzuld.com^
+||vugnoolr.com^
+||vugnubier.com^
+||vuhnvtrfj.com^
+||vuieoqhenxeaiv.com^
+||vuiluaz.xyz^
+||vujriahqyleveh.com^
+||vukpwyvge.com^
+||vulgarmilletappear.com^
+||vulnerablebreakerstrong.com^
+||vulnerableordered.com^
+||vulnjcmqu.com^
+||vuolobnhqb.com^
+||vuphoubs.com^
+||vupoupay.com^
+||vuqcteyi.com^
+||vuqufo.uno^
+||vursoofte.net^
+||vuruzy.xyz^
+||vusrabieg.com^
+||vuvacu.xyz^
+||vuvcroguwtuk.com^
+||vuvochgw.xyz^
+||vuwmxjusucnh.com^
+||vuyngptxhjtmdn.com^
+||vuzxgvjt.com^
+||vv8h9vyjgnst.com^
+||vvehvch.com^
+||vvgpkowlun.com^
+||vvobtrjtinsd.com^
+||vvpabthqlyvdfk.com^
+||vvpojbsibm.xyz^
+||vvprcztaw.com^
+||vvrbjtjxmlgcd.xyz^
+||vvsesfeunlu.com^
+||vvtadblk.online^
+||vvvljeqasz.com^
+||vvwkfxidtw.com^
+||vvzzphefzcdfr.com^
+||vwchbsoukeq.xyz^
+||vwciywmidwvel.com^
+||vwcqjnqy.com^
+||vwdtyjygxap.com^
+||vwedfijcm.xyz^
+||vwegihahkos.com^
+||vwhnfwdbf.com^
+||vwhwspngk.com^
+||vwinagptucpa.com^
+||vwl7kia4fzz6.com^
+||vwpttkoh.xyz^
+||vwqohlgfneusxy.com^
+||vwswilfrveqzw.com^
+||vwtqjotm.com^
+||vwwzygltq.com^
+||vxfpsgwhm.com^
+||vxkvekeelfpymy.com^
+||vxlpuja.com^
+||vxnbklwrctqbn.xyz^
+||vxoncbelghuic.com^
+||vxorjza.com^
+||vxrydraquqcwb.com^
+||vxsscpctuiq.com^
+||vxxizaan.com^
+||vxxxfveohck.com^
+||vy8f0wjhp.com^
+||vyazmi.com^
+||vyetjigm.com^
+||vyfrxuytzn.com^
+||vypywufmbsp.com^
+||vyqpumohlvdsd.xyz^
+||vz.7vid.net^
+||vzhzlraxtwgyn.com^
+||vzigttqgqx.com^
+||vzksnszthuq.com^
+||vzoarcomvorz.com^
+||vzphikkfy.com^
+||vztlivv.com^
+||vzufzah.com^
+||vzzramqlfb.com^
+||w3exit.com^
+||w3plywbd72pf.com^
+||w4.com^
+||w454n74qw.com^
+||w55c.net^
+||w65mymobile.com^
+||w76mddb.com^
+||w99megeneral.com^
+||wabhrkynybk.com^
+||wachipho.net^
+||wackeerd.com^
+||wacoloather.top^
+||wadauthy.net^
+||waeiftfylzo.com^
+||waescyne.com^
+||waeshana.com^
+||wafflesquaking.com^
+||wafmedia6.com^
+||waframedia5.com^
+||wagaloo.co.in^
+||wagecolorful.com^
+||wagenerfevers.com^
+||wagerjoint.com^
+||wagerprocuratorantiterrorist.com^
+||wagershare.com^
+||wagersinging.com^
+||waggonerchildrensurly.com^
+||waggonerfoulpillow.com^
+||wagroyalcrap.com^
+||wagtelly.com^
+||wahile.com^
+||wahoha.com^
+||waigepsap.net^
+||waigriwa.xyz^
+||waioowcadhw.xyz^
+||waisheph.com^
+||waistcoataskeddone.com^
+||waistdeafgeorgiana.com^
+||wait4hour.info^
+||waiterregistrydelusional.com^
+||waitheja.net^
+||waiting.biz^
+||wakemessyantenna.com^
+||wakenssponged.com^
+||wakoreacetous.com^
+||walkedcreak.com^
+||walkerbayonet.com^
+||walkernewspapers.com^
+||walkerscitola.top^
+||walkinggruff.com^
+||walkingtutor.com^
+||walknotice.com^
+||wallacehoneycombdry.com^
+||wallacelaurie.com^
+||walletbrutallyredhead.com^
+||wallowwholi.info^
+||wallowwholikedto.info^
+||wallpapersfacts.com^
+||wallstrads.com^
+||waltergasp.com^
+||waltzprescriptionplate.com^
+||wamnetwork.com^
+||wanalnatnwto.com^
+||wanderingchimneypainting.com^
+||wangfenxi.com^
+||wangimoqgdi.com^
+||wanigandoited.shop^
+||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^
+||wantingernestbreakfast.com^
+||wantingunmovedhandled.com^
+||wantopticalfreelance.com^
+||wantsindulgencehum.com^
+||wapbaze.com^
+||waptrick.com^
+||waqool.com^
+||warblyjuggler.top^
+||wardhunterwaggoner.com^
+||wardrobecontingent.com^
+||warehousecanneddental.com^
+||warehousestoragesparkling.com^
+||warfarerewrite.com^
+||wargumtu.net^
+||warilyaggregation.com^
+||warilycommercialconstitutional.com^
+||warilydigestionauction.com^
+||warilydouping.com^
+||warilytumblercheckbook.com^
+||warindifferent.com^
+||wariod.com^
+||warishtruant.click^
+||warlike-context.com^
+||warliketruck.com^
+||warlockstallioniso.com^
+||warlockstudent.com^
+||warm-course.pro^
+||warmanmamelon.com^
+||warmerdisembark.com^
+||warnmessage.com^
+||warrantpiece.com^
+||warriorflowsweater.com^
+||warsabnormality.com/pixel/pure
+||warsabnormality.com^
+||warscoltmarvellous.com^
+||warswhitawe.com^
+||wartyrajput.click^
+||warumbistdusoarm.space^
+||warworkunson.top^
+||washedgrimlyhill.com^
+||washingbustlewhack.com^
+||washingoccasionally.com^
+||washokanap.com^
+||wasortg.com^
+||wasp-182b.com^
+||waspdiana.com^
+||waspilysagene.com^
+||waspishamendbulb.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^
+||watchestwenties.com^
+||watchgelads.com^
+||watchingthat.com^
+||watchingthat.net^
+||watchlivesports4k.club^
+||watchmanyachtmatch.com^
+||watchmarinerflint.com^
+||watchmytopapp.top^
+||watchthistop.net^
+||watekade.xyz^
+||waterfallblessregards.com^
+||waterfallchequeomnipotent.com^
+||wateryzapsandwich.com^
+||watwait.com^
+||waubibubaiz.com^
+||waudeesestew.com^
+||waufooke.com^
+||waugique.net^
+||wauloumu.net^
+||wauroufu.net^
+||waust.at^
+||wauthaik.net^
+||wauwitew.net^
+||waveclks.com^
+||wavedfrailentice.com^
+||wavedprincipal.com^
+||waveelectbarn.com^
+||waverdisembroildisembroildeluge.com^
+||wavermerchandiseweird.com^
+||wavingteenagecandle.com^
+||wavysnarlfollow.com^
+||wawhairt.net^
+||waxbushengore.com^
+||waxworksprotectivesuffice.com^
+||wayfarerfiddle.com^
+||wayfgwbipgiz.com^
+||waymarkgentiin.com^
+||waymentriddel.com^
+||wazaki.xyz^
+||wazctigribhy.com^
+||wazduzrhiki.com^
+||wazensee.net^
+||waztahsmal.com^
+||wazzeyzloayz.top^
+||wazzeyzlobbj.top^
+||wazzeyzlozyj.top^
+||wbajwc0yx.com^
+||wbdds.com^
+||wbdqwpu.com^
+||wbekwxsup.com^
+||wbfhivtydh.com^
+||wbgwuftclaya.com^
+||wbidder.online^
+||wbidder2.com^
+||wbidder3.com^
+||wbidder311072023.com^
+||wbidr.com^
+||wbilvnmool.com^
+||wbkfklsl.com^
+||wboptim.online^
+||wboux.com^
+||wbowoheflewroun.info^
+||wbsads.com^
+||wbtsaeadmo.com^
+||wbuurzutrhmlsz.com^
+||wbvjhlaljp.com^
+||wbzfybvl.com^
+||wcaahlqr.xyz^
+||wcadfvvwbbw.xyz^
+||wcadlvruvrq.xyz^
+||wcbxugtfk.com^
+||wcctteslcmulgmu.com^
+||wcdifwzlqxhx.com^
+||wcdxpxugsrk.xyz^
+||wcgcddncqveiqia.xyz^
+||wchctzzkzkhx.com^
+||wcjiaclw.com^
+||wcltbpbnlf.com^
+||wcmcs.net^
+||wcnhhqqueu.com^
+||wcnndaazbwmane.com^
+||wcoaswaxkrt.com^
+||wcpltnaoivwob.xyz^
+||wcqtgwsxur.xyz^
+||wct.link^
+||wcuolmojkzir.com^
+||wcxegvp.com^
+||wczpllwwwjoi.com^
+||wdavrzv.com^
+||wddlydaxtmm.com^
+||wdevxtmasfdswx.com^
+||wdlejalo.com^
+||wdohhlagnjzi.com^
+||wdownthreerfdfg.com^
+||wdpqgagmulazv.com^
+||wdpylyw.com^
+||wdt9iaspfv3o.com^
+||wduqxbvhpwd.xyz^
+||wdvlqbo.com^
+||weakcompromise.com^
+||wealthextend.com^
+||wealthsgraphis.com^
+||wealthyamomal.com^
+||wealthyonsethelpless.com^
+||weanyergravely.com^
+||weaponsnondescriptperceive.com^
+||weaponvelocitypredator.com^
+||weaptqsmbshwd.xyz^
+||wearbald.care^
+||wearevaporatewhip.com^
+||wearisomeexertiontales.com^
+||wearyregister.com^
+||wearyvolcano.com^
+||weaselabsolute.com^
+||weaselbubblehue.com^
+||weaselmicroscope.com^
+||weatheralcovehunk.com^
+||weathercockr.com^
+||weatherplllatform.com^
+||weatherstumphrs.com^
+||weaveradrenaline.com^
+||weaverdispensepause.com^
+||weayrvvkvvalk.top^
+||web-guardian.xyz^
+||web-hosts.io^
+||web-security.cloud^
+||web0.eu^
+||webads.co.nz^
+||webads.media^
+||webadserver.net^
+||webair.com^
+||webassembly.stream^
+||webatam.com^
+||webbymendole.com^
+||webcampromo.com^
+||webcampromotions.com^
+||webclickengine.com^
+||webclickmanager.com^
+||webcontentassessor.com^
+||webdatatrace.com^
+||webmedrtb.com^
+||webpinp.com^
+||webpushcloud.info^
+||webquizspot.com^
+||webregadvertising.com^
+||webscouldlearnof.info^
+||webseeds.com^
+||websitepromoserver.com^
+||websphonedevprivacy.autos^
+||webstats1.com^
+||webteaser.ru^
+||webteensyusa.com^
+||webtradehub.com^
+||webtrendr.com^
+||wecjdqpinrpaugf.com^
+||wecontemptceasless.com^
+||wecouldle.com^
+||wedgedgeoduck.com^
+||wedgierbirsit.com^
+||wednesdaygranddadlecture.com^
+||wednesdaynaked.com^
+||wednesdaywestern.com^
+||wedonhisdhiltew.info^
+||wee-intention.com^
+||weebipoo.com^
+||weedazou.net^
+||weedfowlsgram.com^
+||weednewspro.com^
+||weedsexports.top^
+||weehauptoupt.com^
+||week1time.com^
+||weekendchinholds.com^
+||weeklideals.com^
+||weemofee.com^
+||weensnandow.com^
+||weephuwe.xyz^
+||weepingheartache.com^
+||weepingpretext.com^
+||weeprobbery.com^
+||weestuch.com^
+||weethery.com^
+||weeweesozoned.com^
+||weewhunoamo.xyz^
+||wefoonsaidoo.com^
+||wegastroky.com^
+||wegeeraitsou.xyz^
+||wegetpaid.net^
+||wegotmedia.com^
+||wehaveinourd.org^
+||weinas.co.in^
+||weird-lab.pro^
+||wel-wel-fie.com^
+||welcomeargument.com^
+||welcomememory.pro^
+||welcomeneat.pro^
+||welcomevaliant.com^
+||welcomingvigour.com^
+||welfarefit.com^
+||wellexpressionrumble.com^
+||wellhello.com^
+||wellinformed-song.com^
+||welllwrite.com^
+||wellmadeabroad.pro^
+||wellmov.com^
+||wellnesszap.com^
+||wellpdy.com^
+||welltodoresource.com^
+||welrauns.top^
+||welved.com^
+||wemfpbtd.xyz^
+||wemmyoolakan.shop^
+||wemoustacherook.com^
+||wempooboa.com^
+||wendelstein-1b.com^
+||wenher.com^
+||weoigpwcg.com^
+||weownthetraffic.com^
+||wepainsoaken.com^
+||werdolsolt.com^
+||weredthechild.info^
+||wereksbeforebut.info^
+||weremoiety.com^
+||wererxrzmp.com^
+||werped.com^
+||werxebpnl.com^
+||weshsofoij.xyz^
+||wesicuros.com^
+||wesmallproclaim.com^
+||wesmuqjisx.com^
+||westernhungryadditions.com^
+||westernwhetherowen.com^
+||westeselva.com^
+||westreflection.com^
+||wet-maybe.pro^
+||wetlinepursuing.com^
+||wetpeachcash.com^
+||wetryprogress.com^
+||wetsireoverload.com^
+||wevrwqjlylqwm.top^
+||wewearegogogo.com^
+||wewloromyvvav.top^
+||wexfhjpmvhnakq.com^
+||wextap.com^
+||weyojqrgzn.com^
+||wezmklgd.com^
+||wf66l5ylwq.com^
+||wfblnkej.com^
+||wfcs.lol^
+||wfdlrirntafl.com^
+||wffbdim.com^
+||wffgqahhhohdfkp.com^
+||wfnetwork.com^
+||wfnpay.com^
+||wfodwkk.com^
+||wfredir.net^
+||wfthumty.pm^
+||wfubtuatsa.com^
+||wfuossjholw.com^
+||wfutphkrendhr.com^
+||wfuwlkgm.com^
+||wg-aff.com^
+||wgbwlgzthobp.com^
+||wgchrrammzv.com^
+||wggqzhmnz.com^
+||wghzbgmjpyig.com^
+||wgkggub.com^
+||wgxpirautgxpap.com^
+||wgxzslfagpbcqd.com^
+||wgyoaqtjfb.com^
+||whaacgqzyaz.com^
+||whachaun.net^
+||whackresolved.com^
+||whadupsi.net^
+||whagrolt.com^
+||whaickeenie.xyz^
+||whaickossu.net^
+||whaidree.com^
+||whaidroansee.net^
+||whaijeezaugh.com^
+||whaijoorgoo.com^
+||whairtoa.com^
+||whaitsaitch.com^
+||whaivoole.com^
+||whaiweel.com^
+||whaixoads.xyz^
+||whakoxauvoat.xyz^
+||whaleads.com^
+||whaleapartmenthumor.com^
+||whalems.com^
+||whalepeacockwailing.com^
+||whalepp.com^
+||whamauft.com^
+||whampamp.com^
+||whamuthygle.com^
+||whandpolista.com^
+||wharployn.com^
+||whateyesight.com^
+||whatijunnstherew.com^
+||whatisnewappforyou.top^
+||whatisuptodaynow.com^
+||whatnotbenjoin.top^
+||whatolra.net^
+||whatsfopped.top^
+||whatsoeverlittle.com^
+||whaudsur.net^
+||whauglorga.com^
+||whaukrimsaix.com^
+||whaulids.com^
+||whaunsockou.xyz^
+||whaurgoopou.com^
+||whautchaup.net^
+||whautsis.com^
+||whauvebul.com^
+||whazugho.com^
+||wheceelt.net^
+||whechypheshu.com^
+||wheebsadree.com^
+||wheedran.com^
+||wheeksir.net^
+||wheel-of-fortune-prod.com^
+||wheelbarrowbenignity.com^
+||wheeldenunciation.com^
+||wheeledabbotafterward.com^
+||wheeledmoundangrily.com^
+||wheelsbullyingindolent.com^
+||wheelscomfortlessrecruiting.com^
+||wheelstweakautopsy.com^
+||wheempet.xyz^
+||wheeptit.net^
+||wheerdogra.com^
+||wheeshoo.net^
+||whefookak.net^
+||whehongu.com^
+||wheksuns.net^
+||whempine.xyz^
+||whencecrappylook.com^
+||whenceformationruby.com^
+||whencewaxworks.com^
+||whenevererupt.com^
+||whengebsoth.com^
+||whenolri.com^
+||where-to.shop^
+||where.com^
+||whereaboutsgolancould.com^
+||wherebyinstantly.com^
+||whereres.com^
+||whereuponcomicsraft.com^
+||wherevertogo.com^
+||wherretafley.top^
+||wherunee.com^
+||whestail.com^
+||whetin.com^
+||wheweeze.net^
+||whewerveriest.top^
+||whiboubs.com^
+||whiceega.com^
+||whichcandiedhandgrip.com^
+||whickazoxy.top^
+||whickgiunta.com^
+||whidribsiheg.net^
+||whileinferioryourself.com^
+||whilieesrogs.top^
+||whilroacix.com^
+||whimpercategory.com^
+||whimsicalcoat.com^
+||whinemalnutrition.com^
+||whineyancilia.top^
+||whiningbewildered.com^
+||whiningconfessed.com^
+||whipgos.com^
+||whippedfreezerbegun.com^
+||whiprayoutkill.com^
+||whirlclick.com^
+||whirltoes.com^
+||whirlwindofnews.com^
+||whirshamelia.com^
+||whiskersbiographypropulsion.com^
+||whiskersbonnetcamping.com^
+||whiskerssituationdisturb.com^
+||whiskerssunflowertumbler.com^
+||whiskersthird.com^
+||whiskeydepositopinion.com^
+||whisperinflate.com^
+||whisperingauroras.com^
+||whisperofisaak.com^
+||whisperpostage.com^
+||whistledittyshrink.com^
+||whistledprocessedsplit.com^
+||whistlingbeau.com^
+||whistlingmoderate.com^
+||whistlingvowel.com^
+||whiteaccompanypreach.com^
+||whitenoisenews.com^
+||whitepark9.com^
+||whizzerlollard.top^
+||whizzerrapiner.com^
+||whkyiuufzjt.com^
+||whoachoh.com^
+||whoaksoo.com^
+||whoansailt.net^
+||whoansodroas.net^
+||whoapsoo.com^
+||whoartairg.com^
+||whoavaud.net^
+||whoawhoug.com^
+||whofiguredso.org^
+||whoftits.xyz^
+||whokrour.net^
+||wholeactualjournal.com^
+||wholeactualnewz.com^
+||wholecommonposts.com^
+||wholecoolposts.com^
+||wholecoolstories.com^
+||wholedailyfeed.com^
+||wholeelision.com^
+||wholefreshposts.com^
+||wholehugewords.com^
+||wholenicenews.com^
+||wholesomelethal.com^
+||wholewowblog.com^
+||whollychapters.com^
+||whollyneedy.com^
+||whomspreadbeep.com^
+||whoodraujiwu.com^
+||whoognoz.com^
+||whookrair.xyz^
+||whookroo.com^
+||whoolrulr.net^
+||whoomseezesh.com^
+||whoopblew.com^
+||whoostoo.net^
+||whootapt.com^
+||whoppercreaky.com^
+||whopping-sea.com^
+||whopstriglot.com^
+||whoptoorsaub.com^
+||whorlysenior.top^
+||whotchie.net^
+||whotrundledthe.com^
+||whotsirs.net^
+||whoulikaihe.net^
+||whoumtefie.com^
+||whoumtip.xyz^
+||whounoag.xyz^
+||whounsou.com^
+||whouptoomsy.net^
+||whourgie.com^
+||whouroazu.net^
+||whoursie.com^
+||whouseem.com^
+||whoustoa.net^
+||whoutchi.net^
+||whoutsog.net^
+||whouvoart.com^
+||whowhipi.net^
+||whqxqwy.com^
+||whudroots.net^
+||whufteekoam.com^
+||whugeestauva.com^
+||whugesto.net^
+||whuhough.xyz^
+||whujoagh.net^
+||whukroal.net^
+||whulrima.xyz^
+||whulsaux.com^
+||whunpainty.com^
+||whupsoza.xyz^
+||whuptaiz.net^
+||whustemu.com^
+||whutchey.com^
+||whuweehy.xyz^
+||whyl-laz-i-264.site^
+||wibtntmvox.com^
+||wichauru.xyz^
+||wickedhumankindbarrel.com^
+||wickedoutrage.com^
+||wickedunpen.top^
+||wicopymastery.com^
+||widaimty.com^
+||wideaplentyinsurance.com^
+||wideeyed-painting.com^
+||wideeyedlady.pro^
+||widenerasbolan.com^
+||widerdaydream.com^
+||widerrose.com^
+||widespreadgabblewear.com^
+||widezealconstant.com^
+||widgetbucks.com^
+||widgetly.com^
+||widore.com^
+||widow5blackfr.com^
+||widthovercomerecentrecent.com^
+||wifegraduallyclank.com^
+||wifescamara.click^
+||wifeverticallywoodland.com^
+||wigetmedia.com^
+||wiggledeteriorate.com^
+||wigglestoriesapt.com^
+||wigglychick.top^
+||wignuxidry.net^
+||wigsynthesis.com^
+||wikbdhq.com^
+||wikeqa.uno^
+||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^
+||wililylaus.com^
+||williamfaxarts.com^
+||williamporterlilac.com^
+||williednb.com^
+||willinglypromoteceremony.com^
+||willingnesslookheap.com^
+||willowantibiotic.com^
+||willtissuetank.com^
+||wilrimowpaml.com^
+||wilslide.com^
+||wimplesbooklet.com^
+||wimpthirtyarrears.com^
+||win-bidding.com^
+||win-myprize.top^
+||winbestprizess.info^
+||winbuyer.com^
+||windfallcleaningarrange.com^
+||windindelicateexclusive.com^
+||windingnegotiation.com^
+||windingravesupper.com^
+||windlebrogues.com^
+||windofaeolus.com^
+||windowsaura.com^
+||windowsdaggerminiaturization.com^
+||windowsgushfurnished.com^
+||windowsuseful.com^
+||windrightyshade.com^
+||windsplay.com^
+||windymissphantom.com^
+||winecolonistbaptize.com^
+||wineinstaller.com^
+||winewiden.com^
+||winfulelle.top^
+||wingads.com^
+||wingerssetiger.com^
+||wingjav11.fun^
+||wingoodprize.life^
+||wingselastic.com^
+||wingstoesassemble.com^
+||winkexpandingsleigh.com^
+||winneradsmedia.com^
+||winnersolutions.net^
+||winningorphan.com^
+||winpbn.com^
+||winr.online^
+||winsimpleprizes.life^
+||winslinks.com^
+||winternewsnow.name^
+||winterolivia.com^
+||wintjaywolf.org^
+||wintrck.com^
+||wipedhypocrite.com^
+||wipeilluminationlocomotive.com^
+||wipepeepcyclist.com^
+||wipeunauthorized.com^
+||wiphpiqsuheta.com^
+||wipowaxe.com^
+||wirelessdeficiencyenemies.com^
+||wirelessinvariable.com^
+||wiremembership.com^
+||wirenth.com^
+||wiringsensitivecontents.com^
+||wirrttnlmumsak.xyz^
+||wirsilsa.net^
+||wisfriendshad.info^
+||wishesantennarightfully.com^
+||wishesobtrusivefastest.com^
+||wishfulauthorities.com^
+||wishfulthingtreble.com^
+||wishjus.com^
+||wishoblivionfinished.com^
+||wishoutergrown.com^
+||wister.biz^
+||wistfulcomet.com^
+||witalfieldt.com^
+||withblaockbr.org^
+||withcarsickhatred.com^
+||withdedukication.com^
+||withdrawcosmicabundant.com^
+||withdrawdose.com^
+||withdrawwantssheep.com^
+||withdrewparliamentwatery.com^
+||withdromnit.pro^
+||withearamajo.info^
+||withenvisagehurt.com^
+||withholdrise.com^
+||withinresentful.com^
+||withmefeyaukna.com^
+||withnimmunger.com^
+||withnimskither.com^
+||withoutcontrol.com^
+||withyouryretye.info^
+||witnessedcompany.com^
+||witnessedworkerplaid.com^
+||witnessjacket.com^
+||witnessremovalsoccer.com^
+||witnesssimilarindoors.com^
+||wittilyfrogleg.com^
+||wivoqi.uno^
+||wivtuhoftat.com^
+||wizardscharityvisa.com^
+||wizardunstablecommissioner.com^
+||wizenejector.top^
+||wizkrdxivl.com^
+||wizssgf.com^
+||wjct3s8at.com^
+||wjkhieahcmao.com^
+||wjljwqbmmjjmw.top^
+||wjljwqbmmjlmm.top^
+||wjudihl.com^
+||wjvavwjyaso.com^
+||wjvyorreejezm.top^
+||wjvyorreejkzw.top^
+||wjxtbwffpykdmo.com^
+||wjzrzwyrrbwyz.top^
+||wka4jursurf6.com^
+||wkktnbxxum.xyz^
+||wkmorvzqjmyrw.top^
+||wkoeoaavammqv.top^
+||wkoeoaavamqek.top^
+||wkoocuweg.com^
+||wkpewkejefefhm.com^
+||wkpfgjbmd.com^
+||wkqcnkstso.com^
+||wkqqdchbbz.com^
+||wkwqljwykojvm.top^
+||wkwqljwykollz.top^
+||wkwqljwykomlv.top^
+||wl-cornholio.com^
+||wlafx4trk.com^
+||wlawpzx.com^
+||wldepmzuwqvmyq.com^
+||wleallwllbkok.top^
+||wlen1bty92.pro^
+||wlhzbbvtofot.com^
+||wlmitgzbht.com^
+||wlrkcefll.com^
+||wlvkzwqjlyzvr.top^
+||wlwbjjphtza.com^
+||wlyfiii.com^
+||wlzzwzekkrrzw.top^
+||wma.io^
+||wmadmht.com^
+||wmaoviagmphst.com^
+||wmaoxrk.com^
+||wmbbsat.com^
+||wmcdpt.com^
+||wmdlgzwr.com^
+||wmdymnqzhbo.com^
+||wmdzefk.com^
+||wmeqobozarabk.top^
+||wmeqobozarqyj.top^
+||wmgtr.com^
+||wmhwptmsvx.com^
+||wmiahgohlf.com^
+||wmkyrbx.com^
+||wmlbjana.com^
+||wmlfyerssqlipx.com^
+||wmnnjfe.com^
+||wmober.com^
+||wmpset.com^
+||wmptcd.com^
+||wmptctl.com^
+||wmpted.com^
+||wmpuem.com^
+||wmtaeem.com^
+||wmtmhbuiumwl.com^
+||wmudsraxwj.xyz^
+||wmwwmbjkmavr.top^
+||wmwwmbjkmrlv.top^
+||wmwwmbjkqomr.top^
+||wmxthwflju.xyz^
+||wmzlbovyjrwvw.top^
+||wnedandlooked.info^
+||wnjjhksaue.com^
+||wnjtssmha.com^
+||wnlozhbeeh.com^
+||wnnhnaurzbr.com^
+||wnp.com^
+||wnrusisedprivatedq.info^
+||wnrvrwabnxa.com^
+||wnt-s0me-push.net^
+||wnt-some-psh.net^
+||wnt-some-push.com^
+||wnt-some-push.net^
+||wnthglylkflcc.com^
+||wnulffwyetlek.com^
+||wnvdgegsjoqoe.xyz^
+||woafoame.net^
+||woagroopsek.com^
+||woaneezy.com^
+||woaniphud.com^
+||woapheer.com^
+||woathaiz.net^
+||wocfhqqt.com^
+||wochuadaribah.com^
+||wocwibkfutrj.com^
+||wodmxcvsis.com^
+||woefifty.com^
+||woejh.com^
+||woespoke.com^
+||woetcwdynnltfnh.com^
+||wogglehydrae.com^
+||wohpaqjb.com^
+||wokaptoa.com^
+||wokenoptionalcohabit.com^
+||wokm8isd4zit.com^
+||wolaufie.com^
+||wolffiareecho.com^
+||wollycanoing.com^
+||wolqundera.com^
+||wolsretet.net^
+||wolve.pro^
+||womadsmart.com^
+||womangathering.com^
+||womanpiaffed.top^
+||wombalayah.com^
+||wombierfloc.com^
+||womenvocationanxious.com^
+||womerasecocide.com^
+||woncherish.com^
+||wonconsists.com^
+||woncorvee.com^
+||wondefulapplend.com^
+||wonderanticipateclear.com^
+||wonderfulstatu.info^
+||wonderhsjnsd.com^
+||wonderlandads.com^
+||wonfigfig.com^
+||wongahmalta.com^
+||wonnauseouswheel.com^
+||wonsegax.net^
+||wooballast.com^
+||woodbeesdainty.com^
+||wooden-comfort.com^
+||woodenguardsheartburn.com^
+||woodhenmils.com^
+||woodlandsmonthlyelated.com^
+||woodlandsveteran.com^
+||woodlotrubato.com^
+||woodtipvpnrh.com^
+||woodygloatneigh.com^
+||woodymotherhood.com^
+||woogoust.com^
+||woohazaz.net^
+||woolasib.net^
+||woolenabled.com^
+||woolensulking.com^
+||woollenthawewe.com^
+||woollouder.com^
+||woopeekip.com^
+||woopteem.net^
+||wootmedia.net^
+||woovoree.net^
+||woozilyfifed.top^
+||woozypp.top^
+||wopsedoaltuwipp.com^
+||wopsedoaltuwn.com^
+||wopsedoaltuwo.com^
+||wopsedoaltuwp.com^
+||woqycyda.com^
+||wordbodily.com^
+||wordfence.me^
+||wordingget.com^
+||wordpersonify.com^
+||wordsnought.com^
+||wordyhall.pro^
+||wordyjoke.pro^
+||woreensurelee.com^
+||worehumbug.com^
+||worersie.com^
+||workback.net^
+||workeddecay.com^
+||workedqtam.com^
+||workedworlds.com^
+||workerdisadvantageunrest.com^
+||workerprogrammestenderly.com^
+||workervanewalk.com^
+||workplacenotchperpetual.com^
+||workroommarriage.com^
+||worldactualstories.com^
+||worldbestposts.com^
+||worldbusiness.life^
+||worldcommonwords.com^
+||worldcoolfeed.com^
+||worldfreshblog.com^
+||worldfreshjournal.com^
+||worldglobalssp.xyz^
+||worldlyyouth.com^
+||worldofviralnews.com^
+||worldpraisedcloud.com^
+||worldsportlife.com^
+||worldswanmixed.com^
+||worldtimes2.xyz^
+||worldtraffic.trade^
+||worldwhoisq.org^
+||worldwidemailer.com^
+||worldwideor.info^
+||worlowedonhi.info^
+||wormdehydratedaeroplane.com^
+||wornie.com^
+||wornshoppingenvironment.com^
+||worritsmahra.com^
+||worryingonto.com^
+||worshipstubborn.com^
+||worst-zone.pro^
+||worstgoodnightrumble.com^
+||worstideatum.com^
+||worstspotchafe.com^
+||worthconesquadron.com^
+||worthless-living.pro^
+||worthlessanxiety.pro^
+||worthlesspattern.com^
+||worthlessstrings.com^
+||worthspontaneous.com^
+||worthwhile-wash.com^
+||worthwhileawe.com^
+||worthylighteravert.com^
+||wotihxqbdrbmk.xyz^
+||woudaufe.net^
+||woujaupi.xyz^
+||woujoami.com^
+||woukrkskillsom.info^
+||woulddecade.com^
+||wouldlikukemyf.info^
+||wouldmakefea.org^
+||wouldmakefeagre.info^
+||wouldtalkbust.com^
+||woulst.com^
+||woushucaug.com^
+||wouthula.xyz^
+||wouvista.com^
+||wovazaix.com^
+||wovensur.com^
+||woviftjhpkn.com^
+||wow-click.click^
+||wowcalmnessdumb.com^
+||wowebahugoo.com^
+||wowhaujy.com^
+||wowkydktwnyfuo.com^
+||wowlnk.com^
+||wowrapidly.com^
+||wowreality.info^
+||wowshortvideos.com^
+||woymebsi.com^
+||wozwmffiwpy.com^
+||wp3advesting.com^
+||wpadmngr.com^
+||wparcunnv.xyz^
+||wpbeyqjfg.com^
+||wpcgyoyq.com^
+||wpcjyxwdsu.xyz^
+||wpiajkniqnty.com^
+||wpihekqpm.xyz^
+||wpinfnyp.com^
+||wpjhenqutmdzd.com^
+||wpncdn.com^
+||wpnetwork.eu^
+||wpnjs.com^
+||wpnrtnmrewunrtok.xyz^
+||wpnsrv.com^
+||wpooxqs.com^
+||wpowiqkgykf.com^
+||wpshsdk.com^
+||wpsmcns.com^
+||wpsykwqdjodeabl.com^
+||wpu.sh^
+||wpunativesh.com^
+||wpush.org^
+||wpushorg.com^
+||wqasioxvqnj.com^
+||wqjzajr.com^
+||wqlnfrxnp.xyz^
+||wqltsxjqfhlxty.com^
+||wqorxfp.com^
+||wqyjkupqj.com^
+||wqzjfsmudvpct.com^
+||wqzqoobqpubx.com^
+||wqzyxxrrep.com^
+||wrapdime.com^
+||wrappeddimensionimpression.com^
+||wrappedhalfwayfunction.com^
+||wrappedproduct.com^
+||wrapperbarbet.com^
+||wrathful-alternative.com^
+||wrathyblesmol.com^
+||wrbdqlrn.com^
+||wrdnaunq.com^
+||wreaksyolkier.com^
+||wreathabble.com^
+||wreckingplain.com^
+||wreckonturr.info^
+||wrenko.com^
+||wrensacrificepossibly.com^
+||wrenterritory.com^
+||wrestcut.com^
+||wrestlingembroider.com^
+||wretched-confusion.com^
+||wretchedbomb.com^
+||wretcheddrunkard.com^
+||wretchmilitantasia.com^
+||wrevenuewasadi.info^
+||wrgjbsjxb.xyz^
+||wrightdirely.com^
+||wringdecorate.com^
+||wrinkleirritateoverrated.com^
+||wristtrunkpublication.com^
+||writeestatal.space^
+||writerscurling.click^
+||writhehawm.com^
+||writhenwends.com^
+||writingwhine.com^
+||writshackman.com^
+||writtenanonymousgum.com^
+||wronol.com^
+||wrontonshatbona.com^
+||wroteeasel.com^
+||wrothycreep.top^
+||wrqtcoxjw.com^
+||wrrlidnlerx.com^
+||wrrwkovcqn.com^
+||wruaqpkuwa.com^
+||wrufer.com^
+||wrycomparednutshell.com^
+||wryfruw.com^
+||wrypassenger.com^
+||ws5ujgqkp.com^
+||wsafeguardpush.com^
+||wsaidthemathe.info^
+||wsejsoqdmdzcvr.com^
+||wsgmcgtbvky.com^
+||wsjlbbqemr23.com^
+||wsjpcev.com^
+||wsmobltyhs.com^
+||wsokomw.com^
+||wspsbhvnjk.com^
+||wstyruafypihv.xyz^
+||wt20trk.com^
+||wtcmjppejjb.com^
+||wtcysmm.com^
+||wtg-ads.com^
+||wthbjrj.com^
+||wtjsnlwmx.com^
+||wtkfxoqolprv.com^
+||wtmhwnv.com^
+||wtuuilhbfvsiqbo.com^
+||wtynalolraz.com^
+||wubeghasp.com^
+||wuchaurteed.com^
+||wuckaity.com^
+||wudaoutsjuxbd.com^
+||wudr.net^
+||wuefmls.com^
+||wuftoars.net^
+||wuidtethhkcko.com^
+||wujungexo.net^
+||wujyeflb.com^
+||wukbgater.buzz^
+||wukoopicee.com^
+||wukoulnhdlu.info^
+||wuksaiho.net^
+||wuksosta.com^
+||wuluju.uno^
+||wumpakuw.net^
+||wumufama.com^
+||wunishamjch.com^
+||wuqconn.com^
+||wurqaz.com^
+||wurwhydimo.com^
+||wussucko.com^
+||wutcifjtapa.com^
+||wutseelo.xyz^
+||wutsumazxq.com^
+||wuujae.com^
+||wuuwpqmuqg.com^
+||wuwhaigri.xyz^
+||wuxlvvcv.com^
+||wuzbhjpvsf.com^
+||wvboajjti.com^
+||wveeir.com^
+||wvfhosisdsl.xyz^
+||wvhba6470p.com^
+||wvkppzspqsy.com^
+||wvpfumotgpsfy.com^
+||wvrgnlvzqmi.com^
+||wvtynme.com^
+||wvuvpahnbmnxt.com^
+||wvvkxni.com^
+||wvwjdrli.com^
+||wvwlykasqttuo.com^
+||wvwxjfjjytaf.com^
+||ww2.imgadult.com^
+||ww2.imgtaxi.com^
+||ww2.imgwallet.com^
+||wwaeljajwvlrw.top^
+||wwaeljajwvywm.top^
+||wwahuxzipoc.com^
+||wwaowwonthco.com^
+||wwarvlorkeww.top^
+||wwarvlorobzw.top^
+||wwbeqrhjwnijdk.com^
+||wwemleypftdook.com^
+||wwfx.xyz^
+||wwhnjrg.com^
+||wwicnmksxd.com^
+||wwija.com^
+||wwkedpbh4lwdmq16okwhiteiim9nwpds2.com^
+||wwlaoryovljbv.top^
+||wwlaoryovljjr.top^
+||wwllfxt.com^
+||wworqxftyexcmb.xyz^
+||wwow.xyz^
+||wwoww.xyz^
+||wwowww.xyz^
+||wwpon365.ru^
+||wwpush22.com^
+||wwqssmg.com^
+||wwunnmshmv.xyz^
+||wwvxdhbmlqcgk.xyz^
+||www6.hentai-zone.com^
+||www8.upload-pics.com^
+||wwwadcntr.com^
+||wwwowww.xyz^
+||wwwpromoter.com^
+||wwwsfmlrcskr.com^
+||wwwwzeraqvlqk.top^
+||wwwwzeraqvmkw.top^
+||wwwwzeraqvmqj.top^
+||wwxdmhfwagmwo.com^
+||wwxnbsvwultw.com^
+||wxcqdnf.com^
+||wxemjmxevy.com^
+||wxhiojortldjyegtkx.bid^
+||wxmicgwfzqekj.com^
+||wxmxbvuwj.com^
+||wxoywtyuj.com^
+||wxseedslpi.com^
+||wxsygrpxfkp.com^
+||wxvfhgdeis.com^
+||wyaoormqmbvqj.top^
+||wyeczfx.com^
+||wyeszcj.com^
+||wyglyvaso.com^
+||wyhifdpatl.com^
+||wyjkqvtgwmjqb.xyz^
+||wylizttrjbbbif.com^
+||wylmzwkywjrzr.top^
+||wymcgmxefvqvej.com^
+||wymtqcllysgej.com^
+||wymymep.com^
+||wynather.com^
+||wynvalur.com^
+||wyresgkvhfdiz.com^
+||wysasys.com^
+||wyscmkd.com^
+||wywkwqqvbvwlj.top^
+||wyxvuzftuttzzq.com^
+||wzcznlufq.com^
+||wzdzht7am5.com^
+||wzhivixqjke.com^
+||wzk5ndpc3x05.com^
+||wzlbhfldl.com^
+||wzncuhcpbijx.com^
+||wzojibovpm.com^
+||wzrqeos.com^
+||wzwtdbvzio.com^
+||wzxty168.com^
+||x011bt.com^
+||x0c9ibwqz.com^
+||x2tsa.com^
+||x4pollyxxpush.com^
+||x7r3mk6ldr.com^
+||x95general.com^
+||xaajawwskkcnfuc.com^
+||xad.com^
+||xadcentral.com^
+||xads.one^
+||xadsmart.com^
+||xageyai.com^
+||xahttwmfmyji.com^
+||xajqhrrrnxmy.com^
+||xalienstreamx.com^
+||xambxhihx.com^
+||xameleonads.com^
+||xammcokaho.com^
+||xanawet.com^
+||xannevugjv.com^
+||xapads.com^
+||xatesfrgkifde.com^
+||xawlop.com^
+||xaxciisqwvk.com^
+||xaxoro.com^
+||xaxrtiahkft.com^
+||xayiqcwbmmhwf.com^
+||xazwlyh.com^
+||xbc8fsvo5w75wwx8.pro^
+||xbcnvj2mdk1dn1.com^
+||xbcpcn.com^
+||xbcrohmposa.com^
+||xblonthyc.com^
+||xbmczkujzsfkcq.com^
+||xbtjupfy.xyz^
+||xbuycgcae.com^
+||xbwiykqxeiqb.com^
+||xbxmdlosph.xyz^
+||xcdkxayfqe.com^
+||xcec.ru^
+||xcejarignt.com^
+||xcelltech.com^
+||xcelsiusadserver.com^
+||xcgbpsyob.com^
+||xciajfjrufu.com^
+||xclicks.net^
+||xcowuheclvwryh.com^
+||xcqyvahohs.com^
+||xcrnyxwlbvq.com^
+||xcsjbge.com^
+||xcuffrzha.com^
+||xcwxfcav.com^
+||xcxbqohm.xyz^
+||xder1.fun^
+||xder1.online^
+||xdezxlbnpo.com^
+||xdfrdcuiug.com^
+||xdgelyt.com^
+||xdhqtgpkywjl.com^
+||xdirectx.com^
+||xdisplay.site^
+||xdiwbc.com^
+||xdmanage.com^
+||xdmicjkveqlgllp.com^
+||xdohrleybrd.com^
+||xdownloadright.com^
+||xdsqhyqpc.com^
+||xduvqslud.com^
+||xdvorqmcxpyvy.com^
+||xdycqcoefditwj.com^
+||xdypuudfxmecd.com^
+||xebadu.com^
+||xefefetgxnh.com^
+||xegluwate.com^
+||xegmsox.com^
+||xeijckcsg.com^
+||xel-xel-fie.com^
+||xelllwrite.com^
+||xeltq.com^
+||xemiro.uno^
+||xenar.xyz^
+||xenopusbink.com^
+||xenosmussal.com^
+||xenylclio.com^
+||xeoprwhhiuig.xyz^
+||xeqktyujlwlc.com^
+||xetlugupyug.com^
+||xevbjycybvb.xyz^
+||xfahjal.com^
+||xfbdmmcydxt.com^
+||xfcpdigfsx.xyz^
+||xfdmihlzrmks.com^
+||xfguylptuqw.com^
+||xfileload.com^
+||xfipcmwcqrglvn.com^
+||xforhehvu.com^
+||xftrtljc.xyz^
+||xfujihakbk.com^
+||xfvkxbouozw.com^
+||xfvvygrv.com^
+||xfwblpomxc.com^
+||xfxssqakis.com^
+||xfyqlex.com^
+||xfzbrfmffnpqd.com^
+||xgbmjmgrxfvf.com^
+||xgdljiasdo.xyz^
+||xgeuzcfrkeb.com^
+||xghxpvl.com^
+||xgmtlmrweyasy.com^
+||xgraph.net^
+||xgrazxonhsow.com^
+||xgrqvhbml.com^
+||xgtfptm.com^
+||xgwhrvnxvhqgi.com^
+||xhapsebkdargwd.com^
+||xhfitpvxqog.com^
+||xhfvljklvq.com^
+||xhhaakxn.xyz^
+||xhlphpvgytyq.com^
+||xhmnbvn.com^
+||xhnedvpcml.com^
+||xhpzrfj.com^
+||xhrrrdsxtby.com^
+||xhvaqgs.com^
+||xhwwcif.com^
+||xhydgjisnfrtqsh.com^
+||xhzz3moj1dsd.com^
+||xia4jc6x2.com^
+||xibilitukydteam.info^
+||xigfqlwsbbtx.com^
+||xiifrwasfouifb.com^
+||xijgedjgg5f55.com^
+||xiloncopmat.com^
+||ximybkpxwu.com^
+||xineday.com^
+||xipteq.com^
+||xipwdvkessqguv.com^
+||xiqougw.com^
+||xitesa.uno^
+||xivmviuynlt.com^
+||xjakcitm.com^
+||xjfbhxp.com^
+||xjfqqyrcz.com^
+||xjincmbrulchml.xyz^
+||xjkhaow.com^
+||xjktawqrcaw.com^
+||xjolmkbuato.com^
+||xjrwxfdphc.com^
+||xjsx.lol^
+||xjupijxdt.xyz^
+||xjwcnvnqdm.com^
+||xkaovzjasjw.com^
+||xkbgqducppuan.xyz^
+||xkbydybnle.com^
+||xkdgblptpicgiu.xyz^
+||xkdxygywfm.com^
+||xkejsns.com^
+||xkesalwueyz.com^
+||xkfvvyjurlil.com^
+||xkowcsl.com^
+||xkpbcd.com^
+||xkqggicpn.com^
+||xksdqikwbwat.com^
+||xksqb.com^
+||xktxemf.com^
+||xkueeqyzz.com^
+||xkwwnle.com^
+||xkyphardw.com^
+||xlarixmmdvr.xyz^
+||xlcceiswfsntpp.xyz^
+||xlckxtyqntt.xyz^
+||xlfrhhp.com^
+||xlgatxqovuvz.com^
+||xlifcbyihnhvmcy.xyz^
+||xliirdr.com^
+||xlirdr.com^
+||xlivesex.com^
+||xlivrdr.com^
+||xljbxsig.com^
+||xljlzylffe.com^
+||xljpykgxurq.com^
+||xlmygeuxtv.com^
+||xloj4d3ny.com^
+||xlrdr.com^
+||xlrm-tech.com^
+||xlviiirdr.com^
+||xlviirdr.com^
+||xlvirdr.com^
+||xlvul.ajscdn.com^
+||xlwnzkyj.com^
+||xlyhpurmfnlall.com^
+||xmas-xmas-wow.com^
+||xmaswrite.com^
+||xmediaserve.com^
+||xmegaxvideox.com^
+||xmegaxvideoxxx.com^
+||xmetfyanqcz.com^
+||xmfhcmyznalbfi.com^
+||xmhgwmdjhul.com^
+||xmjnohwneqe.com^
+||xml-api.online^
+||xml-clickurl.com^
+||xmladserver.com^
+||xmlap.com^
+||xmlapiclickredirect.com^
+||xmlapiclickredirect10102022.com^
+||xmlgrab.com^
+||xmlking.com^
+||xmllover.com^
+||xmlppcbuzz.com^
+||xmlrtb.com^
+||xmlwiz.com^
+||xmlwizard.com^
+||xmqmuitc.com^
+||xmrgdwixpkzi.com^
+||xms.lol^
+||xmsflzmygw.com^
+||xmverqdrjodohf.com^
+||xnedglnnwrexss.com^
+||xnrowzw.com^
+||xnszbmnxuzfvr.com^
+||xntrmky.com^
+||xnumzelehhhnnc.com^
+||xnvdigrbb.com^
+||xnycbcauuk.com^
+||xnysqiur.com^
+||xoalt.com^
+||xobr219pa.com^
+||xohnodzbfjjqje.com^
+||xoilactv123.gdn^
+||xoilactvcj.cc^
+||xoimmmhfha.com^
+||xojepxhvvan.com^
+||xolen.xyz^
+||xonyxdpnelhzi.com^
+||xotgpql.com^
+||xovdrxkog.xyz^
+||xowvmktath.com^
+||xpaavmvkc.xyz^
+||xpevhinqadlokh.com^
+||xpidgvrjakkdx.com^
+||xpinfyxinma.com^
+||xpjjlgzqs.com^
+||xpollo.com^
+||xporn.in^
+||xppedxgjxcajuae.xyz^
+||xpsavuyxtfnqphw.com^
+||xpsgglvsqfxsrl.com^
+||xpxsfejcf.com^
+||xqdfnqfgixjwpdb.xyz^
+||xqfwhxbfxhpjko.com^
+||xqmvzmt.com^
+||xqwcryh.com^
+||xqzwtvjkjj.com^
+||xragnfrjhiqep.xyz^
+||xrjponvwqlwthq.com^
+||xrpikxtnmvcm.com^
+||xrrdi.com^
+||xruolsogwsi.com^
+||xsfcqjtkkjdp.com^
+||xskctff.com^
+||xsknvlmjvrdqo.com^
+||xsqfyvsc.com^
+||xsqwhlldud.com^
+||xsrs.com^
+||xstreamsoftwar3x.com^
+||xsvcouvr.xyz^
+||xswhbitplhase.com^
+||xszcdn.com^
+||xszpuvwr7.com^
+||xtalfuwcxh.com^
+||xtarwjgv.com^
+||xtdioaawlam.com^
+||xtnfuuckmubrb.com^
+||xtrackme.com^
+||xtraserp.com^
+||xtremeserve.xyz^
+||xtremeviewing.com^
+||xttaff.com^
+||xtvrgxbiteit.xyz^
+||xtxlijkjtlln.xyz^
+||xu5ctufltn.com^
+||xuakak.com^
+||xubcnzfex.com^
+||xucashntaghy.com^
+||xuclkzjh.com^
+||xueserverhost.com^
+||xuffojr.com^
+||xuiqxlhqyo.com^
+||xuircnbbidmu.com^
+||xujhdtynpgctncq.com^
+||xukevxdf.com^
+||xukpqemfs.com^
+||xukpresesmr.info^
+||xuosvih.com^
+||xuqarnasvru.com^
+||xuqza.com^
+||xuudtwhlkrbah.com^
+||xuwkbiovxsjnjy.com^
+||xuzeez.com^
+||xvbvpizetpts.com^
+||xvbwvle.com^
+||xvfyubhqjp.xyz^
+||xvhgtyvpaav.xyz^
+||xvideos00.sbs^
+||xvika.com^
+||xviperonec.com^
+||xvjrveks.com^
+||xvkjohyr.com^
+||xvolakoahxafi.com^
+||xvpqmcgf.com^
+||xvqmcqcdv.com^
+||xvuslink.com^
+||xvvclhrrpgiln.com^
+||xvvsnnciengskyx.xyz^
+||xvwqdrwiyi.com^
+||xwagtyhujov.com^
+||xwazafkzej.com^
+||xwcfvvnegv.com^
+||xwcumrmfkdkbv.com^
+||xwdplfo.com^
+||xwlidjauhdxzx.com^
+||xwlketvkzf.com^
+||xwqea.com^
+||xwqvytuiko.com^
+||xwtqfbsz.com^
+||xwugjjomnhuuxq.com^
+||xwxqdfmlsgir.com^
+||xxbeyqowtdjgqr.com^
+||xxccdshj.com^
+||xxdjxbvafjlw.com^
+||xxe2.com^
+||xxgqsbfwbmtqa.com^
+||xxjcedclosxcaox.com^
+||xxkoeqndmm.com^
+||xxltr.com^
+||xxmzhthuzvimf.com^
+||xxodleylnfhyi.com^
+||xxofygygumf.com^
+||xxopairckrdhcx.com^
+||xxpghuf.com^
+||xxwflybvwbario.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^
+||xyardnle.com^
+||xycstlfoagh.xyz^
+||xydbpbnmo.com^
+||xyhuoi.com^
+||xylidinzeuxite.shop^
+||xylomavivat.com^
+||xyooepktyy.xyz^
+||xyrkotsqhaf.com^
+||xysgfqnara.xyz^
+||xyvjkdec.com^
+||xyz0k4gfs.xyz^
+||xyztracking.net^
+||xzewvqi.com^
+||xzezapozghp.com^
+||xzfsymopzyls.com^
+||xznqolfzwdwini.com^
+||xzouahcxo.com^
+||xzvdfjp.com^
+||xzxomkrfn.com^
+||xzzpagn.com^
+||y06ney2v.xyz^
+||y1jxiqds7v.com^
+||y1zoxngxp.com^
+||y41my.com^
+||y8z5nv0slz06vj2k5vh6akv7dj2c8aj62zhj2v7zj8vp0zq7fj2gf4mv6zsb.me^
+||y95qx8y98.com^
+||yackedtahua.top^
+||yacurlik.com^
+||yaefddu.com^
+||yaeigtmhvsibf.com^
+||yafabu.uno^
+||yaffedtwindle.com^
+||yafkhmosihg.com^
+||yafmqibivbuu.com^
+||yaggergiher.top^
+||yahunabaeria.click^
+||yahuu.org^
+||yaiehgpawwu.com^
+||yaighnnuvvj.com^
+||yaiser.com^
+||yajnagrapple.top^
+||yakcphctjbzwnv.com^
+||yakvssigg.xyz^
+||yallarec.com^
+||yamalkacausata.top^
+||yamanaisleepry.com^
+||yankbecoming.com^
+||yapclench.com^
+||yapdiscuss.com^
+||yapforestsfairfax.com^
+||yaphjovuoyng.com^
+||yappedperlid.com^
+||yaprifxbrcrx.com^
+||yaprin.com^
+||yapunderstandsounding.com^
+||yapzoa.xyz^
+||yardr.net^
+||yarlnk.com^
+||yarnsperwick.top^
+||yashi.com^
+||yatab.net^
+||yaupersjejunum.top^
+||yausbprxfft.xyz^
+||yavli.com^
+||yawcoynag.com^
+||yawsbvoby.com^
+||yaxgszv.com^
+||yazftdbwgmwj.com^
+||yazuda.xyz^
+||ybaazpg.com^
+||ybcqozfk.com^
+||ybhyziittfg.com^
+||ybmebpsmpwueo.com^
+||ybriifs.com^
+||ybs2ffs7v.com^
+||ybtkzjm.com^
+||ybuduzpe.com^
+||ybujfcuqya.com^
+||ybutoakqkct.com^
+||ybwcvhcnulrgbvy.com^
+||ybxkfivvpmofh.com^
+||yccsfbfjglyw.com^
+||ycctxwachqke.com^
+||yceml.net^
+||ycilrurqls.com^
+||ycleptbathing.com^
+||ycnmwykrbv.com^
+||ycpwdvsmtn.com^
+||yczrgigyspm.com^
+||ydagjjgqxmrlqjj.xyz^
+||ydbmeagwyakdfl.com^
+||ydenknowled.com^
+||ydevelelasticals.info^
+||ydfavbj.com^
+||ydhfbnskdl.com^
+||ydiqejlbkdbxgu.com^
+||ydonkuan.com^
+||ydpzhsgvorknjh.com^
+||ydqkorympskhbc.com^
+||ydqmuofeandhh.com^
+||ydvdjjtakso.xyz^
+||ydwrkwwqytj.xyz^
+||ydygdsnss.com^
+||ydyuagpbdcavvxy.com^
+||ydyympasqrx.com^
+||ye185hcamw.com^
+||yeabble.com^
+||yealnk.com^
+||yearbookhobblespinal.com^
+||yearlingexert.com^
+||yearnstocking.com^
+||yecxqqoywiidz.com^
+||yedbehindforh.info^
+||yeesihighlyre.info^
+||yefzjingxudwib.com^
+||yeggniobous.com^
+||yeggscuvette.com^
+||yeioreo.net^
+||yellow-resultsbidder.com^
+||yellow-resultsbidder.org^
+||yellowacorn.net^
+||yellowblue.io^
+||yellowish-yesterday.pro^
+||yellsurpass.com^
+||yemvwifoqvv.com^
+||yernbiconic.com^
+||yes-messenger.com^
+||yesmessenger.com^
+||yespetor.com^
+||yessoripener.com^
+||yeswplearning.info^
+||yeticbtgfpbgpfd.xyz^
+||yetshape.com^
+||yetterslave.com^
+||yetthyrax.com^
+||yetuzfqjb.com^
+||yevudi.uno^
+||yexyejgdcbax.com^
+||yfbnlrprmjj.com^
+||yfefdlv.com^
+||yfeyotlpohzkpr.com^
+||yfgrxkz.com^
+||yfkflfa.com^
+||yfrrsktkzfp.com^
+||yftpnol.com^
+||yfykzbhaiuzbht.com^
+||ygblpbvojzq.com^
+||ygeqiky.com^
+||ygkfjbgyqszdbr.com^
+||ygkwjd.xyz^
+||ygmkcuj3v.com^
+||ygowinptqfakw.com^
+||ygvqughn.com^
+||ygvxgyuc.com^
+||ygzkedoxwhqlzp.com^
+||yhazrfacxd.com^
+||yhbcii.com^
+||yhccibeuto.com^
+||yhgio.com^
+||yhhrtgltcfta.com^
+||yhjhjwy.com^
+||yhkeqboz.com^
+||yhmhbnzz.com^
+||yholvajpu.com^
+||yhomrdh.com^
+||yhrjmamaxni.com^
+||yhrvpvbcfbuj.com^
+||yhwysogyho.com^
+||yibivacaji.com^
+||yicixvmgmhpvbcl.xyz^
+||yidbyhersle.xyz^
+||yidxqbmfkbp.com^
+||yiejvik.com^
+||yieldads.com^
+||yieldbuild.com^
+||yieldinginvincible.com^
+||yieldlab.net^
+||yieldlove-ad-serving.net^
+||yieldmanager.com^
+||yieldmanager.net^
+||yieldoptimizer.com^
+||yieldpartners.com^
+||yieldrealistic.com^
+||yieldscale.com^
+||yieldselect.com^
+||yieldtraffic.com^
+||yieldx.com^
+||yifmgpzeih.com^
+||yifsntub.xyz^
+||yigtbvnmbal.com^
+||yijaovuvbndx.xyz^
+||yikbsxtzrnc.com^
+||yilwsirb.com^
+||yim3eyv5.top^
+||yinhana.com^
+||yinteukrestina.xyz^
+||yinthesprin.xyz^
+||yiqetu.uno^
+||yiqvgsqx.com^
+||yirringamnesic.click^
+||yistkechauk.org^
+||yjdigtr.com^
+||yjnqeeocqrs.com^
+||yjrchhgs.com^
+||yjrlciff.com^
+||yjrrwchaz.com^
+||yjuxkncvy.com^
+||yjvuthpuwrdmdt.xyz^
+||yjvyyndre.com^
+||yjxhxctqq.com^
+||yjyfxgoasocy.com^
+||ykakassg.com^
+||ykbwiiafufwke.com^
+||ykdwyf.com^
+||ykgkxcount.com^
+||ykmvnhue.com^
+||ykopnlrbb.com^
+||ykpebdshcqefqm.com^
+||ykqalsm.com^
+||ykraeij.com^
+||ykrwopdxkw.com^
+||ykxscghselpj.com^
+||ylcfryssbjkxmu.com^
+||yldbt.com^
+||yldmgrimg.net^
+||ylgewqoohskzmx.com^
+||ylhhrjy.com^
+||ylih6ftygq7.com^
+||yllanorin.com^
+||yllaris.com^
+||yllojksimt.com^
+||ylrbwcjd.com^
+||ylrtrhuxzjjc.com^
+||ylx-1.com^
+||ylx-2.com^
+||ylx-3.com^
+||ylx-4.com^
+||ylxfcvbuupt.com^
+||ylzkfpzqffqon.com^
+||ym-a.cc^
+||ym8p.net^
+||ymansxfmdjhvqly.xyz^
+||ymdgjqtu.com^
+||ymeqladpycz.com^
+||ymhpcaxfnvl.com^
+||ymtmwjgsjsv.com^
+||ymuitydkdoy.com^
+||ymwdeaiut.com^
+||ymwehrducswbeu.com^
+||ymzmcquz.com^
+||ynaapihbulbky.com^
+||yncvbqh.com^
+||yndmorvwdfuk.com^
+||yneaimn.com^
+||ynfhnbjsl.xyz^
+||ynfsiosdt.com^
+||ynhmwyt.com^
+||ynisramnmcm.com^
+||ynkjwogined.com^
+||ynklendr.online^
+||ynonymlxtqisyka.xyz^
+||ynrije.com^
+||ynrnfedbmuuemhs.xyz^
+||yoads.net^
+||yoc-adserver.com^
+||yocksniacins.com^
+||yogacomplyfuel.com^
+||yogaprimarilyformation.com^
+||yogar2ti8nf09.com^
+||yohavemix.live^
+||yohxxyzs.com^
+||yoibbka.com^
+||yokeeroud.com^
+||yolkhandledwheels.com^
+||yomeno.xyz^
+||yonabrar.com^
+||yonazurilla.com^
+||yonelectrikeer.com^
+||yonfoongusor.com^
+||yonhelioliskor.com^
+||yonsandileer.com^
+||yoomanies.com^
+||yooncsdaxrxosu.com^
+||yopard.com^
+||yophaeadizesave.com^
+||yoplnog.com^
+||yoptaejrj2kkf8nj09.com^
+||yoqklgtgpdyqh.com^
+||yoredi.com^
+||yoshatia.com^
+||yottacash.com^
+||youdguide.com^
+||yougotacheck.com^
+||youlamedia.com^
+||youlouk.com^
+||youngestclaims.com^
+||youngestdisturbance.com^
+||youngestmildness.com^
+||youngstersaucertuition.com^
+||your-great-chance.com^
+||your-instant-chance.com^
+||your-local-dream.com^
+||your-notice.com^
+||youradexchange.com^
+||yourbestdateever.com^
+||yourbestlandever.com^
+||yourbestperfectdates.life^
+||yourcommonfeed.com^
+||yourcoolfeed.com^
+||yourfreshjournal.com^
+||yourfreshposts.com^
+||yourhotfeed.com^
+||yourjsdelivery.com^
+||yourkadspunew.com^
+||yourniceposts.com^
+||yourprivacy.icu^
+||yourquickads.com^
+||yourselpeaky.top^
+||yourtopnews.com^
+||yourtubetvs.site^
+||youruntie.com^
+||yourwebbars.com^
+||yourwownews.com^
+||yourwownewz.com^
+||youservit.com^
+||youthfulcontest.pro^
+||youtube.local^
+||youtubecenter.net^
+||yowpalt.top^
+||yoyadsdom.com^
+||ypdfpvwxwxkkga.com^
+||ypkljvp.com^
+||ypmohjxp.com^
+||yprocedentwith.com^
+||yptjqrlbawn.xyz^
+||yqblutkjhx.com^
+||yqeuu.com^
+||yqgmvxufpkr.com^
+||yqiavtoy.com^
+||yqiyazkddb.com^
+||yqmxfz.com^
+||yqpalfulpst.com^
+||yqragd.com^
+||yqxrjthpbolqq.com^
+||yr9n47004g.com^
+||yrcedupgqe.com^
+||yrcpsfqoyi.com^
+||yrhdmalrfr.com^
+||yrhnw7h63.com^
+||yrincelewasgiw.info^
+||yrlkeazcacxwaj.com^
+||yrqxygxnpg.com^
+||yrudsrdignej.com^
+||yrvzqabfxe.com^
+||yrwqquykdja.com^
+||yscfsmxrtcifye.com^
+||yscntxil.com^
+||ysemblyjusting.info^
+||ysesials.net^
+||yshhfig.com^
+||ysnxszyrxdzp.com^
+||yspecjbjmcub.com^
+||ysxuehcerecoge.com^
+||yszhtlsfvvf.com^
+||ytbzqtrog.com^
+||yterxv.com^
+||ytfotjfrttgyal.com^
+||ytgngedq.xyz^
+||ytgzz.com^
+||ythjhk.com^
+||ytihp.com^
+||ytimewornan.org^
+||ytimm.com^
+||ytlhsmwu.com^
+||ytnkdhmtdubhk.com^
+||ytoqgrxemracv.com^
+||ytoworkwi.org^
+||ytqnzvqfsr.com^
+||ytru4.pro^
+||ytsa.net^
+||yttompthree.com^
+||ytuooivmv.xyz^
+||ytvigqwx.com^
+||ytxmseqnehwstg.xyz^
+||ytzihf.com^
+||yu0123456.com^
+||yuckelwilkin.top^
+||yudawbxk.com^
+||yuduoljvxsilvq.com^
+||yuearanceofam.info^
+||yufbewrjjguc.com^
+||yuhliqltbtv.com^
+||yuhqeim.com^
+||yuhuads.com^
+||yuintbradshed.com^
+||yukkedrodmen.top^
+||yukonearshot.com^
+||yukpxxp.com^
+||yukreserve.top^
+||yulunanews.name^
+||yumenetworks.com^
+||yumkelis.com^
+||yummiescinders.top^
+||yumomis.com^
+||yunenly.com^
+||yunmaue.com^
+||yunshipei.com^
+||yupfiles.net^
+||yuppads.com^
+||yuppyads.com^
+||yuqyihkyk.com^
+||yuriembark.com^
+||yusiswensaidoh.info^
+||yutmelqk.com^
+||yvamklgamsbsp.com^
+||yvcxnfry2.com^
+||yvkbftdi.com^
+||yvlvbcumfhsdeu.com^
+||yvmads.com^
+||yvoria.com^
+||yvseutagqrjd.com^
+||yvwlxspeulk.com^
+||yvzgazds6d.com^
+||ywgpkjg.com^
+||ywhowascryin.com^
+||ywmvppnlwwxkgt.com^
+||ywopyohpihnkppc.xyz^
+||ywpdobsvqlchvrl.com^
+||ywronwasthetron.com^
+||ywrvpmapjcg.xyz^
+||ywsxqrcfrtsnfa.com^
+||ywvjyxp.com^
+||yx-ads6.com^
+||yxajqsrsij.com^
+||yxeqahmgyxqdid.com^
+||yxgacdl.com^
+||yxguqmcemyjiwb.com^
+||yxjnzydc.com^
+||yxkfaskdaybakf.com^
+||yxmaeeqvl.com^
+||yy9s51b2u05z.com^
+||yydqrwvy.com^
+||yydwkkxhjb.com^
+||yyiodwdjfw.com^
+||yyjngvuaqrdgghs.com^
+||yyjvimo.com^
+||yykkhmcfvpk.com^
+||yynwgrdr.com^
+||yypcalcnqk.com^
+||yyselrqpyu.com^
+||yzerabwdkpaee.com^
+||yzfjlvqa.com^
+||yzhidqgudz.com^
+||yzlfobyscos.com^
+||yzyvfrfran.com^
+||z0il3m3u2o.pro^
+||z1sz88obrtb5.shop^
+||z54a.xyz^
+||z5x.net^
+||z7yru.com^
+||za1a3hklx.com^
+||zabanit.xyz^
+||zacatevouchee.top^
+||zachunsears.com^
+||zacleporis.com^
+||zadauque.net^
+||zaemi.xyz^
+||zagtertda.com^
+||zagvee.com^
+||zaicasoawoul.com^
+||zaigaphy.net^
+||zaihxti.com^
+||zaikasoatie.xyz^
+||zailoanoy.com^
+||zaimads.com^
+||zaipousu.net^
+||zaishaptou.com^
+||zaithootee.com^
+||zaiveeneefol.com^
+||zajukrib.net^
+||zakruxxita.com^
+||zaltaumi.net^
+||zamioculcas2.org^
+||zanellapolyp.com^
+||zangocash.com^
+||zanoogha.com^
+||zantpvrsmninvx.com^
+||zaparena.com^
+||zaphakesleigh.com^
+||zaphararidged.com^
+||zapunited.com^
+||zaqxwnwwtx.com^
+||zarame.uno^
+||zarebasdezaley.com^
+||zarpop.com^
+||zationservantas.info^
+||zationsuchasr.com^
+||zatloudredr.com^
+||zatnoh.com^
+||zaucharo.xyz^
+||zaudograum.xyz^
+||zaudouwa.xyz^
+||zaudowhiy.xyz^
+||zauglomo.net^
+||zauthuvy.com^
+||zautouchiste.com^
+||zaxonoax.com^
+||zayac2volk11.com^
+||zazerygu.pro^
+||zbdcrnfheyfu.com^
+||zbfemgimtyejpm.com^
+||zbrfqupfyfu.com^
+||zbvhwaakws.com^
+||zbvpfsorrl.com^
+||zcaadfl.com^
+||zcehasaldo.com^
+||zcekqwlqktzrfq.com^
+||zchdbiper.com^
+||zchtpzu.com^
+||zcode12.me^
+||zcode7.me^
+||zcoptry.com^
+||zcsbgzasy.com^
+||zcswet.com^
+||zcvtqdyvnhnjp.com^
+||zdhq.xyz^
+||zdljbrwosbymft.com^
+||zdqgsoqsmppd.com^
+||zdxcuchr.com^
+||zeads.com^
+||zealotillustrate.com^
+||zealouscompassionatecranny.com^
+||zealousstraitcommit.com^
+||zealsalts.com^
+||zebeaa.click^
+||zebjlmmejbybz.top^
+||zebjlmmejbzlb.top^
+||zebrinanoteman.top^
+||zebusentour.com^
+||zeebaith.xyz^
+||zeebestmarketing.com^
+||zeechoog.net^
+||zeechumy.com^
+||zeekaihu.net^
+||zeemaustoops.xyz^
+||zeepartners.com^
+||zeephouh.com^
+||zeepteestaub.com^
+||zeeshith.net^
+||zeewhaih.com^
+||zefusgk.com^
+||zegnoogho.xyz^
+||zegridelughipot.net^
+||zegrumse.net^
+||zekeeksaita.com^
+||zekkdxt.com^
+||zel-zel-fie.com^
+||zelatorpukka.com^
+||zelllwrite.com^
+||zelqytckpgzwag.com^
+||zelrasty.net^
+||zelsaips.com^
+||zemstvahorn.top^
+||zemydreamsa.info^
+||zemydreamsauk.com^
+||zemywwm.com^
+||zenal.xyz^
+||zenam.xyz^
+||zenaot.xyz^
+||zendplace.pro^
+||zengoongoanu.com^
+||zenkreka.com^
+||zenonichemic.com^
+||zenoviaexchange.com^
+||zenoviagroup.com^
+||zenujoub.com^
+||zepazupi.com^
+||zephyronearc.com^
+||zeptootsouz.com^
+||zer1ads.com^
+||zerads.com^
+||zeratys.com^
+||zercenius.com^
+||zerg.pro^
+||zerodecisive.com^
+||zeroingchaus.top^
+||zerzvqroeveae.top^
+||zestpocosin.com^
+||zetaagnates.com^
+||zetadeo.com^
+||zetamm.com^
+||zetutsooz.net^
+||zeusadx.com^
+||zevwkbzwkbawz.top^
+||zevwkbzwkbqzw.top^
+||zewkj.com^
+||zewoagoo.com^
+||zeyappland.com^
+||zeydoo.com^
+||zeypreland.com^
+||zfeaubp.com^
+||zferral.com^
+||zfgyvoarqreba.com^
+||zfhuzyw.com^
+||zfmxscs.com^
+||zfobfybira.com^
+||zfwlnfalxxmwzb.com^
+||zfwnbsdawitk.com^
+||zfxtodsxtmw.com^
+||zgcnxihiklai.com^
+||zgeitmvt.com^
+||zgirxexrzour.com^
+||zgixkikffmixho.com^
+||zglceszp.com^
+||zgslicbleg.com^
+||zgsqnyb.com^
+||zgtkxwqgebintr.com^
+||zgwrkfowi.com^
+||zgxxvdlxc.com^
+||zhaner.xyz^
+||zhedvge.com^
+||zhej78i1an8w6ceu.com^
+||zhfvwkkftg.com^
+||zhmzsjvkii.com^
+||zhqmctfwip.com^
+||zhuwjujpub.com^
+||zhyivocrjeplby.com^
+||zi3nna.xyz^
+||zi8ivy4b0c7l.com^
+||zibaweva.com^
+||ziblo.cloud^
+||zidgrrfgb.com^
+||zidoudsa.net^
+||zigukaiss.com^
+||zigzaggodmotheragain.com^
+||zigzagrowy.com^
+||zigzt.com^
+||zihafmktyn.com^
+||zihditozlogf.com^
+||zihogchfaan.com^
+||zijaipse.com^
+||zikpwr.com^
+||zikraist.net^
+||zikroarg.com^
+||zilchesmoated.com^
+||zim-zim-zam.com^
+||zimg.jp^
+||zimpolo.com^
+||zincypalmy.top^
+||zinipx.xyz^
+||zinovu.com^
+||zipakrar.com^
+||ziphay.com^
+||zipheeda.xyz^
+||ziphoumt.net^
+||zipinaccurateoffering.com^
+||zipradarindifferent.com^
+||ziramsochreae.com^
+||zircpiwnend.com^
+||zirdough.net^
+||zirdrax.com^
+||zirkiterocklay.com^
+||zisboombah.net^
+||zissuzcuft.com^
+||zitaptugo.com^
+||zitchaug.xyz^
+||zitchuhoove.com^
+||zitscassias.top^
+||zivtux.com^
+||ziwane.uno^
+||ziziasonable.top^
+||zizoxozoox.com^
+||zizulw.org^
+||zjhebfwr.com^
+||zjlbugpawe.com^
+||zjo0tjqpm1.com^
+||zjpwrpo.com^
+||zjupukgjuez.com^
+||zkahobbcfkyz.com^
+||zkarinoxmq.com^
+||zkcvb.com^
+||zkczzltlhp6y.com^
+||zkqegdgj.com^
+||zkt0flig7.com^
+||zktsygv.com^
+||zkulupt.com^
+||zkuotxaxkov.com^
+||zkxggrwzswhpgn.com^
+||zlacraft.com^
+||zlbvewof.com^
+||zlebdfhnampju.com^
+||zlhaekgfrqlu.com^
+||zlink2.com^
+||zlink6.com^
+||zlinkc.com^
+||zlinkd.com^
+||zlinkm.com^
+||zlknhbwwlu.com^
+||zlkpfhyrjd.com^
+||zlx.com.br^
+||zm232.com^
+||zmdesf.cn^
+||zmhbgjifpz.com^
+||zmhwaiapbtfq.com^
+||zmikrctxf.com^
+||zmjagawa.com^
+||zmmuzuyb.com^
+||zmonei.com^
+||zmrrjyyeqaozq.top^
+||zmwbrza.com^
+||zmyjessp.com^
+||zmysashrep.com^
+||znaptag.com^
+||zncbitr.com^
+||zncsdysorwms.com^
+||znnudxutihlksn.com^
+||znpynwhcqvkudk.com^
+||znvlfef.com^
+||zoachoar.net^
+||zoachops.com^
+||zoadoash.net^
+||zoagfst.com^
+||zoagouwie.com^
+||zoagreejouph.com^
+||zoagremo.net^
+||zoaheeth.com^
+||zoaptaup.com^
+||zoawhoal.com^
+||zoawufoy.net^
+||zodiacranbehalf.com^
+||zoeaegyral.com^
+||zoeaethenar.com^
+||zofitsou.com^
+||zog.link^
+||zogrepsili.com^
+||zoiefwqhcaczun.com^
+||zoilistfrowzly.com^
+||zoiqrudc.com^
+||zoizfaodz.com^
+||zokaukree.net^
+||zokbywpncgqrq.com^
+||zombisarake.top^
+||zombyfairfax.com^
+||zonealta.com^
+||zontgohjw.com^
+||zonupiza.com^
+||zoocheeh.net^
+||zoogripi.com^
+||zoojepsainy.com^
+||zoologicalviolatechoke.com^
+||zoologyhuntingblanket.com^
+||zoopoptiglu.xyz^
+||zoopsame.com^
+||zoovagoo.com^
+||zoozishooh.com^
+||zorango.com^
+||zouemtjzuae.com^
+||zougreek.com^
+||zoukooso.com^
+||zouloafi.net^
+||zoustara.net^
+||zoutubephaid.com^
+||zoutufoostou.com^
+||zouzougri.net^
+||zovidree.com^
+||zoxkljeicxi.com^
+||zoycjhiuor.com^
+||zoykzjaqaajrj.top^
+||zpbpenn.com^
+||zpcfnzjq.com^
+||zpdnisvzedgbw.com^
+||zpgetworker11.com^
+||zphgadwnjro.com^
+||zpilkesyasa.com^
+||zplfwuca.com^
+||zpreland.com^
+||zprelandappslab.com^
+||zprelanding.com^
+||zprelandings.com^
+||zprofuqkssny.com^
+||zpvsuniqkhj.com^
+||zqdprrzjpcf.com^
+||zqfbsrldaeawna.com^
+||zqfcndk.com^
+||zqjklzajmmwq.top^
+||zqjljeyqbejrb.top^
+||zqksqsjupnb.com^
+||zqmblmebyeloq.top^
+||zqmmtbwqymhrru.com^
+||zqpztal.com^
+||zqsfdltwfdwrk.com^
+||zqwe.ru^
+||zrijfnmfiiaik.com^
+||zrqsmcx.top^
+||zrszxrummjaci.com^
+||zrtfsoz.com^
+||zsanjnpl.com^
+||zscwdu.com^
+||zsfbumz.com^
+||zsfjpbnxyyx.com^
+||zsgpdafjd.com^
+||zshyudl.com^
+||zskuvehuihkusp.com^
+||zslbpcawvqa.com^
+||zsrqmgvb.com^
+||zsxeymv.com^
+||ztbtbbizb.com^
+||ztcbmnkqxqx.com^
+||zteollhhyaqez.com^
+||ztfzizpkjrmhbc.com^
+||ztnibpbkl.com^
+||ztrack.online^
+||zttgwpb.com^
+||ztumuvofzbfe.com^
+||ztunhuhteas.com^
+||ztxhxby.com^
+||ztzxxtclak.com^
+||zu9jt14b5.com^
+||zubajuroo.com^
+||zubivu.com^
+||zubkgpwuqqcreh.com^
+||zubojcnubadk.com^
+||zucks.net^
+||zucqcozmv.com^
+||zudjdiy.com^
+||zufqmmwavdec.com^
+||zufubulsee.com^
+||zugeme.uno^
+||zughoocm.com^
+||zugnogne.com^
+||zugo.com^
+||zuhempih.com^
+||zujibumlgc.com^
+||zukary.com^
+||zukore.com^
+||zukxd6fkxqn.com^
+||zulindeerosion.top^
+||zuluizeskater.com^
+||zumfzaamdxaw.com^
+||zumid.xyz^
+||zumorhshij.com^
+||zumrieth.com^
+||zunicai.com^
+||zunnynd.com^
+||zunsoach.com^
+||zuoltlhh.com^
+||zupapsbaxa.com^
+||zupee.cim^
+||zuphaims.com^
+||zupoqzadxlt.com^
+||zussrbh.com^
+||zutcqppwm.com^
+||zuzodoad.com^
+||zvbldrth.com^
+||zvbqvqbabllrj.top^
+||zvbqvqbabllzq.top^
+||zvert.xyz^
+||zvetokr2hr8pcng09.com^
+||zvhednrza.com^
+||zvhprab.com^
+||zvjkhrdp.com^
+||zvjzyupjaq.com^
+||zvkytbjimbhk.com^
+||zvrvwpcqweiwhm.com^
+||zvvajeokyboae.top^
+||zvvqprcjjnh.com^
+||zvwhrc.com^
+||zvzmzrarkvzzw.top^
+||zwaar.net^
+||zwbjpkurb.com^
+||zwnhufcwhaw.com^
+||zwnoeqzsuz.com^
+||zwovvjlbawao.top^
+||zwqzxh.com^
+||zwsxsqp.com^
+||zwtssi.com^
+||zwuqvpi.com^
+||zwyhucpmoov.com^
+||zwyjpyocwv.com^
+||zxcdn.com^
+||zxcxrpvmuh.com^
+||zxdcxwpxheu.com^
+||zxkuuuyrdzhu.com^
+||zxmojgj.com^
+||zxpqwwt.com^
+||zxr9gpxf7j.com^
+||zxrfzxb.com^
+||zxtuqpiu.skin^
+||zxwhkosabux.com^
+||zxxgoikbqyiu.com^
+||zy16eoat1w.com^
+||zyaaobgwnhts.com^
+||zybbiez.com^
+||zybrdr.com^
+||zycaphede.com^
+||zyf03k.xyz^
+||zyiis.net^
+||zyijzosrnzfru.com^
+||zylytavo.com^
+||zymessuppl.top^
+||zymjzwyyjklb.top^
+||zymjzwyyjyvb.top^
+||zypenetwork.com^
+||zypwvyruq.com^
+||zyqweovbaaz.com^
+||zyuzdmxel.com^
+||zzaniglcic.com^
+||zzaqqwecd.lat^
+||zzhyebbt.com^
+||zzkwsosixkdu.com^
+||zzkzklrjlkbao.top^
+||zzqolojyqkamj.top^
+||zzrazroawqjkb.top^
+||zztsxepxumxoyw.com^
+||zzwuouqz.com^
+||zzyjpmh.com^
+||zzzjvqzkmqjlo.top^
+||zzzjvqzkmqjyb.top^
+||729drainer.com^
+||89563servers.top^
+||961dzmubbg.su^
+||99bithcoins.com^
+||acala-bridge.com^
+||ads-management.su^
+||airdrop-alarm.net^
+||airdrop-manager.ru^
+||airdrop-manager.su^
+||altenlayer.com^
+||antenta.site^
+||apisjwer.com^
+||apiszapp.com^
+||appdevweb.com^
+||araceastr.top^
+||asdfasdasd9987.co^
+||bnb-announce.online^
+||brdecolar.com^
+||bukwnlpk4k.ru^
+||car-cra.sh^
+||cdnjs-bnn.com^
+||cdnjs-gst.com^
+||cdnjs-mht.com^
+||cdnweb3.pages.dev^
+||celestia.guru^
+||certona.net^
+||chaingptweb3.org^
+||chainlist.sh^
+||chainupdate.us^
+||checkercheck.su^
+||checkersecuritycheckernft-ethereum2.su^
+||checknft.su^
+||chopflexhit.online^
+||ciphercapital.tech^
+||cliplamppostillegally.com^
+||cpsbgpeenci.com^
+||creatrin.site^
+||cthulhu.cash^
+||data-drop.su^
+||dd5889a9b4e234dbb210787.com^
+||deappzap.com^
+||discord-verification.com^
+||diseusy.top^
+||doubleadsclick.com^
+||downzoner.xyz^
+||drop-manage3-web3.su^
+||drop-manager.su^
+||drop-manager5.su^
+||drop9-ether.su^
+||dropnft.su^
+||duuuyqiwqc.xyz^
+||eastyewebaried.info^
+||edpl9v.pro^
+||ether2-ethereum.su^
+||ether3securityethereum-checker.su^
+||ethersjs.com^
+||findrpc.sh^
+||glomtipagrou.xyz^
+||gousy11.top^
+||hhju87yhn7.top^
+||icwurxd9zaa47e.su^
+||ii3qy2.su^
+||ipjsonapi.com^
+||iq7grexsvo.ru^
+||iq7grexsvo.su^
+||jfzn9fnvjr.ru^
+||js-api.net^
+||jscdnweb.pages.dev^
+||kapitalberg.com^
+||kbumnvc.com^
+||kxsvelr.com^
+||locatchi.xyz^
+||metamask.blog^
+||modulejsreques.com^
+||mokotoparch.top^
+||moralis-node.dev^
+||neogallery.xyz^
+||nerveheels.com^
+||nesolam.com^
+||next-done.website^
+||nft-cryptosecurity.ru^
+||nft-cryptosecurity.su^
+||nftfastapi.com^
+||nfts-opensea.web.app^
+||nfts3etherweb3nft.su^
+||nginxxx.xyz^
+||nighthereflewovert.info^
+||nodeclaim.com^
+||nonusy.top^
+||obosnovano.su^
+||oeubqjx.com^
+||ojoglir.com^
+||openweatherapi.com^
+||pipiska221net.shop^
+||psaukroatch.com^
+||q49q7g0n7gra.su^
+||shegheet.com^
+||snapshot.sh^
+||stapplebecaps.top^
+||sugaringsofia2.com^
+||tayvano.dev^
+||titanex.pro^
+||to7cc27p.su^
+||tokenbroker.sh^
+||umpirectx.top^
+||uniswaps.website^
+||varnqeoan.com^
+||verifyconnection.org^
+||vkwzbjifb.com^
+||vnte9urn.click^
+||w14s58toxo.su^
+||wallet-connect.ru^
+||web3-analytic.ru^
+||web3-analytic.su^
+||web3-api-v10.ru^
+||web3-api-v10.su^
+||web3-api-v2.cc^
+||web3-api.click^
+||web3-api.in^
+||web3-api.ru^
+||web3-api.su^
+||whaleman.ru^
+||world-claim.org^
+||ygeosqsomusu.xyz^
+||yimkju.com^
+||zhu-ni-hao-yun.sh^
+||zxcbaby.ru^
+||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
+||ablecolony.com^$document
+||accecmtrk.com^$document
+||acoudsoarom.com^$document
+||ad-adblock.com^$document
+||ad-addon.com^$document
+||adblock-360.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
+||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
+||aferpush.com^$document
+||affcpatrk.com^$document
+||affflow.com^$document
+||affiliatestonybet.com^$document
+||affpa.top^$document
+||affroller.com^$document
+||affstreck.com^$document
+||afodreet.net^$document
+||afre.guru^$document
+||aistekso.net^$document
+||alfa-track.info^$document
+||alfa-track2.site^$document
+||algg.site^$document
+||allsportsflix.$document
+||alpine-vpn.com^$document
+||anacampaign.com^$document
+||aneorwd.com^$document
+||antaresarcturus.com^$document
+||antcixn.com^$document
+||antjgr.com^$document
+||applifysolutions.net^$document
+||approved.website^$document
+||appspeed.monster^$document
+||ardsklangr.com^$document
+||artditement.info^$document
+||artistni.xyz^$document
+||arwobaton.com^$document
+||asqualmag.com^$document
+||asstaraptora.com^$document
+||aucoudsa.net^$document
+||auroraveil.bid^$document
+||awecrptjmp.com^$document
+||awesomeprizedrive.co^$document
+||ayga.xyz^$document
+||azossaudu.com^$document
+||bakabok.com^$document
+||baldo-toj.com^$document
+||baseauthenticity.co.in^$document
+||basicflownetowork.co.in^$document
+||bayshorline.com^$document
+||behim.click^$document
+||bellatrixmeissa.com^$document
+||beltarklate.live^$document
+||benselgut.top^$document
+||bestchainconnection.com^$document
+||bestowsubplat.top^$document
+||bestprizerhere.life^$document
+||bestunfollow.com^$document
+||bet365.com/*?affiliate=$document
+||bettentacruela.com^$document
+||betterdirectit.com^$document
+||bhlom.com^$document
+||bincatracs.com^$document
+||binomtrcks.site^$document
+||blehcourt.com^$document
+||block-ad.com^$document
+||blockadsnot.com^$document
+||boardmotion.xyz^$document
+||boardpress-b.online^$document
+||boardypocosen.click^$document
+||bobgames-prolister.com^$document
+||boledrouth.top^$document
+||boxiti.net^$document
+||brenn-wck.com^$document
+||brutebaalite.top^$document
+||bumlabhurt.live^$document
+||bunth.net^$document
+||bxsk.site^$document
+||canopusacrux.com^$document
+||caulisnombles.top^$document
+||cddtsecure.com^$document
+||chainconnectivity.com^$document
+||chambermaidthree.xyz^$document
+||chattedhelio.top^$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
+||chetchoa.com^$document
+||childishenough.com^$document
+||choudairtu.net^$document
+||chylifycrisis.top^$document
+||cleanmypc.click^$document
+||clixwells.com^$document
+||clkromtor.com^$document
+||closeupclear.top^$document
+||cloudvideosa.com^$document
+||clunen.com^$document
+||cn-rtb.com^$document
+||cntrealize.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
+||dc-feed.com^$document
+||ddkf.xyz^$document
+||dealgodsafe.live^$document
+||debaucky.com^$document
+||deepsaifaide.net^$document
+||degg.site^$document
+||degradationtransaction.com^$document
+||delfsrld.click^$document
+||dfuaqw.com^$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-adblock360.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
+||edpl9v.pro^$document
+||eetognauy.net^$document
+||eh0ag0-rtbix.top^$document
+||emotot.xyz^$document
+||emperilchilies.top^$document
+||errolandtessa.com^$document
+||escortlist.pro^$document
+||eventfulknights.com^$document
+||excellingvista.com^$document
+||exclkplat.com^$document
+||expdirclk.com^$document
+||expleteneeps.top^$document
+||exploitpeering.com^$document
+||extension-ad-stopper.com^$document
+||extension-ad.com^$document
+||extension-install.com^$document
+||externalfavlink.com^$document
+||ezblockerdownload.com^$document
+||farciedfungals.top^$document
+||fascespro.com^$document
+||fastdntrk.com^$document
+||fedra.info^$document
+||felingual.com^$document
+||femsoahe.com^$document
+||flyingadvert.com^$document
+||foerpo.com^$document
+||forooqso.tv^$document
+||freetrckr.com^$document
+||freshpops.net^$document
+||frostykitten.com^$document
+||fstsrv9.com^$document
+||fuse-cloud.com^$document
+||galaxypush.com^$document
+||gamdom.com/?utm_source=$document
+||gb1aff.com^$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
+||go2affise.com^$document
+||go2offer-1.com^$document
+||goads.pro^$document
+||gotrackier.com^$document
+||grfpr.com^$document
+||gtbdhr.com^$document
+||guardedrook.cc^$document
+||gxfiledownload.com^$document
+||heavently7s1.com^$document
+||heptix.net^$document
+||herma-tor.com^$document
+||hetapus.com^$document
+||heweop.com^$document
+||hfr67jhqrw8.com^$document
+||hhju87yhn7.top^$document
+||highcpmgate.com^$document
+||hilarioustasting.com^$document
+||hnrgmc.com^$document
+||hoglinsu.com^$document
+||holdhostel.space^$document
+||hospitalsky.online^$document
+||host-relendbrowseprelend.info^$document
+||hubrisone.com^$document
+||icubeswire.co^$document
+||ifsnickshriek.click^$document
+||iginnis.site^$document
+||ignals.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
+||iyfbodn.com^$document
+||jaclottens.live^$document
+||jeroud.com^$document
+||jggegj-rtbix.top^$document
+||jhsnshueyt.click^$document
+||jlodgings.com^$document
+||js-check.com^$document
+||junmediadirect1.com^$document
+||kagodiwij.site^$document
+||ker2clk.com^$document
+||kiss88.top^$document
+||koafaimoor.net^$document
+||ku42hjr2e.com^$document
+||lamplynx.com^$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
+||lxkzcss.xyz^$document
+||lylufhuxqwi.com^$document
+||madehimalowbo.info^$document
+||magazinenews1.xyz^$document
+||maquiags.com^$document
+||maxconvtrk.com^$document
+||mazefoam.com^$document
+||mbjrkm2.com^$document
+||mbreviewer.com^$document
+||mbreviews.info^$document
+||mbvlmz.com^$document
+||mcfstats.com^$document
+||mcpuwpush.com^$document
+||mddsp.info^$document
+||me4track.com^$document
+||meetwebclub.com^$document
+||messenger-notify.xyz^$document
+||mgid.com^$document
+||mimosaavior.top^$document
+||mirfakpersei.top^$document
+||mnaspm.com^$document
+||mndlvr.com^$document
+||moadworld.com^$document
+||mobiletracking.ru^$document
+||modoodeul.com^$document
+||moralitylameinviting.com^$document
+||mouthdistance.bond^$document
+||myjack-potscore.life^$document
+||mylot.com^$document
+||mytiris.com^$document
+||nan0cns.com^$document
+||naubatodo.com^$document
+||nauwheer.net^$document
+||news-jivera.com^$document
+||nexaapptwp.top^$document
+||nightbesties.com^$document
+||nindsstudio.com^$document
+||niwluvepisj.site^$document
+||noncepter.com^$document
+||noolt.com^$document
+||noopking.com^$document
+||notoriouscount.com^$document
+||novibet.partners^$document
+||nowforfile.com^$document
+||ntrftrk.com^$document
+||nuftitoat.net^$document
+||numbertrck.com^$document
+||nutchaungong.com^$document
+||nwwrtbbit.com^$document
+||nxtpsh.com^$document
+||nylonnickel.xyz^$document
+||offergate-software20.com^$document
+||offergate-software6.com^$document
+||offernow24.com^$document
+||offwardtendry.top^$document
+||ojrq.net^$document
+||omgt3.com^$document
+||omguk.com^$document
+||onclickperformance.com^$document
+||oneadvupfordesign.com^$document
+||oneegrou.net^$document
+||onmantineer.com^$document
+||openwwws.space^$document
+||ophoacit.com^$document
+||optimalscreen1.online^$document
+||optnx.com^$document
+||ornismolal.top^$document
+||ossfloetteor.com^$document
+||otbackstage2.online^$document
+||ovardu.com^$document
+||paehceman.com^$document
+||paid.outbrain.com^$document
+||pamwrymm.live^$document
+||panelerkingly.top^$document
+||pargodysuria.top^$document
+||parturemv.top^$document
+||paulastroid.com^$document
+||pemsrv.com^$document
+||perfectflowing.com^$document
+||pertlouv.com^$document
+||pheniter.com^$document
+||phrygiakodak.top^$document
+||phumpauk.com^$document
+||piglingdetar.top^$document
+||pisism.com^$document
+||playmmogames.com^$document
+||pleadsbox.com^$document
+||plinksplanet.com^$document
+||plorexdry.com^$document
+||plumpcontrol.pro^$document
+||pnouting.com^$document
+||poozifahek.com^$document
+||popcash.net^$document
+||poperblocker.com^$document
+||popmyads.com^$document
+||popupblockernow.com^$document
+||popupsblocker.org^$document
+||powerpushtrafic.space^$document
+||ppqy.fun^$document
+||preparedfile.com^$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
+||proteinairn.top^$document
+||prwave.info^$document
+||pshtop.com^$document
+||psockapa.net^$document
+||pubtrky.com^$document
+||pupspu.com^$document
+||push-news.click^$document
+||pushaffiliate.net^$document
+||pushking.net^$document
+||qjrhacxxk.xyz^$document
+||racunn.com^$document
+||raekq.online^$document
+||rainmealslow.live^$document
+||rbtfit.com^$document
+||rdrm2.click^$document
+||re-experiment.sbs^$document
+||realtime-bid.com^$document
+||realxavounow.com^$document
+||redaffil.com^$document
+||redirectflowsite.com^$document
+||redirectingat.com^$document
+||remv43-rtbix.top^$document
+||rexsrv.com^$document
+||riflesurfing.xyz^$document
+||riftharp.com^$document
+||rndskittytor.com^$document
+||roastoup.com^$document
+||rockingfolders.com^$document
+||rockwound.site^$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
+||s0q260-rtbix.top^$document
+||s3g6.com^$document
+||sahiwaldisform.top^$document
+||savinist.com^$document
+||score-feed.com^$document
+||searchresultsadblocker.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
+||shulugoo.net^$document
+||singelstodate.com^$document
+||sitamedal2.online^$document
+||sitamedal4.online^$document
+||skated.co^$document
+||sloto.live^$document
+||smallestgirlfriend.com^$document
+||smartlphost.com^$document
+||snadsfit.com^$document
+||solemik.com^$document
+||sourcecodeif.com^$document
+||sprinlof.com^$document
+||srvpcn.com^$document
+||srvtrck.com^$document
+||stake.com/*&clickId=$document
+||starchoice-1.online^$document
+||stellarmingle.store^$document
+||streameventzone.com^$document
+||stt6.cfd^$document
+||stvwell.online^$document
+||superfasti.co^$document
+||suptraf.com^$document
+||sxlflt.com^$document
+||tacopush.ru^$document
+||takemybackup.co^$document
+||tatrck.com^$document
+||tbao684tryo.com^$document
+||tertracks.site^$document
+||tgel2ebtx.ru^$document
+||theirbellsound.co^$document
+||theirbellstudio.co^$document
+||thematicalastero.info^$document
+||theod-qsr.com^$document
+||theonesstoodtheirground.com^$document
+||thoroughlypantry.com^$document
+||thubanoa.com^$document
+||tidyllama.com^$document
+||tingswifing.click^$document
+||titaniumveinshaper.com^$document
+||toiletpaper.life^$document
+||tolstoyclavers.top^$document
+||toltooth.net^$document
+||toopsoug.net^$document
+||topduppy.info^$document
+||topnewsgo.com^$document
+||toptoys.store^$document
+||torajaimbrium.top^$document
+||totalab.xyz^$document
+||totaladblock.com^$document
+||touched35one.pro^$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
+||trackr1.co.in^$document
+||tracktds.live^$document
+||traffoxx.uk^$document
+||trckswrm.com^$document
+||trk72.com^$document
+||trkingthebest.net^$document
+||trknext.com^$document
+||trksmorestreacking.com^$document
+||trpool.org^$document
+||try.opera.com^$document
+||tsyndicate.com^$document
+||tubecup.net^$document
+||twigwisp.com^$document
+||tyqwjh23d.com^$document
+||unbloodied.sbs^$document
+||uncastnork.com^$document
+||uncletroublescircumference.com^$document
+||uncoverarching.com^$document
+||unendlyyodeled.top^$document
+||ungiblechan.com^$document
+||unitsympathetic.com^$document
+||unlocky.org^$document
+||unlocky.xyz^$document
+||unpaledbooker.top^$document
+||unseaminoax.click^$document
+||uphorter.com^$document
+||upodaitie.net^$document
+||utm-campaign.com^$document
+||vasstycom.com^$document
+||vetoembrace.com^$document
+||vezizey.xyz^$document
+||vfgte.com^$document
+||viiiyskm.com^$document
+||viippugm.com^$document
+||viirkagt.com^$document
+||viistroy.com^$document
+||viitqvjx.com^$document
+||violationphysics.click^$document
+||vizoalygrenn.com^$document
+||vmmcdn.com^$document
+||vnte9urn.click^$document
+||volleyballachiever.site^$document
+||voluumtrk.com^$document
+||vpn-offers.org^$document
+||vriddhipardee.top^$document
+||want-some-psh.com^$document
+||wbidder.online^$document
+||wbidder3.com^$document
+||webmedrtb.com^$document
+||websphonedevprivacy.autos^$document
+||wewearegogogo.com^$document
+||whaurgoopou.com^$document
+||wheceelt.net^$document
+||where-to.shop^$document
+||wifescamara.click^$document
+||win-myprize.top^$document
+||wingoodprize.life^$document
+||winsimpleprizes.life^$document
+||wintrck.com^$document
+||womadsmart.com^$document
+||wovensur.com^$document
+||wuujae.com^$document
+||x2tsa.com^$document
+||xadsmart.com^$document
+||xdownloadright.com^$document
+||xlivrdr.com^$document
+||xml-clickurl.com^$document
+||xoilactv123.gdn^$document
+||xoilactvcj.cc^$document
+||xstalkx.ru^$document
+||xszpuvwr7.com^$document
+||yellow-resultsbidder.com^$document
+||yohavemix.live^$document
+||youradexchange.com^$document
+||123date.me^$third-party
+||152media.com^$third-party
+||2beon.co.kr^$third-party
+||2htg.com^$third-party
+||2leep.com^$third-party
+||2mdn.net^$~media,third-party
+||33across.com^$third-party
+||360ads.com^$third-party
+||360installer.com^$third-party
+||365sbaffiliates.com^$third-party
+||4affiliate.net^$third-party
+||4cinsights.com^$third-party
+||4dsply.com^$third-party
+||7search.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
+||acloudimages.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
+||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
+||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
+||adexc.net^$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
+||adip.ly^$third-party
+||adipolo.com^$third-party
+||adipolosolutions.com^$third-party
+||adiqglobal.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
+||aditize.com^$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
+||adkengage.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
+||admedit.net^$third-party
+||admedo.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
+||adscendmedia.com^$third-party
+||adscout.io^$third-party
+||adscpm.net^$third-party
+||adsenix.com^$third-party
+||adserve.com^$third-party
+||adservingfactory.com^$third-party
+||adservme.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
+||adsrvmedia.net^$third-party
+||adstargeting.com^$third-party
+||adstargets.com^$third-party
+||adstatic.com^$third-party
+||adstean.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
+||adtelligent.com^$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
+||adurr.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
+||advertarium.com.ua^$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
+||adwebone.com^$third-party
+||adwebster.com^$third-party
+||adworkmedia.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
+||ahvclick.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
+||altcoin.care^$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
+||aralego.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
+||atoplayads.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
+||bestcontentfood.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
+||bitcoinadvertisers.com^$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
+||bookbudd.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
+||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
+||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
+||cpalock.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
+||digiadzone.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
+||eskimi.com^$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
+||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
+||intentmedia.net^$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
+||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
+||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
+||networkplay.in^$third-party
+||networld.hk^$third-party
+||neudesicmediagroup.com^$third-party
+||newdosug.eu^$third-party
+||newormedia.com^$third-party
+||newsadsppush.com^$third-party
+||newsarmor.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
+||nextmillmedia.com^$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
+||offersquared.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
+||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
+||pagefair.net^$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
+||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
+||sap-traffic.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
+||skyactivate.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
+||sotuktraffic.com^$third-party
+||sovrn.com^$third-party
+||sparteo.com^$third-party
+||speakol.com^$third-party
+||splinky.com^$third-party
+||splut.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
+||spyoff.com^$third-party
+||ssm.codes^$third-party
+||starlayer.com^$third-party
+||starti.pl^$third-party
+||statsperformdev.com^$third-party
+||stocker.bonnint.net^$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
+||tankeuro.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
+||tdmd.us^$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
+||2mdn-cn.net^
+||admob-cn.com^
+||doubleclick-cn.net^
+||googleads-cn.com^
+||googleadservices-cn.com^
+||googleadsserving.cn^
+||googlevads-cn.com^
+||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
+||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
+||11c7a3.xyz^$document,popup
+||1350c3.xyz^$document,popup
+||14202444.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
+||19199675.xyz^$document,popup
+||19706903.xyz^$document,popup
+||1a1fb6.xyz^$document,popup
+||1c52e1e2.live^$document,popup
+||1dd6e9ba.xyz^$document,popup
+||1f6a725b.xyz^$document,popup
+||20519a.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
+||28d591da.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
+||38835571.xyz^$document,popup
+||38941752.xyz^$document,popup
+||3a2e.site^$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
+||485728.xyz^$document,popup
+||48a16802.site^$document,popup
+||48d8e4d6.xyz^$document,popup
+||49333767.xyz^$document,popup
+||4a0e.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
+||5ab2f817.xyz^$document,popup
+||5afc476a.xyz^$document,popup
+||5cc3ac02.xyz^$document,popup
+||5ceea3.xyz^$document,popup
+||5fd6bc.xyz^$document,popup
+||60571086.xyz^$document,popup
+||605efe.xyz^$document,popup
+||634369.xyz^$document,popup
+||6471e7f7.xyz^$document,popup
+||656f1ba3.xyz^$document,popup
+||657475b7-0095-478d-90d4-96ce440604f9.online^$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
+||73503921.xyz^$document,popup
+||74142961.xyz^$document,popup
+||75690049.xyz^$document,popup
+||7608d5.xyz^$document,popup
+||77886044.xyz^$document,popup
+||7841ffda.xyz^$document,popup
+||78b78ff8.xyz^$document,popup
+||7ca989e1.xyz^$document,popup
+||7e60f1f9.xyz^$document,popup
+||7e809ed7-e553-4e29-acb1-4e3c0e986562.site^$document,popup
+||7fc8.site^$document,popup
+||814272c4.xyz^$document,popup
+||83409127.xyz^$document,popup
+||83761158.xyz^$document,popup
+||83887336.xyz^$document,popup
+||84631949.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
+||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
+||e1577bbd-2a7e-4bee-b2fe-12a6406689e5.xyz^$document,popup
+||e1ce13d5.xyz^$document,popup
+||e75d10b9.live^$document,popup
+||e8e2063b.xyz^$document,popup
+||ea6c0ac4.xyz^$document,popup
+||ec44.site^$document,popup
+||f090.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
+||f8a070.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
+||ad.lgappstv.com^
+||ad.nettvservices.com^
+||ads.samsung.com^
+||lgad.cjpowercast.com.edgesuite.net^
+||lgsmartad.com^
+||samsungacr.com^
+/(https?:\/\/)\w{30,}\.me\/\w{30,}\./$script,third-party
+/(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.150.208^
+||23.109.150.253^
+||23.109.170.212^
+||23.109.170.228^
+||23.109.170.241^
+||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^
+||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^
+||167.206.10.148^
+||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^
+||0265331.com^$popup
+||07c225f3.online^$popup
+||0a8d87mlbcac.top^$popup
+||0byv9mgbn0.com^$popup
+||0redirb.com^$popup
+||0rv1wtduj.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
+||1o1camshow.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
+||21find.com^$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
+||2aus34sie6po5m.com^$popup
+||2ltm627ho.com^$popup
+||2qj7mq3w4uxe.com^$popup
+||2smarttracker.com^$popup
+||2track.info^$popup
+||2vid.top^$popup
+||331hwh.com^$popup
+||360adshost.net^$popup
+||367p.com^$popup
+||3wr110.xyz^$popup
+||3xbrh4rxsvbl.top^$popup
+||4b6994dfa47cee4.com^$popup
+||4dcdc.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
+||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
+||abiderestless.com^$popup
+||ablecolony.com^$popup
+||ablogica.com^$popup
+||abmismagiusom.com^$popup
+||aboveredirect.top^$popup
+||absoluteroute.com^$popup
+||abtrcker.com^$popup
+||abundantsurroundvacation.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
+||achievebeneficial.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-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-one-protection.com^$popup
+||adblock-zen-download.com^$popup
+||adblock-zen.com^$popup
+||adblocker-instant.xyz^$popup
+||adblocker-sentinel.net^$popup
+||adblockerapp.com^$popup
+||adblockerapp.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
+||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
+||adsandcomputer.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
+||adsforcomputercity.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
+||adsrv4k.com^$popup
+||adstean.com^$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
+||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
+||advsmedia.net^$popup
+||adx-t.com^$popup
+||adx.io^$popup,third-party
+||adxite.com^$popup
+||adxpansion.com^$popup
+||adxpartner.com^$popup
+||adxprtz.com^$popup
+||adzblockersentinel.net^$popup
+||adzerk.net^$popup
+||adzshield.info^$popup
+||aeeg5idiuenbi7erger.com^$popup
+||afcpatrk.com^$popup
+||aferpush.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
+||affilirise.com^$popup
+||affinity.net^$popup
+||afflat3d2.com^$popup
+||afflat3e1.com^$popup
+||affluentshinymulticultural.com^$popup
+||affmoneyy.com^$popup
+||affpa.top^$popup
+||affstreck.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
+||agapi-fwz.com^$popup
+||aggrologis.top^$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
+||ajkzd9h.com^$popup
+||ajump2.com^$popup
+||akmxts.com^$popup
+||akumeha.onelink.me^$popup
+||akutapro.com^$popup
+||alargeredrubygsw.info^$popup
+||alarmsubjectiveanniversary.com^$popup
+||alcovesoftenedenthusiastic.com^$popup
+||alfa-track.info^$popup
+||algg.site^$popup
+||algocashmaster.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
+||alpha-news.org^$popup
+||alpheratzscheat.top^$popup
+||alpine-vpn.com^$popup
+||alpinedrct.com^$popup
+||alreadyballetrenting.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
+||amprestrys.co.in^$popup
+||amwoukrkskillso.com^$popup
+||anacampaign.com^$popup
+||anadistil.com^$popup
+||analyticbz.com^$popup
+||anamuel-careslie.com^$popup
+||anceenablesas.com^$popup
+||ancientsend.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
+||anteog.com^$popup
+||antivirusgaming.com^$popup
+||antivirussprotection.com^$popup
+||antjgr.com^$popup
+||anymoresentencevirgin.com^$popup
+||apiecelee.com^$popup
+||aplainmpatoio.com^$popup
+||apologizingrigorousmorally.com^$popup
+||aporasal.net^$popup
+||appcloudcore.com^$popup
+||appcloudgroup.com^$popup
+||appcloudvalue.com^$popup
+||applifycontent.com^$popup
+||applifysolutions.com^$popup
+||applifysolutions.net^$popup
+||appoineditardwide.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
+||arielpri2nce8ss09.com^$popup
+||arkdcz.com^$popup
+||armedtidying.com^$popup
+||arminius.io^$popup
+||armourhardilytraditionally.com^$popup
+||aroidsguide.com^$popup
+||arrangementhang.com^$popup
+||arrlnk.com^$popup
+||artfulmilesfake.com^$popup
+||articlepawn.com^$popup
+||artpever.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
+||asqualmag.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
+||atiretrously.com^$popup
+||ativesathyas.info^$popup
+||atmtaoda.com^$popup
+||atomicarot.com^$popup
+||attachedkneel.com^$popup
+||attractbestbonuses.life^$popup
+||atzekromchan.com^$popup
+||aucoudsa.net^$popup
+||audiblereflectionsenterprising.com^$popup
+||audienceravagephotocopy.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
+||authorsallegationdeadlock.com^$popup
+||autoperplexturban.com^$popup
+||avenuewalkerchange.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
+||baboosloosh.top^$popup
+||backseatrunners.com^$popup
+||bacmordijy.net^$popup
+||baect.com^$popup
+||baifaphoa.com^$popup
+||baiweluy.com^$popup
+||bakabok.com^$popup
+||bakjaqa.net^$popup
+||baldo-toj.com^$popup
+||balldollars.com^$popup
+||ballersclung.top^$popup
+||banquetunarmedgrater.com^$popup
+||barrenusers.com^$popup
+||baseauthenticity.co.in^$popup
+||bassarazit.top^$popup
+||batheunits.com^$popup
+||baypops.com^$popup
+||bayshorline.com^$popup
+||bbccn.org^$popup
+||bbcrgate.com^$popup
+||bbrdbr.com^$popup
+||bbuni.com^$popup
+||becomeapartner.io^$popup
+||becoquin.com^$popup
+||becorsolaom.com^$popup
+||befavoreschel.click^$popup
+||befirstcdn.com^$popup
+||beforeignunlig.com^$popup
+||befrx.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
+||benselgut.top^$popup
+||benumelan.com^$popup
+||beonixom.com^$popup
+||beparaspr.com^$popup
+||berkshiretoday.xyz^$popup
+||bespewrooibok.top^$popup
+||best-offer-for-you.com^$popup
+||best-vpn-app.com^$popup
+||best-vpn.click^$popup
+||best2017games.com^$popup
+||best4fuck.com^$popup
+||bestadsforyou.com^$popup
+||bestbonusprize.life^$popup
+||bestchainconnection.com^$popup
+||bestclevercaptcha.top^$popup
+||bestclicktitle.com^$popup
+||bestcontentaccess.top^$popup
+||bestconvertor.club^$popup
+||bestgames-2022.com^$popup
+||bestgirls4fuck.com^$popup
+||bestmoviesflix.xyz^$popup
+||bestonlinecasino.club^$popup
+||bestowsubplat.top^$popup
+||bestplaceforall.com^$popup
+||bestprizerhere.life^$popup
+||bestproducttesters.com^$popup
+||bestrevenuenetwork.com^$popup
+||betfairpk.com^$popup
+||betforakiea.com^$popup
+||betoga.com^$popup
+||betotodilea.com^$popup
+||betshucklean.com^$popup
+||bettentacruela.com^$popup
+||betteradsystem.com^$popup
+||betterdomino.com^$popup
+||bettraff.com^$popup
+||bewailblockade.com^$popup
+||bewathis.com^$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
+||bike-adsbidding.org^$popup
+||bilqi-omv.com^$popup
+||bimbim.com^$popup
+||binaryborrowedorganized.com^$popup
+||binaryoptionsgame.com^$popup
+||bincatracs.com^$popup
+||bingohall.ag^$popup
+||bingx.com^$popup
+||binomnet.com^$popup
+||binomnet3.com^$popup
+||binomtrcks.site^$popup
+||biphic.com^$popup
+||biserka.xyz^$popup
+||bitadexchange.com^$popup
+||bitsspiral.com^$popup
+||bitterstrawberry.com^$popup
+||biturl.co^$popup
+||bitzv.com^$popup
+||blabblablabla.com^$popup
+||blackandwhite-temporary.com^$popup
+||blacklinknow.com^$popup
+||blacklinknowss.co^$popup
+||blacknesskeepplan.com^$popup
+||blancoshrimp.com^$popup
+||blaugasemoting.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
+||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
+||boheasceile.top^$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
+||bot-checker.com^$popup
+||bouhoagy.net^$popup
+||bounceads.net^$popup
+||boustahe.com^$popup
+||boxernightdilution.com^$popup
+||boxlivegarden.com^$popup
+||boyishdefend.com^$popup
+||bracketterminusalias.com^$popup
+||branchesdollar.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
+||broforyou.me^$popup
+||brokennails.org^$popup
+||bromiosgemmula.shop^$popup
+||browse-boost.com^$popup
+||browsekeeper.com^$popup
+||brucelead.com^$popup
+||brutalconfer.com^$popup
+||brutebaalite.top^$popup
+||brutishlylifevoicing.com^$popup
+||btpnav.com^$popup
+||buikolered.com^$popup
+||bullads.net^$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
+||butterfly-bidbid.net^$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
+||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
+||capableimpregnablehazy.com^$popup
+||captivatepestilentstormy.com^$popup
+||careerjournalonline.com^$popup
+||caresspincers.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
+||certainlydisparagewholesome.com^$popup
+||certaintyurnincur.com^$popup
+||cgeckmydirect.biz^$popup
+||chaeffulace.com^$popup
+||chaifortou.net^$popup
+||chaintopdom.nl^$popup
+||charedecrus.top^$popup
+||charmingblur.com^$popup
+||chaunsoops.net^$popup
+||cheap-jewelry-online.com^$popup
+||check-out-this.site^$popup
+||check-this-match.com^$popup
+||check-tl-ver-12-3.com^$popup
+||check-tl-ver-294-3.com^$popup
+||checkcdn.net^$popup
+||checkluvesite.site^$popup
+||cheerfullybakery.com^$popup
+||cherrytv.media^$popup
+||chetchoa.com^$popup
+||chicks4date.com^$popup
+||chiglees.com^$popup
+||chikaveronika.com^$popup
+||childishenough.com^$popup
+||chirtooxsurvey.top^$popup
+||chl7rysobc3ol6xla.com^$popup
+||choiceencounterjackson.com^$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
+||chylifycrisis.top^$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
+||clckpbnce.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
+||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
+||clicksondelivery.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
+||cloudlessjimarmpit.com^$popup
+||cloudpsh.top^$popup
+||cloudtrack-camp.com^$popup
+||cloudtraff.com^$popup
+||cloudvideosa.com^$popup
+||clumsyshare.com^$popup
+||clunen.com^$popup
+||cm-trk2.com^$popup
+||cmllk2.info^$popup
+||cmpgns.net^$popup
+||cms100.xyz^$popup
+||cmtrkg.com^$popup
+||cn-rtb.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
+||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
+||commodityallengage.com^$popup
+||compassionaterough.pro^$popup
+||complementimpassable.com^$popup
+||conceitslidpredicate.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
+||constellationdelightfulfull.com^$popup
+||constructbrought.com^$popup
+||constructpreachystopper.com^$popup
+||content-loader.com^$popup
+||contentabc.com^$popup,third-party
+||contentcrocodile.com^$popup
+||continue-installing.com^$popup
+||contradictionclinch.com^$popup
+||convenientcertificate.com^$popup
+||convertmb.com^$popup
+||coochhastier.top^$popup
+||coogauwoupto.com^$popup
+||cooljony.com^$popup
+||cooloffer.cfd^$popup
+||coolserving.com^$popup
+||cooperativechuckledhunter.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
+||countvouchers.com^$popup
+||countypuddleillusion.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
+||crazyad.net^$popup
+||crbbgate.com^$popup
+||crbck.link^$popup
+||crdefault.link^$popup
+||crdefault1.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
+||cuddlethehyena.com^$popup
+||cudgeletc.com^$popup
+||cuevastrck.com^$popup
+||cullemple-motline.com^$popup
+||curbneighbourbeefy.com^$popup
+||curvyalpaca.cc^$popup
+||cvastico.com^$popup
+||cwn0drtrk.com^$popup
+||cyan92010.com^$popup
+||cyber-guard.me^$popup
+||cyberlink.pro^$popup
+||cybkit.com^$popup
+||cypressreel.com^$popup
+||czh5aa.xyz^$popup
+||d0p21g2fep.com^$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
+||darksincenightclub.com^$popup
+||data-px.services^$popup
+||datatechdrift.com^$popup
+||datatechone.com^$popup
+||date-4-fuck.com^$popup
+||date-till-late.us^$popup
+||datedate.today^$popup
+||dateguys.online^$popup
+||datelinkage.top^$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
+||dblueclaockbro.info^$popup
+||dc-feed.com^$popup
+||dddomainccc.com^$popup
+||debaucky.com^$popup
+||decencyjessiebloom.com^$popup
+||deckedsi.com^$popup
+||declareave.com^$popup
+||dedating.online^$popup
+||dedispot.com^$popup
+||deebcards-themier.com^$popup
+||deeperhundredpassion.com^$popup
+||deephicy.net^$popup
+||deepsaifaide.net^$popup
+||defas.site^$popup
+||defendsrecche.top^$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
+||dendrito.name^$popup
+||denza.pro^$popup
+||depirsmandk5.com^$popup
+||derevya2sh8ka09.com^$popup
+||desertsutilizetopless.com^$popup
+||designsrivetfoolish.com^$popup
+||deskfrontfreely.com^$popup
+||detentionquasipairs.com^$popup
+||detinrubbing.com^$popup
+||devilnonamaze.com^$popup
+||dexpredict.com^$popup
+||deyubo.uno^$popup
+||dfvlaoi.com^$popup
+||dfyui8r5rs.click^$popup
+||di7stero.com^$popup
+||dicinging.co.in^$popup
+||dictatepantry.com^$popup
+||diffusedpassionquaking.com^$popup
+||difice-milton.com^$popup
+||digitaldsp.com^$popup
+||dilruwha.net^$popup
+||dinerbreathtaking.com^$popup
+||dingingmaat.top^$popup
+||dipusdream.com^$popup
+||directcpmfwr.com^$popup
+||directcpmrev.com^$popup
+||directdexchange.com^$popup
+||directrev.com^$popup
+||directtrck.com^$popup
+||disappearingassurance.com^$popup
+||disdainsneeze.com^$popup
+||disillusionromeearlobe.com^$popup
+||disingenuousfortunately.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
+||dnckawxatc.com^$popup
+||doaipomer.com^$popup
+||doct-umb.org^$popup
+||doctorpost.net^$popup
+||dog-realtimebid.org^$popup
+||dolatiaschan.com^$popup
+||dolohen.com^$popup
+||dompeterapp.com^$popup
+||donecperficiam.net^$popup
+||donemagbuy.live^$popup
+||donkstar1.online^$popup
+||donkstar2.online^$popup
+||dooloust.net^$popup
+||doormanbafflemetal.com^$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
+||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-adblock360.com^$popup
+||download-file.org^$popup
+||download-performance.com^$popup
+||download-ready.net^$popup
+||downloadboutique.com^$popup
+||downloading-extension.com^$popup
+||downloadoffice2010.org^$popup
+||downloadthesefile.com^$popup
+||downlon.com^$popup
+||dowtyler.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
+||dynsrvdea.com^$popup
+||dynsrvtbg.com^$popup
+||dynsrvwer.com^$popup
+||dyptanaza.com^$popup
+||dzhjmp.com^$popup
+||dzienkudrow.com^$popup
+||e335udnv6drg78b7.com^$popup
+||e702fa7de9d35c37.com^$popup
+||eabids.com^$popup
+||eacdn.com^$popup
+||ealeo.com^$popup
+||eanddescri.com^$popup
+||earandmarketing.com^$popup
+||earlinessone.xyz^$popup
+||eas696r.xyz^$popup
+||easelgivedolly.com^$popup
+||eastfeukufu.info^$popup
+||eastfeukufunde.com^$popup
+||eastrk-dn.com^$popup
+||easyads28.mobi^$popup
+||easyfrag.org^$popup
+||easykits.org^$popup
+||easymrkt.com^$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
+||edpl9v.pro^$popup
+||edttmar.com^$popup
+||eedsaung.net^$popup
+||eegeeglou.com^$popup
+||eehuzaih.com^$popup
+||eergortu.net^$popup
+||eessoong.com^$popup
+||eetognauy.net^$popup
+||effaceecho.com^$popup
+||effectivecpmcontent.com^$popup
+||effectiveperformancenetwork.com^$popup
+||egazedatthe.xyz^$popup
+||egmyz.com^$popup
+||egretswamper.com^$popup
+||eh0ag0-rtbix.top^$popup
+||eighteenderived.com^$popup
+||eiteribesshaints.com^$popup
+||ejuiashsateampl.info^$popup
+||elephant-ads.com^$popup
+||elizathings.com^$popup
+||elltheprecise.org^$popup
+||elsewherebuckle.com^$popup
+||emeraldhecticteapot.com^$popup
+||emonito.xyz^$popup
+||emotionallyhemisphere.com^$popup
+||emotot.xyz^$popup
+||emperilchilies.top^$popup
+||emumuendaku.info^$popup
+||encroachsnortvarnish.com^$popup
+||endymehnth.info^$popup
+||eneverals.biz^$popup
+||engagementdepressingseem.com^$popup
+||enlightencentury.com^$popup
+||enloweb.com^$popup
+||enoneahbu.com^$popup
+||enoneahbut.org^$popup
+||entainpartners.com^$popup,third-party
+||entjgcr.com^$popup
+||entlyhaveb.autos^$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
+||evaporateahead.com^$popup
+||evasionseptemberbee.com^$popup
+||eventfulknights.com^$popup
+||eventsbands.com^$popup
+||eventucker.com^$popup
+||ever8trk.com^$popup
+||ewesmedia.com^$popup
+||ewhareey.com^$popup
+||ewogloarge.com^$popup
+||ewoodandwaveo.com^$popup
+||exaltationinsufficientintentional.com^$popup
+||exbuggishbe.info^$popup
+||excellingvista.com^$popup
+||exclkplat.com^$popup
+||exclusivesearch.online^$popup
+||excretekings.com^$popup
+||exdynsrv.com^$popup
+||exemptrequest.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
+||extentaccreditedinsensitive.com^$popup
+||externalfavlink.com^$popup
+||extractdissolve.com^$popup
+||extractionatticpillowcase.com^$popup
+||exxaygm.com^$popup
+||eyauknalyticafra.info^$popup
+||ezadblocker.com^$popup
+||ezblockerdownload.com^$popup
+||ezcgojaamg.com^$popup
+||ezdownloadpro.info^$popup
+||ezhefg9gbhgh10.com^$popup
+||ezmob.com^$popup
+||ezyenrwcmo.com^$popup
+||f5v1x3kgv5.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
+||farmhumor.host^$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
+||feastoffortuna.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
+||findanonymous.com^$popup
+||findbetterresults.com^$popup
+||findpartner.life^$popup
+||findslofty.com^$popup
+||finreporter.net^$popup
+||firnebmike.live^$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
+||fla4n6ne7r8ydcohcojnnor.com^$popup
+||flairadscpc.com^$popup
+||flamebeard.top^$popup
+||flelgwe.site^$popup
+||flingforyou.com^$popup
+||floatingbile.com^$popup
+||flowerdicks.com^$popup
+||floweryduck.cc^$popup
+||flowln.com^$popup
+||flrdra.com^$popup
+||flushedheartedcollect.com^$popup
+||flyingadvert.com^$popup
+||focuusing.com^$popup
+||fodsoack.com^$popup
+||foldingclassified.com^$popup
+||fontdeterminer.com^$popup
+||for-j.com^$popup
+||forarchenchan.com^$popup
+||forasmum.live^$popup
+||forazelftor.com^$popup
+||forcealetell.com^$popup
+||forcingclinch.com^$popup
+||forflygonom.com^$popup
+||forgotingolstono.com^$popup
+||forooqso.tv^$popup
+||forthdigestive.com^$popup
+||fortyphlosiona.com^$popup
+||forzubatr.com^$popup
+||fostereminent.com^$popup
+||foulfurnished.com^$popup
+||fourwhenstatistics.com^$popup
+||fouwheepoh.com^$popup
+||foxqck.com^$popup
+||fpctraffic3.com^$popup
+||fpgedsewst.com^$popup
+||fpukxcinlf.com^$popup
+||fractionfridgejudiciary.com^$popup
+||fralstamp-genglyric.icu^$popup
+||fraudholdingpeas.com^$popup
+||free3dgame.xyz^$popup
+||freeevpn.info^$popup
+||freegamefinder.com^$popup
+||freehookupaffair.com^$popup
+||freeprize.org^$popup
+||freetrckr.com^$popup
+||freshpops.net^$popup
+||frestlinker.com^$popup
+||frettedmalta.top^$popup
+||frictiontypicalsecure.com^$popup
+||friendlyduck.com^$popup
+||friendshipconcerning.com^$popup
+||fronthlpr.com^$popup
+||fronthlpric.com^$popup
+||frouzyboronia.top^$popup
+||frtya.com^$popup
+||frtyb.com^$popup
+||frtye.com^$popup
+||fstsrv.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
+||furnacemanagerstates.com^$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
+||galaxypush.com^$popup
+||gallonranchwhining.com^$popup
+||galotop1.com^$popup
+||gamdom.com/?utm_source=$popup
+||gaming-adult.com^$popup
+||gamingonline.top^$popup
+||gammamkt.com^$popup
+||gandmotivat.info^$popup
+||gandmotivatin.info^$popup
+||ganja.com^$popup,third-party
+||garmentsdraught.com^$popup
+||gb1aff.com^$popup
+||gdecordingholo.info^$popup
+||gdmconvtrck.com^$popup
+||geegleshoaph.com^$popup
+||geejetag.com^$popup
+||generalebad.xyz^$popup
+||genialsleptworldwide.com^$popup
+||geniusdexchange.com^$popup
+||geotrkclknow.com^$popup
+||get-gx.net^$popup
+||get-link.xyz^$popup
+||get-me-wow.in^$popup
+||get.stoplocker.com^$popup
+||getalinkandshare.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
+||getshowads.com^$popup
+||getsmartyapp.com^$popup
+||getsthis.com^$popup
+||getsurferprotector.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
+||gichaisseexy.net^$popup
+||giftedbrevityinjured.com^$popup
+||gillstaught.com^$popup
+||girlstaste.life^$popup
+||gkrtmc.com^$popup
+||gladsince.com^$popup
+||glassmilheart.com^$popup
+||glasssmash.site^$popup
+||glauvoob.com^$popup
+||gleagainedam.info^$popup
+||gleeglis.net^$popup
+||gleeneep.com^$popup
+||glersakr.com^$popup
+||glersooy.net^$popup
+||glimpsemankind.com^$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
+||go2affise.com^$popup
+||go2linkfast.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
+||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
+||graduatewonderentreaty.com^$popup
+||granddaughterrepresentationintroduce.com^$popup
+||grandmotherfoetussadly.com^$popup
+||grapseex.com^$popup
+||gratifiedmatrix.com^$popup
+||grauglak.com^$popup
+||grazingmarrywomanhood.com^$popup
+||greatbonushere.top^$popup
+||greatdexchange.com^$popup
+||greatlifebargains2024.com^$popup
+||grecmaru.com^$popup
+||green-resultsbid.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
+||gronsoad.com^$popup
+||groupyammer.top^$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
+||gsniper2.com^$popup
+||gtbdhr.com^$popup
+||guardedrook.cc^$popup
+||guerrilla-links.com^$popup
+||guesswhatnews.com^$popup
+||guestblackmail.com^$popup
+||guldenstypps.top^$popup
+||guro2.com^$popup
+||gvcaffiliates.com^$popup
+||h0w-t0-watch.net^$popup
+||h74v6kerf.com^$popup
+||habovethecit.info^$popup
+||hadesleta.com^$popup
+||hairdresserbayonet.com^$popup
+||hallucinatediploma.com^$popup
+||hallucinatepromise.com^$popup
+||hammerhewer.top^$popup
+||handbaggather.com^$popup
+||handgripvegetationhols.com^$popup
+||hangnailamplify.com^$popup
+||haoelo.com^$popup
+||harassmentgrowl.com^$popup
+||harshlygiraffediscover.com^$popup
+||hatsamevill.org^$popup
+||hatwasallokmv.info^$popup
+||hauchiwu.com^$popup
+||haveflat.com^$popup
+||havegrosho.com^$popup
+||hazoopso.net^$popup
+||hbloveinfo.com^$popup
+||hdcommunity.online^$popup
+||headirtlseivi.org^$popup
+||headlightgranulatedflee.com^$popup
+||heavenfull.com^$popup
+||heavenly-landscape.com^$popup
+||hehighursoo.com^$popup
+||hentaifap.land^$popup
+||heptix.net^$popup
+||heratheacle.com^$popup
+||hereditaryplead.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
+||hewmjifrn4gway.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
+||higgiens23c5l8asfrk.com^$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
+||hillhousehomes.co^$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
+||hissoverout.com^$popup
+||historyactorabsolutely.com^$popup
+||hisurnhuh.com^$popup
+||hitcpm.com^$popup
+||hitopadxdz.xyz^$popup
+||hixvo.click^$popup
+||hnrgmc.com^$popup
+||hoa44trk.com^$popup
+||hoaxbasesalad.com^$popup
+||hoctor-pharity.xyz^$popup
+||hoglinsu.com^$popup
+||hognaivee.com^$popup
+||hogqmd.com^$popup
+||holahupa.com^$popup
+||holdsoutset.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
+||horrifieddespair.com^$popup
+||hot-growngames.life^$popup
+||hotchatdate.com^$popup
+||hotchatdirect.com^$popup
+||hotplaystime.life^$popup
+||hottest-girls-online.com^$popup
+||hotwildadult.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
+||hsrvv.com^$popup
+||hsrvz.com^$popup
+||hstpnetwork.com^$popup
+||html-load.com^$popup
+||htmonster.com^$popup
+||htoptracker11072023.com^$popup
+||hubturn.info^$popup
+||hueads.com^$popup
+||hugregregy.pro^$popup
+||huluads.info^$popup
+||humandiminutionengaged.com^$popup
+||humiliatedvolumepore.com^$popup
+||hundredpercentmargin.com^$popup
+||hundredscultureenjoyed.com^$popup
+||hungryrise.com^$popup
+||hurlaxiscame.com^$popup
+||hurlmedia.design^$popup
+||huskydesigner.pro^$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
+||idescargarapk.com^$popup
+||idohethisisathllea.com^$popup
+||iedprivatedqu.com^$popup
+||ifdividemeasuring.com^$popup
+||ifdnzact.com^$popup
+||ifigent.com^$popup
+||ifsnickshriek.click^$popup
+||ifsnickshriek.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
+||illusiveremarkstreat.com^$popup
+||imaxcash.com^$popup
+||imghst-de.com^$popup
+||imitrk13.com^$popup
+||immigrationspiralprosecution.com^$popup
+||impactserving.com^$popup
+||imperialbattervideo.com^$popup
+||imponedbilsh.top^$popup
+||impresseastsolo.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
+||infirmaryboss.com^$popup
+||inflectionquake.com^$popup
+||infodonorbranch.com^$popup
+||infopicked.com^$popup
+||infra.systems^$popup
+||ingablorkmetion.com^$popup
+||inhabityoungenter.com^$popup
+||inlacom.com^$popup
+||innardskhats.top^$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
+||insta-cash.net^$popup
+||install-adblocking.com^$popup
+||install-check.com^$popup
+||instancesflushedslander.com^$popup
+||instant-adblock.xyz^$popup
+||instantlyshrillblink.com^$popup
+||instantpaydaynetwork.com^$popup
+||instructoralphabetoverreact.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
+||inuedidgmapla.com^$popup
+||inumbreonr.com^$popup
+||invaderannihilationperky.com^$popup
+||investcoma.com^$popup
+||investigationsuperbprone.com^$popup
+||investing-globe.com^$popup
+||inyoketuber.com^$popup
+||iociley.com^$popup
+||ioffers.icu^$popup
+||iogjhbnoypg.com^$popup
+||iopiopiop.net^$popup
+||irkantyip.com^$popup
+||ironicnickraspberry.com^$popup
+||ironweaver.top^$popup
+||irresponsibilityhookup.com^$popup
+||irtya.com^$popup
+||isawthenews.com^$popup
+||ismlks.com^$popup
+||isohuntx.com/vpn/$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
+||jamchew.com^$popup
+||jamminds.com^$popup
+||jamstech.store^$popup
+||jashautchord.com^$popup
+||java8.xyz^$popup
+||jawlookingchapter.com^$popup
+||jawsspecific.com^$popup
+||jeekomih.com^$popup
+||jehealis.com^$popup
+||jennyunfit.com^$popup
+||jennyvisits.com^$popup
+||jerboasjourney.com^$popup
+||jerimpob.net^$popup
+||jeroud.com^$popup
+||jetordinarilysouvenirs.com^$popup
+||jewelbeeperinflection.com^$popup
+||jfjle4g5l.com^$popup
+||jfkc5pwa.world^$popup
+||jggegj-rtbix.top^$popup
+||jhsnshueyt.click^$popup
+||jillbuildertuck.com^$popup
+||jjcwq.site^$popup
+||jlodgings.com^$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
+||jpgtrk.com^$popup
+||jqtree.com^$popup
+||jrpkizae.com^$popup
+||jsmentry.com^$popup
+||jsmptjmp.com^$popup
+||jubsaugn.com^$popup
+||juiceadv.com^$popup
+||juicyads.com^$popup
+||jukseeng.net^$popup
+||jump-path1.com^$popup
+||jump2.top^$popup
+||junbi-tracker.com^$popup
+||junmediadirect1.com^$popup
+||justdating.online^$popup
+||justonemorenews.com^$popup
+||jutyledu.pro^$popup
+||jwalf.com^$popup
+||k4umr0wuc.com^$popup
+||k8ik878i.top^$popup
+||kaigaidoujin.com^$popup
+||kakbik.info^$popup
+||kamalafooner.space^$popup
+||kanoodle.com^$popup
+||kappalinks.com^$popup
+||karafutem.com^$popup
+||karoon.xyz^$popup
+||katebugs.com^$popup
+||katecrochetvanity.com^$popup
+||kaya303.lol^$popup
+||kebeckirgon.net^$popup
+||keefeezo.net^$popup
+||keewoach.net^$popup
+||kektds.com^$popup
+||kelpysalukis.top^$popup
+||kenomal.com^$popup
+||ker2clk.com^$popup
+||kernfatling.top^$popup
+||kerumal.com^$popup
+||kesimon.com^$popup
+||ketheappyrin.com^$popup
+||ketingefifortcaukt.info^$popup
+||kettakihome.com^$popup
+||kgfjrb711.com^$popup
+||kgorilla.net^$popup
+||kgroundandinte.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
+||kityamurlika.com^$popup
+||kiwi-offers.com^$popup
+||kkjuu.xyz^$popup
+||kmisln.com^$popup
+||kmyunderthf.info^$popup
+||knockoutantipathy.com^$popup
+||kocairdo.net^$popup
+||kogutcho.net^$popup
+||kolkwi4tzicraamabilis.com^$popup
+||koogreep.com^$popup
+||korexo.com^$popup
+||kornbulk1.com^$popup
+||kotikinar2ko8tiki09.com^$popup
+||krjxhvyyzp.com^$popup
+||ku2d3a7pa8mdi.com^$popup
+||ku42hjr2e.com^$popup
+||kultingecauyuksehinkitw.info^$popup
+||kuno-gae.com^$popup
+||kunvertads.com^$popup
+||kuurza.com^$popup
+||kxnggkh2nj.com^$popup
+||l4meet.com^$popup
+||lacquerreddeform.com^$popup
+||ladiesforyou.net^$popup
+||ladrecaidroo.com^$popup
+||ladyphapty.com^$popup
+||lalofilters.website^$popup
+||lamplynx.com^$popup
+||lanesusanne.com^$popup
+||lanksnail.com^$popup
+||laraliadirt.top^$popup
+||laserdandelionhelp.com^$popup
+||lashahib.net^$popup
+||lassampy.com^$popup
+||last0nef1le.com^$popup
+||lasubqueries.com^$popup
+||latheendsmoo.com^$popup
+||laughingrecordinggossipy.com^$popup
+||lavatorydownybasket.com^$popup
+||lavender64369.com^$popup
+||lawful-screw.com^$popup
+||layerpearls.com^$popup
+||lby2kd27c.com^$popup
+||leadingservicesintimate.com^$popup
+||leadsecnow.com^$popup
+||leapretrieval.com^$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
+||lesoocma.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
+||lickinggetting.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
+||liliy9aydje10.com^$popup
+||limitationvolleyballdejected.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
+||lipsate.com^$popup
+||liquidapprovaltar.com^$popup
+||liquidfire.mobi^$popup
+||liveadexchanger.com^$popup
+||livechatflirt.com^$popup
+||liveleadtracking.com^$popup
+||livepromotools.com^$popup
+||liversely.net^$popup
+||livestormy.com^$popup
+||livezombymil.com^$popup
+||lizebruisiaculi.info^$popup
+||ljbwzlmzlzbkm.top^$popup
+||lkcoffe.com^$popup
+||lkstrck2.com^$popup
+||llalo.click^$popup
+||llpgpro.com^$popup
+||lmalyjywqlolv.top^$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
+||lottingjacks.top^$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
+||luckiersandia.top^$popup
+||luckyads.pro^$popup
+||luckyforbet.com^$popup
+||lurdoocu.com^$popup
+||lurgaimt.net^$popup
+||lusinlepading.com^$popup
+||luvaihoo.com^$popup
+||luxetalks.com^$popup
+||lvztx.com^$popup
+||lwonclbench.com^$popup
+||lxkzcss.xyz^$popup
+||lycheenews.com^$popup
+||lyconery-readset.com^$popup
+||lylydevelope.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
+||majorityevaluatewiped.com^$popup
+||mallettraumatize.com^$popup
+||mallur.net^$popup
+||maltunfaithfulpredominant.com^$popup
+||mamaapparent.com^$popup
+||mammaldealbustle.com^$popup
+||mamoth-deals.com^$popup
+||manbycus.com^$popup
+||manconsider.com^$popup
+||mandantnutter.top^$popup
+||manga18sx.com^$popup
+||maomaotang.com^$popup
+||maper.info^$popup
+||maquiags.com^$popup
+||marti-cqh.com^$popup
+||marvelhuntcountry.com^$popup
+||masklink.org^$popup
+||massacreintentionalmemorize.com^$popup
+||matchjunkie.com^$popup
+||matildawu.online^$popup
+||mauptaub.com^$popup
+||maw5r7y9s9helley.com^$popup
+||maxigamma.com^$popup
+||maxytrk.com^$popup
+||maybejanuarycosmetics.com^$popup
+||maymooth-stopic.com^$popup
+||maysunown.live^$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
+||mcfstats.com^$popup
+||mcpuwpush.com^$popup
+||mcurrentlysea.info^$popup
+||mddsp.info^$popup
+||me4track.com^$popup
+||meadowaerial.com^$popup
+||media-412.com^$popup
+||media-servers.net^$popup
+||media-serving.com^$popup
+||mediamansix.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
+||memecoins.club^$popup
+||memunicate.com^$popup
+||menepe.com^$popup
+||meofmukindwoul.info^$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
+||metwandfertile.top^$popup
+||mevarabon.com^$popup
+||mghkpg.com^$popup
+||mgid.com^$popup
+||midgetincidentally.com^$popup
+||migimsas.net^$popup
+||migrantspiteconnecting.com^$popup
+||milksquadronsad.com^$popup
+||millustry.top^$popup
+||mimosaavior.top
+||mimosaavior.top^$popup
+||mindedcarious.com^$popup
+||miniaturecomfortable.com^$popup
+||miniglobalcitizens.com^$popup
+||mirfakpersei.top^$popup
+||mirsuwoaw.com^$popup
+||misarea.com^$popup
+||mishapideal.com^$popup
+||misspkl.com^$popup
+||mistakeidentical.com^$popup
+||mityneedn.com^$popup
+||mk-ads.com^$popup
+||mkaff.com^$popup
+||mkjsqrpmxqdf.com^$popup
+||mlatrmae.net^$popup
+||mmpcqstnkcelx.com^$popup
+||mnaspm.com^$popup
+||mndsrv.com^$popup
+||moartraffic.com^$popup
+||mob1ledev1ces.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
+||monsterofnews.com^$popup
+||monutroco.com^$popup
+||moodokay.com^$popup
+||moonrocketaffiliates.com^$popup
+||moralitylameinviting.com^$popup
+||morclicks.com^$popup
+||mordoops.com^$popup
+||more1.biz^$popup
+||mosrtaek.net^$popup
+||motherhoodlimiteddetest.com^$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
+||mtwdmk9ic.com^$popup
+||mtypitea.net^$popup
+||mudfishatabals.com^$popup
+||mudflised.com^$popup
+||mufflerlightsgroups.com^$popup
+||mugrikees.com^$popup
+||muheodeidsoan.info^$popup
+||muletatyphic.com^$popup
+||musclyskeely.top^$popup
+||mutux.cfd^$popup
+||muvflix.com^$popup
+||muzzlematrix.com^$popup
+||mvmbs.com^$popup
+||my-promo7.com^$popup
+||myadcash.com^$popup
+||myadsserver.com^$popup
+||myaffpartners.com^$popup
+||mybestdc.com^$popup
+||mybetterck.com^$popup
+||mybetterdl.com^$popup
+||mybettermb.com^$popup
+||mychecklist4u.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
+||mynetworkprotector.com^$popup
+||myperfect2give.com^$popup
+||myreqdcompany.com^$popup
+||mysagagame.com^$popup
+||mywebsavior.com^$popup
+||mywondertrip.com^$popup
+||n5rthy.com^$popup
+||nabauxou.net^$popup
+||nachusfarced.top^$popup
+||naggingirresponsible.com^$popup
+||naleapprength.xyz^$popup
+||namesakeoscilloscopemarquis.com^$popup
+||nan0cns.com^$popup
+||nancontrast.com^$popup
+||nannyamplify.com^$popup
+||nanoadexchange.com^$popup
+||nanouwho.com^$popup
+||nanrumandbac.com^$popup
+||naoprj.com^$popup
+||nasssmedia.com^$popup
+||natallcolumnsto.info^$popup
+||nathanaeldan.pro^$popup
+||native-track.com^$popup
+||natregs.com^$popup
+||naveljutmistress.com^$popup
+||naxadrug.com^$popup
+||nebulouslostpremium.com^$popup
+||negotiaterealm.com^$popup
+||neptuntrack.com^$popup
+||nereu-gdr.com^$popup
+||nessainy.net^$popup
+||netcpms.com^$popup
+||netpatas.com^$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
+||newspopperio.com^$popup
+||newstarads.com^$popup
+||newstemptation.com^$popup
+||newsyour.net^$popup
+||newtab-media.com^$popup
+||nextoptim.com^$popup
+||nextyourcontent.com^$popup
+||ngeoziadiyc4hi2e.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
+||nimrute.com^$popup
+||nindscity.com^$popup
+||nindsstudio.com^$popup
+||ninetyninesec.com^$popup
+||niwluvepisj.site^$popup
+||noerwe5gianfor19e4st.com^$popup
+||nomadsbrand.com^$popup
+||nomadsfit.com^$popup
+||nominalclck.name^$popup
+||nominalreverend.com^$popup
+||nominatecambridgetwins.com^$popup
+||noncepter.com^$popup
+||nonremid.com^$popup
+||nonspewpa.com^$popup
+||noolt.com^$popup
+||nopolicycrea.info^$popup
+||nossairt.net^$popup
+||nothingnightingalejuly.com^$popup
+||notifications-update.com^$popup
+||notifpushnext.net^$popup
+||notifpushnow.com^$popup
+||notifsendback.com^$popup
+||notiftravel.com^$popup
+||nougacoush.com^$popup
+||noughttrustthreshold.com^$popup
+||november-sin.com^$popup
+||novibet.partners^$popup
+||novitrk7.com^$popup
+||novitrk8.com^$popup
+||npcad.com^$popup
+||nreg.world^$popup
+||ns003.com^$popup
+||nsmpydfe.net^$popup
+||nstoodthestatu.info^$popup
+||nsultingcoe.net^$popup
+||nsw2u.com^$popup
+||ntoftheusysia.info^$popup
+||ntoftheusysianedt.info^$popup
+||ntrftrk.com^$popup
+||ntsiwoulukdli.org^$popup
+||ntvpforever.com^$popup
+||nudgeworry.com^$popup
+||nukeluck.net^$popup
+||numbertrck.com^$popup
+||nurewsawaninc.info^$popup
+||nutaku.net/signup/$popup
+||nutchaungong.com^$popup
+||nxtpsh.com^$popup
+||nyadra.com^$popup
+||nylonnickel.xyz^
+||nylonnickel.xyz^$popup
+||nymphdate.com^$popup
+||o18.click^$popup
+||o333o.com^$popup
+||oackoubs.com^$popup
+||oagnolti.net^$popup
+||oalsauwy.net^$popup
+||oaphoace.net^$popup
+||oataltaul.com^$popup
+||obduratecommence.com^$popup
+||obituaryfuneral.com^$popup
+||objectionsdomesticatednagging.com^$popup
+||oblongravenousgosh.com^$popup
+||oblongseller.com^$popup
+||obsidiancutter.top^$popup
+||ochoawhou.com^$popup
+||oclaserver.com^$popup
+||ocloud.monster^$popup
+||ocmhood.com^$popup
+||ocoaksib.com^$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
+||offwardtendry.top^$popup
+||ofglicoron.net^$popup
+||ofphanpytor.com^$popup
+||ofseedotom.com^$popup
+||oftheseveryh.org^$popup
+||oghqvffmnt.com^$popup
+||ogniicbnb.ru^$popup
+||ogrepsougie.net^$popup
+||ogtrk.net^$popup
+||ohrdsplu.com^$popup
+||ointmentfloatingsaucepan.com^$popup
+||ojrq.net^$popup
+||okaidsotsah.com^$popup
+||okayfreemanknot.com^$popup
+||okueroskynt.com^$popup
+||ologeysurincon.com^$popup
+||omciecoa37tw4.com^$popup
+||omgpm.com^$popup
+||omgt3.com^$popup
+||omgt4.com^$popup
+||omgt5.com^$popup
+||omklefkior.com^$popup
+||omoahope.net^$popup
+||onad.eu^$popup
+||onatallcolumn.com^$popup
+||oncesets.com^$popup
+||onclasrv.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
+||oneqanatclub.com^$popup
+||onesuns.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
+||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
+||onsukultingecauy.com^$popup
+||ontreck.cyou^$popup
+||oodrampi.com^$popup
+||oopatet.com^$popup
+||oopsiksaicki.com^$popup
+||oosonechead.org^$popup
+||opeanresultancete.info^$popup
+||openadserving.com^$popup
+||openerkey.com^$popup
+||openmindter.com^$popup
+||openwwws.space^$popup
+||operarymishear.store^$popup
+||ophisrebrown.top^$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
+||optyruntchan.com^$popup
+||optzsrv.com^$popup
+||opus-whisky.com^$popup
+||oranegfodnd.com^$popup
+||orchestraanticipation.com^$popup
+||orgassme.com^$popup
+||orlowedonhisdhilt.info^$popup
+||ormolustuke.top^$popup
+||ortontotlejohn.com^$popup
+||osarmapa.net^$popup
+||osiextantly.com^$popup
+||osmosewatch.top^$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
+||oulsools.com^$popup
+||oungimuk.net^$popup
+||ourcommonnews.com^$popup
+||ourcommonstories.com^$popup
+||ourcoolposts.com^$popup
+||ourdailystories.com^$popup
+||ourhotfeed.com^$popup
+||ouryretyequirem.info^$popup
+||outaipoma.com^$popup
+||outgoingfan.pro^$popup
+||outgratingknack.com^$popup
+||outhulem.net^$popup
+||outlineappearbar.com^$popup
+||outlookabsorb.com^$popup
+||outoctillerytor.com^$popup
+||outofthecath.org^$popup
+||ovardu.com^$popup
+||ovdimin.buzz^$popup
+||overallfetchheight.com^$popup
+||overcrowdsillyturret.com^$popup
+||ovogofteonafterw.info^$popup
+||ow5a.net^$popup
+||owingsorthealthy.com^$popup
+||owrkwilxbw.com^$popup
+||oxbbzxqfnv.com^$popup
+||oxtsale1.com^$popup
+||oxydend2r5umarb8oreum.com^$popup
+||oyi9f1kbaj.com^$popup
+||ozongees.com^$popup
+||pa5ka.com^$popup
+||padp5arja8dgsd9cha.com^$popup
+||padsdel.com^$popup
+||paeastei.net^$popup
+||paehceman.com^$popup
+||paikoasa.tv^$popup
+||palama2.co^$popup
+||palmmalice.com^$popup
+||palpablefungussome.com^$popup
+||palundrus.com^$popup
+||pamwrymm.live^$popup
+||panelerkingly.top^$popup
+||panicmiserableeligible.com^$popup
+||pantrydivergegene.com^$popup
+||parachuteeffectedotter.com^$popup
+||paradiseannouncingnow.com^$popup
+||parallelgds.store^$popup
+||parentingcalculated.com^$popup
+||parentlargevia.com^$popup
+||pargodysuria.top^$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
+||patoionanrumand.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
+||pctsrv.com^$popup
+||peachybeautifulplenitude.com^$popup
+||peacockshudder.com^$popup
+||pecialukizeias.info^$popup
+||peepholelandreed.com^$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
+||perryvolleyball.com^$popup
+||pertersacstyli.com^$popup
+||pertfinds.com^$popup
+||pertlouv.com^$popup
+||pesime.xyz^$popup
+||peskyclarifysuitcases.com^$popup
+||petendereruk.com^$popup
+||pexu.com^$popup
+||pgmediaserve.com^$popup
+||phamsacm.net^$popup
+||phaurtuh.net^$popup
+||pheniter.com^$popup
+||phenotypebest.com^$popup
+||phoognol.com^$popup
+||phosphatepossible.com^$popup
+||phu1aefue.com^$popup
+||phumpauk.com^$popup
+||phuthobsee.com^$popup
+||pickaflick.co^$popup
+||pierisrapgae.com^$popup
+||pigletsmunsee.top^$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
+||plainmarshyaltered.com^$popup
+||plane-pusherbidder.org^$popup
+||planetarium-planet.com^$popup
+||planmybackup.co^$popup
+||planyourbackup.co^$popup
+||platitudezeal.com^$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
+||pocofh.com^$popup
+||podefr.net^$popup
+||poilloiter.top^$popup
+||pointclicktrack.com^$popup
+||pointroll.com^$popup
+||poisism.com^$popup
+||pokjhgrs.click^$popup
+||politesewer.com^$popup
+||politicianbusplate.com^$popup
+||pollutefurryapproximate.com^$popup
+||polyh-nce.com^$popup
+||pompreflected.com^$popup
+||pon-prairie.com^$popup
+||ponchowafesargb.com^$popup
+||ponk.pro^$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
+||popupblockernow.com^$popup
+||popupsblocker.org^$popup
+||popwin.net^$popup
+||porlandzor.com^$popup
+||pornhb.me^$popup
+||portletburrer.top^$popup
+||poshsplitdr.com^$popup
+||positivelyoverall.com^$popup
+||possessionaddictedflight.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
+||pp98trk.com^$popup
+||ppcnt.co^$popup
+||ppcnt.eu^$popup
+||ppcnt.us^$popup
+||practicallyfire.com^$popup
+||practicepeter.com^$popup
+||praiseddisintegrate.com^$popup
+||prawnsimply.com^$popup
+||prdredir.com^$popup
+||precedechampion.com^$popup
+||precedentadministrator.com^$popup
+||precedentbasepicky.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
+||predirect.net^$popup
+||premium-members.com^$popup
+||premium4kflix.top^$popup
+||premium4kflix.website^$popup
+||premiumaffi.com^$popup
+||premonitioninventdisagree.com^$popup
+||preoccupycommittee.com^$popup
+||preparedfile.com^$popup
+||press-here-to-continue.com^$popup
+||pressingequation.com^$popup
+||pressyour.com^$popup
+||pretrackings.com^$popup
+||prevailinsolence.com^$popup
+||prfwhite.com^$popup
+||prime-vpnet.com^$popup
+||primerclicks.com^$popup
+||princesinistervirus.com^$popup
+||privacysafeguard.net^$popup
+||privatedqualizebrui.info^$popup
+||privilegest.com^$popup
+||prizes-topwin.life^$popup
+||prizetopsurvey.top^$popup
+||prjcq.com^$popup
+||prmtracking.com^$popup
+||pro-adblocker.com^$popup
+||proceduresjeer.com^$popup
+||processsky.com^$popup
+||professionalswebcheck.com^$popup
+||proffering.xyz$popup
+||proffering.xyz^$popup
+||profitablecpmgate.com^$popup
+||profitablegate.com^$popup
+||profitablegatecpm.com^$popup
+||profitablegatetocontent.com^$popup
+||profitabletrustednetwork.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
+||provenshoutmidst.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
+||psma02.com^$popup
+||psockapa.net^$popup
+||psotudev.com^$popup
+||pssy.xyz^$popup
+||psychologycircumvent.com^$popup
+||ptailadsol.net^$popup
+||ptaupsom.com^$popup
+||ptistyvymi.com^$popup
+||ptoakrok.net^$popup
+||ptongouh.net^$popup
+||ptsixwereksbef.info^$popup
+||ptudoalistoy.net^$popup
+||ptugnins.net^$popup
+||ptupsewo.net^$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
+||punkfigured.com^$popup
+||punsong.com^$popup
+||puppytestament.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
+||pushclk.com^$popup
+||pushking.net^$popup
+||pushmobilenews.com^$popup
+||pushub.net^$popup
+||pushwelcome.com^$popup
+||pussl3.com^$popup
+||pussl48.com^$popup
+||putchumt.com^$popup
+||putfeablean.org^$popup
+||putrefyeither.com^$popup
+||puwpush.com^$popup
+||pvclouds.com^$popup
+||pxx23jkd.com^$popup
+||q8ntfhfngm.com^$popup
+||qads.io^$popup
+||qelllwrite.com^$popup
+||qertewrt.com^$popup
+||qjrhacxxk.xyz^$popup
+||qksrv.cc^$popup
+||qksrv1.com^$popup
+||qr-captcha.com^$popup
+||qrlsx.com^$popup
+||qrprobopassor.com^$popup
+||qualityadverse.com^$popup
+||qualitydating.top^$popup
+||quarrelaimless.com^$popup
+||questioningexperimental.com^$popup
+||quinoanitrile.top^$popup
+||quoo.eu^$popup
+||qxdownload.com^$popup
+||qyvklvjejrmwo.top^$popup
+||qz496amxfh87mst.com^$popup
+||r-tb.com^$popup
+||r3adyt0download.com^$popup
+||r3f.technology^$popup
+||radicalovertime.com^$popup
+||rafkxx.com^$popup
+||railroadfatherenlargement.com^$popup
+||rallantynethebra.com^$popup
+||ranabreast.com^$popup
+||rankpeers.com^$popup
+||raosmeac.net^$popup
+||rapidhits.net^$popup
+||rapolok.com^$popup
+||rashbarnabas.com^$popup
+||raunooligais.net^$popup
+||razdvabm.com^$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
+||realethay.com^$popup
+||realfinanceblogcenter.com^$popup
+||realsh.xyz^$popup
+||realsrv.com^$popup
+||realtime-bid.com^$popup
+||realxavounow.com^$popup
+||rearedblemishwriggle.com^$popup
+||reated-pounteria.com^$popup
+||rebagsabeing.top^$popup
+||rebrew-foofteen.com^$popup
+||recedewell.com^$popup
+||rechanque.com^$popup
+||reciteimplacablepotato.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
+||redic6.site^$popup
+||redirect-ads.com^$popup
+||redirect-path1.com^$popup
+||redirectflowsite.com^$popup
+||redirecting7.eu^$popup
+||redirectingat.com^$popup
+||redirectlinker.com^$popup
+||redirectvoluum.com^$popup
+||rednewly.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
+||rejco3.site^$popup
+||rekipion.com^$popup
+||reliablemore.com^$popup
+||relievedgeoff.com^$popup
+||reloadsusa.com^$popup
+||remarkablehorizontallywaiter.com^$popup
+||remaysky.com^$popup
+||remembergirl.com^$popup
+||reminews.com^$popup
+||remoifications.info^$popup
+||remouldpruta.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
+||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
+||retortedstray.com^$popup
+||revenuenetwork.com^$popup
+||revereerousers.click^$popup
+||revimedia.com^$popup
+||revolvemockerycopper.com^$popup
+||rewardrush.life^$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
+||rigelbetelgeuse.top^$popup
+||rightypulverizetea.com^$popup
+||ringexpressbeach.com^$popup
+||ringsempty.com^$popup
+||riotousunspeakablestreet.com^$popup
+||riowrite.com^$popup
+||riscati.com^$popup
+||riverhit.com^$popup
+||rkatamonju.info^$popup
+||rkskillsombineukd.com^$popup
+||rmaticalacm.info^$popup
+||rndhaunteran.com^$popup
+||rndmusharnar.com^$popup
+||rndskittytor.com^$popup
+||roaddataay.live^$popup
+||roadmappenal.com^$popup
+||roastoup.com^$popup
+||rocketmedia24.com^$popup,third-party
+||rockstorageplace.com^$popup
+||rollads.live^$popup
+||romanlicdate.com^$popup
+||romivapsi.com^$popup
+||roobetaffiliates.com^$popup
+||rootzaffiliates.com^$popup
+||ropedm.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
+||rscilx49h.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
+||rtmladcenter.com^$popup
+||rtmladnew.com^$popup
+||rtoukfareputfe.info^$popup
+||rtyznd.com^$popup
+||rubylife.go2cloud.org^$popup
+||rudderwebmy.com^$popup
+||rufflycouncil.com^$popup
+||rulefloor.com^$popup
+||rummagemason.com^$popup
+||runesmith.top^$popup
+||runicmaster.top^$popup
+||runslin.com^$popup
+||runtnc.net^$popup
+||russellseemslept.com^$popup
+||rusticsnoop.com^$popup
+||ruthproudlyquestion.top^$popup
+||rvetreyu.net^$popup
+||rvrpushserv.com^$popup
+||s0cool.net^$popup
+||s0q260-rtbix.top^$popup
+||s20dh7e9dh.com^$popup
+||s3g6.com^$popup
+||sabotageharass.com^$popup
+||safe-connection21.com^$popup
+||safestgatetocontent.com^$popup
+||sagedeportflorist.com^$popup
+||saltpairwoo.live^$popup
+||samage-bility.icu^$popup
+||sandmakingsilver.info^$popup
+||sandyrecordingmeet.com^$popup
+||sarcasmadvisor.com^$popup
+||sarcodrix.com^$popup
+||sardineforgiven.com^$popup
+||sasontnwc.net^$popup
+||saulttrailwaysi.info^$popup
+||saveourspace.co^$popup
+||savinist.com^$popup
+||savouryadolescent.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
+||seatsrehearseinitial.com^$popup
+||secthatlead.com^$popup
+||secureclickers.com^$popup
+||securecloud-smart.com^$popup
+||securecloud-sml.com^$popup
+||secureclouddt-cd.com^$popup
+||securedcdn.com^$popup
+||securedsmcd.com^$popup
+||securegate9.com^$popup
+||securegfm.com^$popup
+||secureintl.com^$popup
+||secureleadsrn.com^$popup
+||securesmrt-dt.com^$popup
+||sedatecompulsiveout.com^$popup
+||sedatenerves.com^$popup
+||sedodna.com^$popup
+||seethisinaction.com^$popup
+||selfemployedbalconycane.com^$popup
+||semilikeman.com^$popup
+||semqraso.net^$popup
+||senonsiatinus.com^$popup
+||senzapudore.it^$popup,third-party
+||seo-overview.com^$popup
+||separatecolonist.com^$popup
+||separationharmgreatest.com^$popup
+||ser678uikl.xyz^$popup
+||sereanstanza.com^$popup
+||serialwarning.com^$popup
+||serumlisp.com^$popup
+||serve-rtb.com^$popup
+||serve-servee.com^$popup
+||serveforthwithtill.com^$popup
+||servehub.info^$popup
+||serverfritterdisability.com^$popup
+||serversmatrixaggregation.com^$popup
+||servetean.site^$popup
+||servicetechtracker.com^$popup
+||serving-sys.com^$popup
+||seteamsobtantion.com^$popup
+||setlitescmode-4.online^$popup
+||seullocogimmous.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
+||shaisole.com^$popup
+||shamtick.com^$popup
+||shapelcounset.xyz^$popup
+||sharpofferlinks.com^$popup
+||shaugacakro.net^$popup
+||shauladubhe.top^$popup
+||shbzek.com^$popup
+||she-want-fuck.com^$popup
+||sheegiwo.com^$popup
+||sherouscolvered.com^$popup
+||sheschemetraitor.com^$popup
+||shinebliss.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
+||showcasethat.com^$popup
+||shrillwife.pro^$popup
+||shuanshu.com.com^$popup
+||shudderconnecting.com^$popup
+||sicknessfestivity.com^$popup
+||sidebyx.com^$popup
+||sidebyz.com^$popup
+||significantoperativeclearance.com^$popup
+||sillinessinterfere.com^$popup
+||simple-isl.com^$popup
+||sindatontherrom.com^$popup
+||sing-tracker.com^$popup
+||singelstodate.com^$popup
+||singlesexdates.com^$popup
+||singlewomenmeet.com^$popup
+||siriusprocyon.top^$popup
+||sisterexpendabsolve.com^$popup
+||sitpactrip.live^$popup
+||sixft-apart.com^$popup
+||skiptheadz.net^$popup
+||skohssc.cfd^$popup
+||skymobi.agency^$popup
+||slakyroeneng.top^$popup
+||slashstar.net^$popup
+||slidbecauseemerald.com^$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
+||sltracl.com^$popup
+||smallestgirlfriend.com^$popup
+||smallfunnybears.com^$popup
+||smart-url.net^$popup
+||smart-wp.com^$popup
+||smartadtags.com^$popup
+||smartapplifly.com^$popup
+||smartappsfly.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
+||smrtsecure-eml.com^$popup
+||snackyscuffy.top^$popup
+||snadsfit.com^$popup
+||snammar-jumntal.com^$popup
+||snapcheat16s.com^$popup
+||snoreempire.com^$popup
+||snowdayonline.xyz^$popup
+||snugglethesheep.com^$popup
+||sobakenchmaphk.com^$popup
+||soccertakeover.com^$popup
+||sofinpushpile.com^$popup
+||softonixs.xyz^$popup
+||softwa.cfd^$popup
+||soilgnaw.com^$popup
+||soksicme.com^$popup
+||solaranalytics.org^$popup
+||soldierreproduceadmiration.com^$popup
+||solemik.com^$popup
+||solemnvine.com^$popup
+||soliads.net^$popup
+||solispartner.com^$popup
+||someonein.org^$popup
+||soninlawfaceconfide.com^$popup
+||sonioubemeal.com^$popup
+||soocaips.com^$popup
+||sorrowfulclinging.com^$popup
+||sorrycarboncolorful.com^$popup
+||sotchoum.com^$popup
+||sourcecodeif.com^$popup
+||sousefulhead.com^$popup
+||souvenirsflex.com^$popup
+||spacetraff.com^$popup
+||sparkstudios.com^$popup
+||sparta-tracking.xyz^$popup
+||spatterjointposition.com^$popup
+||spdate.com^$popup
+||speakspurink.com^$popup
+||special-offers.online^$popup
+||special-promotions.online^$popup
+||special-trending-news.com^$popup
+||specialisthuge.com^$popup
+||specialityharmoniousgypsy.com^$popup
+||specialtymet.com^$popup
+||speednetwork14.com^$popup
+||speedsupermarketdonut.com^$popup
+||spellingunacceptable.com^$popup
+||spendcrazy.net^$popup
+||sperans-beactor.com^$popup
+||spicygirlshere.life^$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
+||sprinlof.com^$popup
+||sptrkr.com^$popup
+||sr7pv7n5x.com^$popup
+||srtrak.com^$popup
+||srv2trking.com^$popup
+||srvpcn.com^$popup
+||srvpub.com^$popup
+||srvtrck.com^$popup
+||ssdwellsgrpo.info^$popup
+||ssllink.net^$popup
+||st-rdirect.com^$popup
+||st1net.com^$popup
+||staaqwe.com^$popup
+||stacckain.com^$popup
+||stageryawreak.top^$popup
+||stammerail.com^$popup
+||stannelberated.top^$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
+||sthoutte.com^$popup
+||stickervillain.com^$popup
+||stickingrepute.com^$popup
+||stigmuuua.xyz^$popup
+||stimaariraco.info^$popup
+||stinglackingrent.com^$popup
+||stoaltoa.top^$popup
+||stoopedsignbookkeeper.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
+||stughoamoono.net^$popup
+||stumbleirritable.com^$popup
+||stunserver.net^$popup
+||stvbiopr.net^$popup
+||stvkr.com^$popup
+||stvwell.online^$popup
+||subscriptioneccentric.com^$popup
+||subsidehurtful.com^$popup
+||succisasubset.top^$popup
+||suddenvampire.com^$popup
+||suddslife.com^$popup
+||suggest-recipes.com^$popup
+||sulkvulnerableexpecting.com^$popup
+||sulseerg.com^$popup
+||sumbreta.com^$popup
+||summaryvalued.com^$popup
+||summercovert.com^$popup
+||summitmanner.com^$popup
+||sunflowerbright106.io^$popup
+||sunglassesmentallyproficient.com^$popup
+||sunnyseries.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
+||surelyconvinced.com^$popup
+||surfacesaroselozenge.com^$popup
+||surge.systems^$popup
+||surroundingsliftingstubborn.com^$popup
+||surveyonline.top^$popup
+||surveyspaid.com^$popup
+||suspicionsmutter.com^$popup
+||swagtraffcom.com^$popup
+||swaycomplymishandle.com^$popup
+||sweaty-garage.pro^$popup
+||sweepfrequencydissolved.com^$popup
+||swinity.com^$popup
+||sxlflt.com^$popup
+||sympatheticfling.com^$popup
+||syncedvision.com^$popup
+||syringeitch.com^$popup
+||syrsple2se8nyu09.com^$popup
+||systeme-business.online^$popup
+||systemleadb.com^$popup
+||szqxvo.com^$popup
+||t2lgo.com^$popup
+||tabledownstairsprovocative.com^$popup
+||taborsfields.top^$popup
+||tacopush.ru^$popup
+||tadsbelver.com^$popup
+||taghaugh.com^$popup
+||tagsd.com^$popup
+||takecareproduct.com^$popup
+||takegerman.com^$popup
+||takelnk.com^$popup
+||takemyorder.co^$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
+||tarebearpaw.top^$popup
+||taroads.com^$popup
+||tatrck.com^$popup
+||tauphaub.net^$popup
+||tausoota.xyz^$popup
+||tcare.today^$popup
+||td563.com^$popup
+||tdspa.top^$popup
+||teamsoutspoken.com^$popup
+||tearsincompetentuntidy.com^$popup
+||tecaitouque.net^$popup
+||techiteration.com^$popup
+||techreviewtech.com^$popup
+||teddynineteenthpreoccupation.com^$popup
+||tegleebs.com^$popup
+||teiidsfortune.com^$popup
+||teksishe.net^$popup
+||telegramsit.com^$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
+||thearoids.com^$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
+||thencemutinyhamburger.com^$popup
+||theonesstoodtheirground.com^$popup
+||theoverheat.com^$popup
+||therelimitless.com^$popup
+||thesafersearch.com^$popup
+||thetaweblink.com^$popup
+||thetoptrust.com^$popup
+||theusualsuspects.biz^$popup
+||theythourbonusgain.life^$popup
+||thinkaction.com^$popup
+||thirawogla.com^$popup
+||thirdreasoncomplex.com^$popup
+||thirteenthadjectivecleaning.com^$popup
+||thirtyeducate.com^$popup
+||thisisalsonewdomain.xyz^$popup
+||thisisyourprize.site^$popup
+||thnqemehtyfe.com^$popup
+||thofteert.com^$popup
+||thoroughlypantry.com^$popup
+||thosecalamar.top^$popup
+||thunderdepthsforger.top^$popup
+||ticalfelixstownru.info^$popup
+||tidalwavetrx.com^$popup
+||tidyingpreludeatonement.com^$popup
+||tidyllama.com^$popup
+||tignuget.net^$popup
+||tilttrk.com^$popup
+||tiltwin.com^$popup
+||timeoutwinning.com^$popup
+||timot-cvk.info^$popup
+||tingswifing.click^$popup
+||tinsus.com^$popup
+||tintedparticular.com^$popup
+||titaniumveinshaper.com^$popup
+||titlerwilhelm.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
+||toltooth.net^$popup
+||tomatoqqamber.click^$popup
+||tombmeaning.com^$popup
+||tomladvert.com^$popup
+||tomorroweducated.com^$popup
+||tonefuse.com^$popup
+||tooaastandhei.info^$popup
+||toopsoug.net^$popup
+||toothcauldron.com^$popup
+||top-offers1.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
+||tosssix.com^$popup
+||totadblock.com^$popup
+||totalab.online^$popup
+||totalab.xyz^$popup
+||totalactualnewz.com^$popup
+||totaladblock.com^$popup
+||totaladperformance.com^$popup
+||totalnicefeed.com^$popup
+||totalnicenewz.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
+||track.wargaming-aff.com^$popup
+||track4ref.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
+||tracksystem.online^$popup
+||tracktds.com^$popup
+||tracktds.live^$popup
+||tracktilldeath.club^$popup
+||tracktraf.com^$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
+||transmitterincarnatebastard.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
+||trkingthebest.net^$popup
+||trklnks.com^$popup
+||trknext.com^$popup
+||trknk.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
+||truthwassadl.org^$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
+||turnhub.net^$popup
+||turnstileunavailablesite.com^$popup
+||tutvp.com^$popup
+||tvas-b.pw^$popup
+||twentiethparticipation.com^$popup
+||twigstandardexcursion.com^$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
+||unbalterce.com^$popup
+||unbeedrillom.com^$popup
+||unblockedapi.com^$popup
+||uncastnork.com^$popup
+||unclesnewspaper.com^$popup
+||undertakingaisle.com^$popup
+||ungiblechan.com^$popup
+||unicornpride123.com^$popup
+||unmistdistune.guru^$popup
+||unpaledbooker.top^$popup
+||unrealversionholder.com^$popup
+||unreshiramor.com^$popup
+||unseenrazorcaptain.com^$popup
+||unskilfulwalkerpolitician.com^$popup
+||unspeakablepurebeings.com^$popup
+||untimburra.com^$popup
+||unusualbrainlessshotgun.com^$popup
+||unwonttawpi.top^$popup
+||unwoobater.com^$popup
+||upcomingmonkeydolphin.com^$popup
+||upcurlsreid.website^$popup
+||updatecompletelyfreetheproduct.vip^$popup
+||updateenow.com^$popup
+||updatephone.club^$popup
+||upgliscorom.com^$popup
+||uphillgrandmaanger.com^$popup
+||uphorter.com^$popup
+||upleaptlistel.top^$popup
+||uponelectabuzzor.club^$popup
+||uproarglossy.com^$popup
+||uptimecdn.com^$popup
+||uptopopunder.com^$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
+||utrinterrommo.com^$popup
+||uuksehinkitwkuo.com^$popup
+||v6rxv5coo5.com^$popup
+||vaatmetu.net^$popup
+||vaithodo.com^$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
+||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
+||venuewasadi.org^$popup
+||verandahcrease.com^$popup
+||vergi-gwc.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
+||viiapps.com^$popup
+||viiavjpe.com^$popup
+||viicasu.com^$popup
+||viidirectory.com^$popup
+||viidsyej.com^$popup
+||viiithia.com^$popup
+||viiithinks.com^$popup
+||viiiyskm.com^$popup
+||viikttcq.com^$popup
+||viimobile.com^$popup
+||viimsa.com^$popup
+||viipurakit.com^$popup
+||viipurambe.com^$popup
+||viiqqou.com^$popup
+||viirkagt.com^$popup
+||viispan.com^$popup
+||viistroy.com^$popup
+||viiturn.com^$popup
+||viizuusa.com^$popup
+||violationphysics.click^$popup
+||vionito.com^$popup
+||vipcpms.com^$popup
+||viralcpm.com^$popup
+||virginyoungestrust.com^$popup
+||visaspecialtyfluid.com^$popup
+||visit-website.com^$popup
+||visitstats.com^$popup
+||visors-airminal.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
+||vorhanddoob.top^$popup
+||vowpairmax.live^$popup
+||voxfind.com^$popup
+||vpn-offers.org^$popup
+||vpnlist.to^$popup
+||vpnoffers.cc^$popup
+||vprtrfc.com^$popup
+||vriddhipardee.top^$popup
+||vs3.com^$popup
+||vsucocesisful.com^$popup
+||vtabnalp.net^$popup
+||wackeerd.com^$popup
+||wadmargincling.com^$popup
+||waframedia5.com^$popup
+||wahoha.com^$popup
+||waisheph.com^$popup
+||walknotice.com^$popup
+||walter-larence.com^$popup
+||wantatop.com^$popup
+||wargaming-aff.com^$popup
+||warilyaggregation.com^$popup
+||warilycommercialconstitutional.com^$popup
+||warkop4dx.com^$popup
+||waspishamendbulb.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
+||weaverdispensepause.com^$popup
+||web-adblocker.com^$popup
+||web-guardian.xyz^$popup
+||webatam.com^$popup
+||webgains.com^$popup
+||webmedrtb.com^$popup
+||webpuppweb.com^$popup
+||websearchers.net^$popup
+||websphonedevprivacy.autos^$popup
+||webteensyusa.com^$popup
+||webtrackerplus.com^$popup
+||wecouldle.com^$popup
+||welcomeneat.pro^$popup
+||welfarefit.com^$popup
+||weliketofuckstrangers.com^$popup
+||wellhello.com^$popup
+||wellnesszap.com^$popup
+||welltodoresource.com^$popup
+||wendelstein-1b.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
+||wherevertogo.com^$popup
+||whipgos.com^$popup
+||whirlwindofnews.com^$popup
+||whiskerssituationdisturb.com^$popup
+||whistledprocessedsplit.com^$popup
+||whistlingbeau.com^$popup
+||whitenoisenews.com^$popup
+||whitepark9.com^$popup
+||whoansodroas.net^$popup
+||wholedailyjournal.com^$popup
+||wholefreshposts.com^$popup
+||wholewowblog.com^$popup
+||whookroo.com^$popup
+||whouptoomsy.net^$popup
+||whoursie.com^$popup
+||whowhipi.net^$popup
+||whudroots.net^$popup
+||whugesto.net^$popup
+||whulsauh.tv^$popup
+||whulsaux.com^$popup
+||widow5blackfr.com^$popup
+||wifescamara.click^$popup
+||wigetmedia.com^$popup
+||wigsynthesis.com^$popup
+||wildestelf.com^$popup
+||win-myprize.top^$popup
+||winbigdrip.life^$popup
+||windychinese.com^$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
+||wnt-s0me-push.net^$popup
+||woafoame.net^$popup
+||woffxxx.com^$popup
+||wokewhoki.pro^$popup
+||wolsretet.net^$popup
+||wonder.xhamster.com^$popup
+||wonderfulstatu.info^$popup
+||wonderlandads.com^$popup
+||woodbeesdainty.com^$popup
+||woovoree.net^$popup
+||workback.net^$popup
+||workervanewalk.com^$popup
+||worldfreshblog.com^$popup
+||worldtimes2.xyz^$popup
+||worthyrid.com^$popup
+||woukrkskillsom.info^$popup
+||wovensur.com^$popup
+||wowshortvideos.com^$popup
+||writeestatal.space^$popup
+||wrypassenger.com^$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
+||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
+||xobr219pa.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
+||yeioreo.net^$popup
+||yellow-resultsbidder.com^$popup
+||yellow-resultsbidder.org^$popup
+||yellowbahama.com^$popup
+||yestilokano.top^$popup
+||ygamey.com^$popup
+||yhbcii.com^$popup
+||yieldtraffic.com^$popup
+||ylih6ftygq7.com^$popup
+||ym-a.cc^$popup
+||yodbox.com^$popup
+||yogacomplyfuel.com^$popup
+||yohavemix.live^$popup
+||yok.la^$popup,third-party
+||yolage.uno^$popup
+||yolkhandledwheels.com^$popup
+||yonmasqueraina.com^$popup
+||yonsandileer.com^$popup
+||yophaeadizesave.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
+||ytgzz.com^$popup
+||yukclick.me^$popup
+||yummiescinders.top^$popup
+||yy8fgl2bdv.com^$popup
+||z5x.net^$popup
+||z7yru.com^$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
+||zscwdu.com^$popup
+||zugnogne.com^$popup
+||zunsoach.com^$popup
+||zuphaims.com^$popup
+||zwqzxh.com^$popup
+||zwtssi.com^$popup
+||zybrdr.com^$popup
+||url.rw/*&a=$popup
+||url.rw/*&mid=$popup
+||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
+||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.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
+||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
+/^https?:\/\/(35|104)\.(\d){1,3}\.(\d){1,3}\.(\d){1,3}\//$popup,third-party
+/^https?:\/\/146\.59\.211\.(\d){1,3}.*/$popup,third-party
+||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
+||cameraprive.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
+||escortso.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
+||masterbate.pro^$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
+||mncvjhg.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
+||njmaq.com^$third-party
+||nscash.com^$third-party
+||nudedworld.com^$third-party
+||nummobile.com^$third-party
+||oconner.biz^$third-party
+||offaces-butional.com^$third-party
+||ohmygosh.info^
+||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
+||pnperf.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
+||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
+||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
+||goaffmy.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
+||juicyads.com^$popup
+||kaizentraffic.com^$popup
+||libedgolart.com^$popup
+||lncredlbiedate.com^$popup
+||misspkl.com^$popup
+||moradu.com^$popup
+||mptentry.com^$popup
+||needlive.com^$popup
+||njmaq.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
+||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^
+||1437953666.rsc.cdn77.org^
+||1529462937.rsc.cdn77.org^
+||1548164934.rsc.cdn77.org^
+||1675450967.rsc.cdn77.org^
+||1736253261.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^
+||ad-blocking24.net^
+||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^
+||adaptv.advertising.com^
+||adcheck.about.co.kr^
+||adfoc.us^$script,third-party
+||adinplay-venatus.workers.dev^
+||adncdnend.azureedge.net^
+||ads-api.production.nebula-drupal.stuff.co.nz^
+||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.
+||alt63.chimeratool.com^
+||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.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/
+||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_
+||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
+||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^
+||d3mmnnn9s2dcmq.cloudfront.net/shim/embed.js
+||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?
+||dtrk.slimcdn.com^
+||dunhilltraveldeals.com^$third-party
+||dx.com/affiliate/
+||e-tailwebstores.com/accounts/default1/banners/
+||earn-bitcoins.net/banner_
+||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.ezodn.com^
+||go.onelink.me^$image,script
+||goldmoney.com/~/media/Images/Banners/
+||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/
+||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.manga1001.win^
+||js.mangakl.su^
+||js.mangalove.top^
+||js.mangaraw.bid^
+||js.phoenixmanga.com^
+||js.surecart.com/v1/affiliates?
+||jsdelivr.net/gh/InteractiveAdvertisingBureau/
+||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/
+||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
+||nitroflare.com/img/banners/
+||noagentfees.com^$subdocument,domain=independent.com.mt
+||ogads-pa.googleapis.com^
+||oilofasia.com/images/banners/
+||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^
+||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^
+||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
+||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
+||services.zam.com^
+||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/
+||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-
+||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.profitsence.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^
+||ad.intl.xiaomi.com^
+||ad.samsungadhub.com^
+||ad.xiaomi.com^
+||samsungadhub.com^$third-party
+/^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
+||tsbluebox.com^$third-party
+||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^
+||d11hjbdxxtogg5.cloudfront.net^
+||d11p7gi4d9x2s0.cloudfront.net^
+||d11qytb9x1vnrm.cloudfront.net^
+||d11tybz5ul8vel.cloudfront.net^
+||d11zevc9a5598r.cloudfront.net^
+||d126kahie2ogx0.cloudfront.net^
+||d127s3e8wcl3q6.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^
+||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^
+||d1fs2ef81chg3.cloudfront.net^
+||d1g2nud28z4vph.cloudfront.net^
+||d1g4493j0tcwvt.cloudfront.net^
+||d1g4xgvlcsj49g.cloudfront.net^
+||d1g8forfjnu2jh.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^
+||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^
+||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^
+||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^
+||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^
+||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^
+||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^
+||d22lbkjf2jpzr9.cloudfront.net^
+||d22lo5bcpq2fif.cloudfront.net^
+||d22rmxeq48r37j.cloudfront.net^
+||d22sfab2t5o9bq.cloudfront.net^
+||d22xmn10vbouk4.cloudfront.net^
+||d22z575k8abudv.cloudfront.net^
+||d236v5t33fsfwk.cloudfront.net^
+||d23a1izvegnhq4.cloudfront.net^
+||d23d7sc86jmil5.cloudfront.net^
+||d23guct4biwna6.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^
+||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^
+||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^
+||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^
+||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^
+||d2werg7o2mztut.cloudfront.net^
+||d2wexw25ezayh1.cloudfront.net^
+||d2wpx0eqgykz4q.cloudfront.net^
+||d2x0u7rtw4p89p.cloudfront.net^
+||d2x19ia47o8gwm.cloudfront.net^
+||d2xng9e6gymuzr.cloudfront.net^
+||d2y8ttytgze7qt.cloudfront.net^
+||d2yeczd6cyyd0z.cloudfront.net^
+||d2ykons4g8jre6.cloudfront.net^
+||d2ywv53s25fi6c.cloudfront.net^
+||d2z51a9spn09cw.cloudfront.net^
+||d2zbpgxs57sg1k.cloudfront.net^
+||d2zcblk8m9mzq5.cloudfront.net^
+||d2zf5gu5e5mp87.cloudfront.net^
+||d2zh7okxrw0ix.cloudfront.net^
+||d2zi8ra5rb7m89.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/
+||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^
+||d3ep3jwb1mgn3k.cloudfront.net^
+||d3eub2e21dc6h0.cloudfront.net^
+||d3evio1yid77jr.cloudfront.net^
+||d3eyi07eikbx0y.cloudfront.net^
+||d3f1m03rbb66gy.cloudfront.net^
+||d3f1wcxz2rdrik.cloudfront.net^
+||d3f4nuq5dskrej.cloudfront.net^
+||d3ff60r8himt67.cloudfront.net^
+||d3fkv551xkjrmm.cloudfront.net^
+||d3flai6f7brtcx.cloudfront.net^
+||d3frqqoat98cng.cloudfront.net^
+||d3g4s1p0bmuj5f.cloudfront.net^
+||d3g5ovfngjw9bw.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^
+||d3icekm41k795y.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^
+||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^
+||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^
+||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^
+||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^
+||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^
+||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^
+||dn0qt3r0xannq.cloudfront.net^
+||dn3uy6cx65ujf.cloudfront.net^
+||dn6rwwtxa647p.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^
+||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^
+||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^
+||googleapis.com/qmftp/$script
+||anti-adblock.herokuapp.com^
+||123-stream.org^$popup
+||1wnurc.com^$popup
+||1x001.com^$popup
+||6angebot.ch^$popup,third-party
+||a1087.b.akamai.net^$popup
+||ad.22betpartners.com^$popup
+||adblockerapp.info^$popup
+||adblockultra.com^$popup
+||adcleanerpage.com^$popup
+||adfreevision.com^$popup
+||adobe.com/td_redirect.html$popup
+||adrotator.se^$popup
+||ads.planetwin365affiliate.com^$popup,third-party
+||adserving.unibet.com^$popup
+||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
+||browsekeeper.com^$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
+||download-adblock360.com^$popup
+||downloadoperagx.com/ef/$popup
+||e11956.x.akamaiedge.net^$popup
+||eatcells.com/land/$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
+||luckyforbet.com^$popup
+||mackeeperaffiliates.com^$popup
+||meetonliine.com^$popup
+||mmentorapp.com^$popup
+||my-promo7.com^$popup
+||mycryptotraffic.com^$popup
+||ntrfr.leovegas.com^$popup
+||nutaku.net/images/lp/$popup
+||ourcoolstories.com^$popup
+||paid.outbrain.com^$popup
+||partners.livesportnet.com^$popup
+||performrecentintenselyinfo-program.info^$popup
+||poperblocker.com^$popup
+||popgoldblocker.info^$popup
+||premium-news-for.me^$popup
+||profitsurvey365.live^$popup
+||promo.20bet.partners^$popup
+||promo.pixelsee.app^$popup
+||protected-redirect.click^$popup
+||quantumadblocker.com^$popup
+||record.affiliatelounge.com^$popup
+||redir.tradedoubler.com/projectr/$popup
+||refpamjeql.top^$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
+||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
+||18onlygirls.tv/wp-content/banners/
+||3xtraffic.com/ads/
+||3xtraffic.com/common/000/cads/
+||4fcams.com/in/?track=$subdocument,third-party
+||4tube.com/iframe/$third-party
+||69games.xxx/ajax/skr?
+||a.aylix.xyz^
+||a.cemir.site^
+||a.debub.site^
+||a.fimoa.xyz^
+||a.groox.xyz^
+||a.herto.xyz^
+||a.hymin.xyz^
+||a.jamni.xyz^
+||a.lakmus.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^
+||ag.palmtube.net^
+||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.
+||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/
+||awempt.com/embed/
+||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^
+||bbb.dagobert33.xyz^
+||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.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.favy.cam^
+||creative.imagetwistcams.com^$subdocument
+||creative.kbnmnl.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^
+||elitepaysites.com/ae-banners/
+||endorico.com/js/pu_zononi.js
+||endorico.com/Smartlink/
+||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
+||hardbritlads.com/banner/
+||hardcoreluv.com/hmt.gif
+||hcjs.nv7s.com/dewijzyo/
+||hdpornphotos.com/images/728x180_
+||hdpornphotos.com/images/banner_
+||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
+||javguru.gggsss.site^
+||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/
+||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
+||turbolovervidz.com/fling/
+||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/
+||xcabin.net/b/$third-party
+||xlgirls.com/banner/$third-party
+||xnxx.army/click/
+||xtrasize.pl/banner/
+||xvirelcdn.click^
+||xxx.sdtraff.com^
+||y.sphinxtube.com^
+||you75.youpornsexvideos.com^
+||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
+||offersuperhub.com/landing/$popup,third-party
+||porngames.adult^*=$popup,third-party
+||prelanding3.cuntempire.com/?utm_$popup
+||tgp1.brazzersnetwork.com^$popup
+||tm-offers.gamingadult.com^$popup
+||together2night.com^$popup
+||tour.mrskin.com^$popup,third-party
+||zillastream.com/api/$popup
+/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
+||1337x.vpnonly.site^
+||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.norfolkbroads.com^
+||adblock-tester.com/banners/
+||adrama.to/bbb.php
+||ads-api.stuff.co.nz^
+||ads.audio.thisisdax.com^
+||adsbb.depositfiles.com^
+||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/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
+||animeland.tv/zenny/
+||anisearch.com/amazon
+||aontent.powzers.lol^
+||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/
+||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
+||bioinformatics.org/images/ack_banners/
+||bit.com.au/scripts/js_$script
+||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^
+||bontent.powzers.lol^
+||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/
+||clarity.amperwave.net/gateway/getmediavast.php$xmlhttprequest
+||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
+||coincheck.com/images/affiliates/
+||coingolive.com/assets/img/partners/
+||content.powzerz.lol^
+||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/
+||designtaxi.com/js/dt-seo.js
+||designtaxi.com/small-dt.php$subdocument
+||detectiveconanworld.com/images/support-us-brave.png
+||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
+||dj1symwmxvldi.cloudfront.net/r/$image,domain=coderwall.com
+||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/
+||dontent.powzers.lol^
+||dontent.powzerz.lol^
+||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^
+||easymp3mix.com/js/re-ads-zone.js
+||ebay.com/scl/js/ScandalLoader.js
+||ebayrtm.com/rtm?RtmCmd*&enc=
+||ebayrtm.com/rtm?RtmIt
+||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^
+||eontent.powzerz.lol^
+||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/
+||facebook.com/network_ads_common
+||familylawweek.co.uk/bin_1/
+||fastapi.tiangolo.com/img/sponsors/$image
+||fauceit.com/Roulette-(728x90).jpg
+||fentent.stre4mplay.one^
+||fentent.streampiay.fun^
+||fentent.streampiay.me^
+||file-upload.site/page.js
+||filehippo.com/best-recommended-apps^
+||filehippo.com/revamp.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
+||fontent.powzers.lol^
+||fontent.powzerz.lol^
+||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
+||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/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^
+||gentent.streampiay.fun^
+||getconnected.southwestwifi.com/ads_video.xml
+||globovision.com/js/ads-home.js
+||gocdkeys.com/images/background
+||gogoanime.me/zenny/
+||gontent.powzers.lol^
+||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^
+||hentent.streampiay.fun^
+||hideip.me/src/img/rekl/
+||hltv.org/partnerimage/$image
+||hltv.org/staticimg/*?ixlib=
+||holyfamilyradio.org/banners/
+||homeschoolmath.net/a/
+||hontent.powzers.lol^
+||hontent.powzerz.lol^
+||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^
+||ientent.streampiay.fun^
+||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.accesstra.de^
+||imp.pixiv.net^
+||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
+||iontent.powzerz.lol^
+||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^
+||jentent.streampiay.fun^
+||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^
+||kentent.streampiay.fun^
+||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
+||kontent.powzerz.lol^
+||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
+||lontent.powzerz.lol^
+||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
+||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/
+||montent.powzers.lol^
+||moonjscdn.info/player8/JWui.js
+||moviehaxx.pro/js/bootstrap-native.min.js
+||moviehaxx.pro/js/xeditable.min.js
+||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/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
+||nontent.powzers.lol^
+||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/
+||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/
+||oontent.powzers.lol^
+||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
+||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_
+||pontent.powzers.lol^
+||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
+||puzzle-slant.com/images/ad/
+||pwinsider.com/advertisement/
+||qontent.powzers.lol^
+||qrz.com/ads/
+||quora.com/ads/
+||radioreference.com/i/p4/tp/smPortalBanner.gif
+||raenonx.cc/scripts
+||rafvertizing.crazygames.com^
+||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/
+||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
+||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/
+||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/
+||socket.streamable.com^
+||softcab.com/google.php?
+||sonichits.com/tf.php
+||sontent.powzers.lol^
+||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/
+||startpage.com/sp/Tgz1k/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
+||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/
+||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
+||tontent.powzers.lol^
+||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/
+||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/
+||vidstream.pro/AB/pioneersuspectedjury.com/
+||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/
+||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|cr7sports.us|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|gogohd.net|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|maxsport.one|membed.net|mirrorace.org|mixdroop.co|mixdrop.ag|mixdrop.bz|mixdrop.click|mixdrop.club|mixdrop.nu|mixdrop.ps|mixdrop.si|mixdrop.sx|mixdrop.to|mixdrops.xyz|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/*&a=
+||url.rw/*&mid=
+@@||freeplayervideo.com^$subdocument
+@@||gogoplay5.com^$subdocument
+@@||gomoplayer.com^$subdocument
+@@||lshstream.xyz/hls/$xmlhttprequest
+@@||msubload.com/sub/$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
+/rest/carbon/api/scripts.js?
+||frameperfect.speedrun.com^
+||junkrat-tire.overbuff.com^
+||breitbart.com/t/assets/js/prebid
+||bustle.com^*/prebid-
+||jwplatform.com/libraries/tdeymorh.js
+||purexbox.com/javascript/gn/prebid-
+||wsj.net/pb/pb.js
+||fireworkapi1.com^$domain=boldsky.com
+||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|washingtonexaminer.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
+||innovid.com/media/encoded/*.mp4$redirect=noopmp4-1s,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|ginx.tv|imfdb.org|infoworld.com|kiplinger.com|lifewire.com|soulbounce.com|spokesman-recorder.com|tennis.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
+||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=gizmodo.com.au|kotaku.com.au|lifehacker.com.au|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|~marmiton.org|~melty.fr|~nextplz.fr
+||sportrecs.com/redirect/embed/
+||startpage.com/sp/PsVHP/
+||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
+||centent.streamp1ay.
+||cintent.streanplay.
+@@||youtube.com/get_video_info?$xmlhttprequest,domain=music.youtube.com|tv.youtube.com
+||m.youtube.com/get_midroll_$domain=youtube.com
+||www.youtube.com/get_midroll_$domain=youtube.com
+||youtube.com/get_video_info?*adunit$~third-party
+/^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
+/^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|solarmovie.to|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$script,domain=filechan.org|hotfile.io|lolabits.se|megaupload.nz|rapidshare.nu|share-online.is
+$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
+$image,script,subdocument,third-party,xmlhttprequest,domain=megaup.net
+@@||challenges.cloudflare.com^$domain=download.megaup.net
+$script,third-party,xmlhttprequest,domain=govid.co
+@@||ajax.googleapis.com/ajax/libs/$script,domain=govid.co
+@@||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
+$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
+$script,third-party,domain=hitomi.la|rule34hentai.net
+@@||ajax.googleapis.com^$script,domain=rule34hentai.net
+@@||cloudflare.com^$script,domain=rule34hentai.net
+|http://$script,xmlhttprequest,domain=urlcash.net
+|https://$script,xmlhttprequest,domain=urlcash.net
+@@||gelbooru.com^$generichide
+||gelbooru.com*/license.$script
+||gelbooru.com*/tryt.$script
+||gelbooru.com/halloween/
+|http://$script,third-party,xmlhttprequest,domain=bc.vc
+|https://$script,third-party,xmlhttprequest,domain=bc.vc
+$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
+$script,third-party,xmlhttprequest,domain=abcvideo.cc
+$script,third-party,xmlhttprequest,domain=ouo.io|ouo.press
+||ouo.io/js/*.js?
+||ouo.io/js/pop.
+||ouo.press/js/pop.
+$script,third-party,domain=imgbox.com
+@@||ajax.googleapis.com^$script,domain=imgbox.com
+$image,script,stylesheet,subdocument,third-party,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
+||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//
+/^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
+$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
+$csp=script-src 'self' '*' 'unsafe-inline',domain=pirateproxy.live|thehiddenbay.com|downloadpirate.com|thepiratebay10.org|ukpass.co|linksmore.site
+$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|kinox.to|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
+||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
+||activistpost.com^$csp=script-src *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com
+||raw.githubusercontent.com/easylist/easylist/master/docs/1x1.gif
+||raw.githubusercontent.com/easylist/easylist/master/docs/2x2.png$third-party
+$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
+@@||jetzt.de^$generichide
+/^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
+$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|mixdrops.xyz|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|streamtapse.com|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
+||amazon-adsystem.com^$popup,domain=twitch.tv
+||aontent.powzers.lol^$popup
+||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
+||dontent.powzerz.lol^$popup
+||eentent.streampiay.me^$popup
+||eontent.powzerz.lol^$popup
+||facebook.com/ads/ig_redirect/$popup,domain=instagram.com
+||fentent.stre4mplay.one^$popup
+||fentent.streampiay.fun^$popup
+||fentent.streampiay.me^$popup
+||flashtalking.com^$popup,domain=twitch.tv
+||flaticon.com/edge/banner/$popup
+||fontent.powzerz.lol^$popup
+||gentent.stre4mplay.one^$popup
+||gentent.streampiay.fun^$popup
+||gg.bet^$popup,domain=cq-esports.com
+||hentent.streampiay.fun^$popup
+||hltv.org^*=|$popup,domain=hltv.org
+||hqq.tv/out.php?$popup
+||hurawatch.ru/?$popup
+||ientent.stre4mplay.one^$popup
+||ientent.streampiay.fun^$popup
+||iontent.powzerz.lol^$popup
+||jentent.streampiay.fun^$popup
+||jpg.church/*.php?cat$popup
+||kentent.stre4mplay.one^$popup
+||kentent.streampiay.fun^$popup
+||kissanimeonline.com/driectlink$popup
+||kontent.powzerz.lol^$popup
+||link.advancedsystemrepairpro.com^$popup
+||listentoyt.com/button/$popup
+||listentoyt.com/vidbutton/$popup
+||mercurybest.com^$popup,domain=hltv.org
+||montent.powzers.lol^$popup
+||mp3-convert.org/p$popup
+||nontent.powzers.lol^$popup
+||notube.cc/p/$popup
+||notube.fi/p/$popup
+||notube.im/p/$popup
+||notube.io/p/$popup
+||notube.net/p/$popup
+||oontent.powzers.lol^$popup
+||pinoymovies.es/links/$popup
+||pontent.powzers.lol^$popup
+||qontent.pouvideo.cc^$popup
+||rentalcars.com/?affiliateCode=$popup,domain=seatguru.com
+||rontent.powzers.lol^$popup
+||routeumber.com^$popup,domain=hltv.org
+||rx.link^$popup,domain=uploadgig.com
+||sendspace.com/defaults/sendspace-pop.html$popup
+||skycheats.com^$popup,domain=elitepvpers.com
+||t.co^$popup,domain=hltv.org
+||tontent.powzers.lol^$popup
+||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
+||ytsyifys.com/go.$popup
+$popup,domain=07c225f3.online|content-loader.com|css-load.com|html-load.cc|html-load.com|img-load.com
+|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
+/^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
+/^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|uptodatefinishconferenceroom.com|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
+://*.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/
+||33serve.bussyhunter.com^
+||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/
+||61serve.everydayporn.co^
+||777av.cc/og/
+||8boobs.com/flr.js
+||8muses.com/banner/
+||a.seksohub.com^
+||aa.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/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$redirect=noopmp4-1s,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
+||cover.ydgal.com/axfile/
+||creative.live.bestjavporn.com^
+||creative.live.javhdporn.net^
+||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
+||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/
+||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
+||pornve.sexyadsrun.com^
+||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.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/
+||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
+||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
+||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?
+||upcdn.site/huoUTQ9.js
+||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
+||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^
+||youjizz.com/KWIKY*.mp4$redirect=noopmp4-1s,domain=youjizz.com
+||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
+/^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
+/^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)\/.*/$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
+/^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
+/^https?:\/\/.*\.eporner\.com\/[0-9a-f]{10,}\/$/$script,domain=eporner.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,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com
+||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:
+.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.*/$popup,domain=bitporno.com|iceporn.com|katestube.com|videowood.tv|xtapes.to
+$popup,third-party,domain=hentai2read.com|porn-tube-club.com
+magnet.so###AD
+passwordsgenerator.net###ADCENTER
+passwordsgenerator.net###ADTOP
+advfn.com###APS_300_X_600
+advfn.com###APS_BILLBOARD
+seafoodsource.com###Ad1-300x250
+seafoodsource.com###Ad2-300x250
+seafoodsource.com###Ad3-300x250
+boredbro.com###AdBox728
+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###Bottom
+coincheckup.com###CCx5StickyBottom
+coincodex.com###CCx7StickyBottom
+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
+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
+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
+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
+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
+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
+touchdownwire.usatoday.com###ad--home-well-wrapper
+lasvegassun.com###ad-colB-
+getmodsapk.com###ad-container
+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
+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,britsabroad.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
+coinarbitragebot.com###adathm
+offidocs.com###adbottomoffidocs
+canadianlisted.com###adcsacl
+4qrcode.com###addContainer
+odditycentral.com###add_160x600
+lifenews.com###adds
+livemint.com###adfreeDeskSpace
+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,dekhobd.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
+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
+ip-address.org###adsleft
+byjus.com###adtech-related-links-container
+byjus.com###adtech-top-banner-container
+dict.leo.org###adv-drectangle1
+leo.org###adv-wbanner
+linuxblog.io###advads_ad_widget-3
+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
+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
+wtechnews.com###aniBox
+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
+dlraw.co,dlraw.to,manga-zip.info###avfap
+teamfortress.tv###aw
+gulte.com###awt_landing
+filext.com###b1c
+filext.com###b2c
+filext.com###b4c
+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
+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
+encyclopedia.com###block-trustme-rightcolumntopad
+enca.com###block-views-block-sponsored-block-1
+mbauniverse.com###block-views-home-page-banner-block
+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
+atomic-robo.com###bottomspace
+flashscore.com,livescore.in###box-over-content-a
+planetminecraft.com###box_300btf
+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
+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
+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
+wolfstream.tv###customAnnouncement
+timesofindia.indiatimes.com###custom_ad_wrapper_0
+miloserdov.org,playstore.pw,reneweconomy.com.au,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
+dailycaller.com###dailycaller_incontent_2
+dailycaller.com###dailycaller_incontent_3
+dailycaller.com###dailycaller_incontent_4
+laineygossip.com###date-banner
+helpwithwindows.com###desc
+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
+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
+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
+wral.com###exco
+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
+getyarn.io###filtered-bottom
+investing.com###findABroker
+healthshots.com###fitnessTools
+healthshots.com###fitnessToolsAdBot
+thisismoney.co.uk###fiveDealsWidget
+point2homes.com,propertyshark.com###fixedban
+topsporter.net###fl-ai-widget-placement
+vscode.one###flamelab-convo-widget
+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
+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
+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
+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
+downloadsafer.com###homebannerbottom
+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
+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
+supremacy1914.com###inGameAdsContainer
+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
+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
+apkonline.net###ja-container-prev-0
+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
+kvraudio.com###kvr300600
+freeads.co.uk###l_sk1
+inc42.com###large_leaderboard_desktop-0
+peacemakeronline.com###latest_news > center
+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,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,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,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
+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
+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###master-leaderboard
+vpforums.org###master1
+defenseworld.net###mb-bar
+koreaherald.com###mbpAd022303
+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
+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
+thejournal.ie###nativeads-sponsorbar-touch-redesign
+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
+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
+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
+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
+slashfilm.com###primis-container
+walgreens.com###prod-sponsored
+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
+onmsft.com###pwDeskSkyBtf1
+d4builds.gg###pwParentContainer
+thefastmode.com###quick_survey
+sporcle.com###quiz-right-rail-unit-2
+techmeme.com###qwdbfwh
+comicbookrealm.com###rad
+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
+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
+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
+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
+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
+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
+firmwarefile.com###spon
+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
+homedepot.com###sponsored-standard-banner-nucleus
+philstar.com###sponsored_posts
+techmeme.com###sponsorposts
+fastseduction.com,geekwire.com,landreport.com,vuejs.org,whenitdrops.com###sponsors
+colourlovers.com###sponsors-links
+ourworldofenergy.com###sponsors_container
+rent.ie###sresult_banner
+tokder.org###ssss
+bizarrepedia.com###stack > .ln-thr
+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###stickyFooterRoot
+afr.com###stickyLeaderboard
+bostonglobe.com###sticky_container.width_full
+eurogamer.net,rockpapershotgun.com,vg247.com###sticky_leaderboard
+lethbridgeherald.com###stickybox
+medicinehatnews.com###stickyleaderboard
+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
+comicbookrealm.com###tad
+cyclingtips.com,mirror.co.uk###takeover
+romsgames.net###td-top-leaderboard
+based-politics.com###tdi_107
+linuxtoday.com###tdi_46
+cornish-times.co.uk###teads
+the-star.co.ke###teasers
+eetimes.com###techpaperSliderContainer
+tecmint.com###tecmint_incontent
+tecmint.com###tecmint_leaderboard_article_top
+worldtribune.com###text-101
+geeky-gadgets.com###text-105335641
+godisageek.com,thisiscolossal.com,vgleaks.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,vgleaks.com###text-15
+geeksforgeeks.org,thesurvivalistblog.net,vgleaks.com###text-16
+cleantechnica.com###text-165
+weekender.com.sg###text-17
+5movierulz.band,populist.press###text-2
+freecourseweb.com###text-20
+net-load.com###text-25
+2smsupernetwork.com,cryptoreporter.info,net-load.com###text-26
+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
+investing.com###topBroker
+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
+tf2-servers.com###topadspot
+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
+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
+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
+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
+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
+coingape.com##.AdsMid
+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
+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
+freebitz.xyz##.BannerContainer
+freebitz.xyz##.BannerContainerScrapper
+freebitz.xyz##.BannerMain
+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.washingtonpost.com##.DisplayAd__container___lyvUfeBN
+additivemanufacturing.media,compositesworld.com,ptonline.com##.DisplayBar
+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
+meduza.io##.GeneralMaterial-module-aside
+cargurus.com##.Gi1Z6i
+coin360.com##.GuYYbg
+seattletimes.com##.H0FqVZjh86HAsl61ps5e
+naturalnews.com##.HALFBYEISCRJ
+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
+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
+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
+wayfair.com##.MediaNativePlacement-wrapper-link
+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
+outlook.advantis.ai##.Outlook_discoverItem__RORc6
+kentonline.co.uk##.PSDRGC
+govtech.com##.Page-billboard
+afar.com##.Page-header-hat
+apnews.com##.Page-header-leaderboardAd
+quora.com##.PageContentsLayout___StyledBox-d2uxks-0 > .q-box > .q-sticky > .qu-pb--medium
+ask.com##.PartialKelkooResults
+hulu.com##.PauseAdCreative-wrap
+thekitchn.com##.Post__inPostVideoAdDesktop
+stocktwits.com##.Primis_container__KwtjV
+tech.hindustantimes.com##.ProductAffilateWrapper
+yandex.com##.ProductGallery
+atlasobscura.com##.ProgrammaticMembershipCallout--taboola-member-article-container
+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
+geometrydash.io##.RowAdv
+clutchpoints.com##.RzKEf
+dictionary.com,thesaurus.com##.SZjJlj7dd7R6mDTODwIT
+gq.com##.SavingsUnitedCouponsWrapper-gPnqA-d
+lbcgroup.tv##.ScriptDiv
+staples.com##.SearchRootUX2__bannerAndSkuContainer
+m.mouthshut.com##.SecondAds
+coingape.com##.Sidemads
+simkl.com##.SimklTVDetailEpisodeLinksItemHref
+ultimate-guitar.com##.SiteWideBanner
+thedailybeast.com##.Sizer
+coingape.com##.SponserdBtn
+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
+coin360.com##.Sticky_Promo
+slant.co##.SummaryPage-LustreEmbed
+westword.com##.SurveyLinkSlideModal
+newser.com##.TaboolaP1P2
+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
+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
+androidauthority.com##._--_-___0b
+androidauthority.com##._--_-___Sb
+androidauthority.com##._--_-___Yb
+freepik.com##._1286nb18b
+freepik.com##._1286nb1rx
+swarajyamag.com##._1eNH8
+gadgetsnow.com##._1edxh
+gadgetsnow.com##._1pjMr
+afkgaming.com##._2-COY
+brisbanetimes.com.au,smh.com.au,theage.com.au,watoday.com.au##._2gSkZ
+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,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,streamsgeek.com,techcentral.co.za,techrushi.com,trendstorys.com,vedantbhoomi.com##.a-wrap
+breitbart.com##.a-wrapper
+getpocket.com##.a1cawpek
+chordify.net##.a1p2y5ib
+informer.com##.a2
+wmtips.com##.a3f17
+getpocket.com##.a47c4wn
+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
+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
+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,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,fox6now.com,foxbusiness.com,foxnews.com,funeraltimes.com,fxnowcanada.ca,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,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,smsfi.com,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.at,tripadvisor.be,tripadvisor.ca,tripadvisor.ch,tripadvisor.cl,tripadvisor.cn,tripadvisor.co,tripadvisor.co.id,tripadvisor.co.il,tripadvisor.co.kr,tripadvisor.co.nz,tripadvisor.co.uk,tripadvisor.co.za,tripadvisor.com,tripadvisor.com.ar,tripadvisor.com.au,tripadvisor.com.br,tripadvisor.com.eg,tripadvisor.com.gr,tripadvisor.com.hk,tripadvisor.com.mx,tripadvisor.com.my,tripadvisor.com.pe,tripadvisor.com.ph,tripadvisor.com.sg,tripadvisor.com.tr,tripadvisor.com.tw,tripadvisor.com.ve,tripadvisor.com.vn,tripadvisor.de,tripadvisor.dk,tripadvisor.es,tripadvisor.fr,tripadvisor.ie,tripadvisor.in,tripadvisor.it,tripadvisor.jp,tripadvisor.nl,tripadvisor.pt,tripadvisor.ru,tripadvisor.se,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,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
+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
+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
+mv-voice.com##.ad-break
+imsa.com##.ad-close-container
+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,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,hbr.org,highdefdigest.com,historynet.com,howstuffworks.com,huffpost.com,insidehook.com,insider.com,intouchweekly.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,my9nj.com,namemc.com,nbcnews.com,newrepublic.com,nzherald.co.nz,oneesports.gg,opb.org,outkick.com,papermag.com,physiology.org,pixiv.net,punchng.com,qns.com,realsport101.com,reason.com,refinery29.com,roadandtrack.com,scroll.in,seattletimes.com,songkick.com,sportskeeda.com,thebaltimorebanner.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
+24timezones.com##.ad-container-diff
+newthinking.com##.ad-container-mpu
+wheelofnames.com##.ad-declaration
+sciencealert.com##.ad-desktop\:block
+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
+downloads.digitaltrends.com##.ad-kargo
+kenyans.co.ke##.ad-kenyans
+kenyans.co.ke##.ad-kenyans-wrapper
+heise.de##.ad-ldb-container
+revolvermag.com##.ad-leaderboard-head
+apksum.com##.ad-left
+radiopaedia.org##.ad-link-grey
+citynews.ca##.ad-load
+mariopartylegacy.com##.ad-long
+olympics.com##.ad-margin-big
+pixiv.net##.ad-mobile-anchor
+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
+cointelegraph.com##.ad-slot_NjPAE
+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
+companiesmarketcap.com##.ad-tr
+forbes.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
+allscrabblewords.com,famously-dead.com,famouslyarrested.com,famouslyscandalous.com,mpog100.com##.ad2
+allscrabblewords.com,mpog100.com##.ad3
+india.com##.ad5
+cricketcountry.com##.ad90mob300
+chron.com,greenwichtime.com,houstonchronicle.com,mysanantonio.com,seattlepi.com,sfchronicle.com,sfgate.com,thetelegraph.com,timesunion.com##.adBanner
+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,thepeterboroughexaminer.com,therecord.com,thespec.com,thestar.com,wellandtribune.ca##.adLabelWrapper
+bramptonguardian.com,insideottawavalley.com,niagarafallsreview.ca,thepeterboroughexaminer.com,therecord.com,thestar.com,wellandtribune.ca##.adLabelWrapperManual
+cosmopolitan.in##.adMainWrp
+sammobile.com##.adRoot-loop-ad
+coloradotimesrecorder.com##.adSidebar
+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
+bigislandnow.com##.ad_mobileleaderboard
+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
+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,entrepreneur.com,interglot.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,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
+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,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,investing.com,islamchannel.tv,m.economictimes.com,mangasect.com,marinetraffic.com,mb.com.ph,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,wccftech.com##.ads-container
+pcquest.com##.ads-div-style
+samehadaku.email##.ads-float-bottom
+thetruthaboutcars.com##.ads-fluid-wrap
+spambox.xyz##.ads-four
+fintech.tv##.ads-img
+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
+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
+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
+glanceoflife.com##.ads_margin
+allevents.in##.ads_place_right
+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
+bolnews.com##.adsheading
+nepallivetoday.com##.adsimage
+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
+mp1st.com##.adthrive
+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,iconeye.com,kdnuggets.com,laprensalatina.com,londonnewsonline.co.uk,manageditmag.co.uk,mondoweiss.net,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,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,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,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,animax-asia.com,apkforpc.com,audioxpress.com,axn-asia.com,bravotv.com,citiblog.co.uk,cnbctv18.com,cnn59.com,controleng.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
+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
+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
+icon-icons.com##.apu
+icon-icons.com##.apu-mixed-packs
+chron.com,ctinsider.com,ctpost.com,middletownpress.com,mysanantonio.com,seattlepi.com,sfgate.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
+arstechnica.com##.ars-component-buy-box
+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
+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
+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
+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
+auctionzip.com##.az-header-ads-container
+conservativefiringline.com##.az6l2zz4
+coin360.com##.azJOX6
+coingraph.us,hosty.uprwssp.org##.b
+irishnews.com##.b-ads-block
+bnnbloomberg.ca##.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
+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.md\: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
+independent.co.uk##.bXYFQI.dAHemH
+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
+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,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,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,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,reversephonesearch.com.au,roblox.com,rotherhamadvertiser.co.uk,scientificamerican.com,scotsman.com,shieldsgazette.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,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
+news12.com##.banner-homePageSidebar-area
+411mania.com##.banner-homebottom-all
+security.org##.banner-img-container
+wireshark.org##.banner-img-downloads
+balkangreenenergynews.com##.banner-l
+amoledo.com##.banner-link
+news12.com##.banner-middleboard-area
+weatherin.org##.banner-mobile
+bsc.news,web3wire.news##.banner-one
+timesofisrael.com##.banner-placeholder
+tweakreviews.com##.banner-placement__article
+balkangreenenergynews.com##.banner-premium
+bikepacking.com##.banner-sidebar
+livescores.biz##.banner-slot
+livescores.biz##.banner-slot-filled
+vedantu.com##.banner-text
+historydaily.org,israelnationalnews.com,news12.com,pwinsider.com,spaceref.com,usahealthcareguide.com##.banner-top
+wpneon.com##.banner-week
+news.net##.banner-wr
+admonsters.com##.banner-wrap
+primewire.link##.banner-wrapper
+depositfiles.com,dfiles.eu##.banner1
+gsprating.com##.banner2
+coinalpha.app##.bannerAdv
+britsabroad.com##.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,radiolumiere.org,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
+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
+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
+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
+chron.com,greenwichtime.com,houstonchronicle.com,mysanantonio.com,seattlepi.com,sfchronicle.com,sfgate.com,thetelegraph.com,timesunion.com##.bg-gray100.mb32
+wccftech.com##.bg-horizontal
+wccftech.com##.bg-horizontal-2
+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,blackpoolgazette.co.uk,bundesliga.com,farminglife.com,hotstar.com,ipolitics.ca,lep.co.uk,northamptonchron.co.uk,qpbriefing.com,scotsman.com,shieldsgazette.com,talksport.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
+dev.to##.billboard[data-type-of="external"]
+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
+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
+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
+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##.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##.bottom5
+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
+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
+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
+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
+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
+whattomine.com##.centered-image-short
+spiceworks.com##.centerthe1
+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
+news18.com##.closestickybtn
+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
+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,180gadgets.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,bipartisanreport.com,bohemian.com,borncity.com,boxingnews24.com,browserhow.com,charlieintel.com,chillinghistory.com,chromeunboxed.com,circuitbasics.com,coincodecap.com,conservativebrief.com,corrosionhour.com,crimereads.com,cryptobriefing.com,cryptointelligence.co.uk,cryptopotato.com,cryptoreporter.info,cryptoslate.com,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,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.fun,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,storypick.com,streamingbetter.com,superwatchman.com,talkandroid.com,talkers.com,tech-latest.com,techpp.com,techrounder.com,techviral.net,theblueoceansgroup.com,thecinemaholic.com,thecricketlounge.com,thedriven.io,thegamehaus.com,thegatewaypundit.com,thegeekpage.com,thelibertydaily.com,thenipslip.com,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,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
+patriotnewsfeed.com##.code-block-4
+scienceabc.com##.code-block-5
+wltreport.com##.code-block-label
+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
+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
+telegraph.co.uk##.commercial-unit
+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
+cointelegraph.com##.componentAdbutler_uF1zH
+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
+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
+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
+wolfstream.tv##.cover2
+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
+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
+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
+seattlepi.com##.ctpl-fullbanner
+genius.com##.cujBpY
+pcgamesn.com##.curated-spotlight
+speedrun.com##.curse
+pokebattler.com##.curse-ad
+dexscreener.com##.custom-1hol5du
+dexscreener.com##.custom-97cj9d
+slidehunter.com##.custom-ad-text
+fastestvpns.com##.custom-banner
+dexscreener.com##.custom-hmb3rb
+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
+fandomwire.com##.customad
+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
+mangamiso.net##.d-flex-row
+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
+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
+counter.dev,lindaikejisblog.com##.da
+engadget.com##.da-container
+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##.desktopad
+coingape.com##.desktopds
+ancient-origins.net##.desktops
+flashscore.co.za,flashscore.com,livescore.in,soccer24.com##.detailLeaderboard
+giphy.com##.device-desktop
+floridapolitics.com##.dfad
+coingape.com##.dfd
+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
+investing.com##.dfp-native
+investing.com##.dfpVideo
+yts.mx##.dfskieurjkc23a
+dailyfx.com##.dfx-article__sidebar
+dollargeneral.com##.dgsponsoredcarousel
+decripto.org##.dialog-lightbox-widget
+politicspa.com##.dialog-type-lightbox
+kiplinger.com##.dianomi_gallery_wrapper
+kmplayer.com##.dim-layer
+coingape.com##.diplay-m-ad
+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
+capitalfm.com,radiox.co.uk,smoothradio.com##.download
+zeroupload.com##.download-page a[rel="noopener"] > img
+thepiratebay3.to##.download_buutoon
+thesun.co.uk##.dpa-slot
+distractify.com,greenmatters.com,inquisitr.com,okmagazine.com,qthemusic.com,radaronline.com##.dpbdIG
+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
+coin360.com##.earnMenuButton-link
+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
+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
+appleinsider.com##.exclusive-wrap
+mashable.com##.exco
+nypost.com##.exco-video__container
+executivegov.com##.execu-target
+executivegov.com##.execu-widget
+metric-conversions.org##.exists
+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
+mangamiso.net##.extraHeight
+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
+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
+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
+news24.com##.featured-category
+apexcharts.com,ar12gaming.com##.featured-sponsor
+eetimes.com##.featured-techpaper-box
+thenationonlineng.net##.featured__advert__desktop_res
+motor1.com##.featured__apb
+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
+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
+golinuxcloud.com##.flying-carpet
+momjunction.com,stylecraze.com##.flying-carpet-wrapper
+advocate.com,emergencyemail.org,out.com##.footer
+allthatsinteresting.com,scientificamerican.com##.footer-banner
+wst.tv##.footer-logos
+dhakatribune.com##.footer-pop-up-ads-sec
+supercars.com##.footer-promo
+filma24.ch##.footer-reklama
+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
+theiphoneappreview.com##.frame
+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
+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
+stylecraze.com##.fx-flying-carpet
+fxstreet.com##.fxs_leaderboard
+aframnews.com,afro.com,aurn.com,aviacionline.com,blackvoicenews.com,borneobulletin.com.bn,businessday.ng,businessofapps.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,gatewaynews.co.za,gayexpress.co.nz,gematsu.com,hamodia.com,islandecho.co.uk,jacksonvillefreepress.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,womensagenda.com.au##.g
+marionmugshots.com##.g-1
+marionmugshots.com##.g-3
+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##.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
+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
+kansascity.com,rotowire.com##.gdcg-oplist
+just-food.com##.gdm-company-profile-unit__container
+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
+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
+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
+smsfi.com##.google_ad_home_page_100percent
+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##.gsadsad
+gulftoday.ae##.gt-ad-center
+gulf-times.com##.gt-horizontal-ad
+gulf-times.com##.gt-square-desktop-ad
+gulf-times.com##.gt-vertical-ad
+animenewsnetwork.com##.gutter
+attheraces.com##.gutter-left
+attheraces.com##.gutter-right
+distractify.com,inquisitr.com,okmagazine.com,qthemusic.com,radaronline.com##.gwofgg
+thetimes.co.uk##.gyLkkj
+worldpopulationreview.com##.h-64
+tvcancelrenew.com##.h-72
+indaily.com.au,thenewdaily.com.au##.h-\[100px\]
+indaily.com.au,posemaniacs.com##.h-\[250px\]
+emojipedia.org##.h-\[282px\]
+businessinsider.in##.h-\[300px\]
+emojipedia.org##.h-\[312px\]
+lolalytics.com##.h-\[600px\]
+supercarblondie.com##.h-\[660px\]
+lolalytics.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
+news12.com##.hCauqx
+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
+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_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
+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
+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__banner
+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
+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
+bizarrepedia.com##.holder
+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
+coincodex.com##.homepageCoinList
+homes.co.nz##.homepageTopLeader__container
+artandeducation.net##.homepage__banner
+swimswam.com##.homepage_block_ads
+radiocity.in##.horiozontal-add
+flv2mp3.by,flvto.biz,flvto.com.mx##.horizontal-area
+getmyuni.com##.horizontalRectangle
+nofilmschool.com##.horizontal_ad
+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##.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
+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
+reuters.com##.in-article-desktop-connatix-player
+carscoops.com##.in-asd-content
+thecanary.co##.in-content-ad
+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
+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
+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
+arstechnica.com##.instream-wrap
+capitalfm.com##.instream_item
+coincarp.com##.interact-mobileBox
+monochrome-watches.com##.interscroll
+mrctv.org,newsbusters.org##.intranet-mid-size
+interactives.stuff.co.nz##.intro_adside__in8il
+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
+coincodex.com##.item-2023_06_15_bcgame
+albertsonsmarket.com,marketstreetunited.com,unitedsupermarkets.com##.item-citrus
+nintendolife.com,purexbox.com,pushsquare.com##.item-insert
+coincodex.com##.item-kucoin_affiliate
+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
+avclub.com,deadspin.com,gizmodo.com,jalopnik.com,kotaku.com,theonion.com,theroot.com,thetakeout.com##.japmJB
+jambase.com##.jb-homev3-sense-sidebar-wrap
+psypost.org##.jeg_midbar
+sabcnews.com##.jeg_topbar
+romania-insider.com##.job-item
+dot.la##.job-wrapper
+cityam.com,techspot.com##.jobbioapp
+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
+investing.com##.js-promotional
+nicelocal.com##.js-results-slot
+theguardian.com##.js-top-banner
+chewy.com##.js-tracked-ad-product
+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
+mamieastuce.com##.k39oyi
+qz.com##.k3mqd
+ticketmaster##.kOwduY
+easypet.com##.kadence-conversion-inner
+plagiarismchecker.co##.kaka
+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
+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
+kvraudio.com##.kvrblockdynamic
+businessinsider.com##.l-ad
+legit.ng,tuko.co.ke##.l-adv-branding__top
+iphonelife.com##.l-header
+globalnews.ca##.l-headerAd
+wwe.com##.l-hybrid-col-frame_rail-wrap
+aerotime.aero##.l-side-banner
+vox.com##.l66a0c1k
+vox.com##.l66a0c1n
+vox.com##.l66a0c1p
+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-top2
+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
+coin360.com##.leader_wrapper
+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,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
+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
+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
+rebelnews.com##.lighter-gray-bg
+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
+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
+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
+lowes.com##.lws_pdp_recommendations_sponsored
+phpbb.com##.lynkorama
+thestreet.com##.m-balloon-header
+politifact.com##.m-billboard
+aol.com##.m-gam__container
+aol.com##.m-healthgrades
+thestreet.com##.m-in-content-ad-row
+techraptor.net##.m-lg-70
+scamrate.com##.m-t-0
+scamrate.com##.m-t-3
+tech.hindustantimes.com##.m-to-add
+thestreet.com##.m-video-unit
+thegatewaypundit.com##.m0z4dhxja2
+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
+get.pixelexperience.org##.mantine-arewlw
+whatsgabycooking.com##.manual-adthrive-sidebar
+linkvertise.com##.margin-bottom-class-20
+color-hex.com##.margin10
+fandom.com##.marketplace
+pushsquare.com,songlyrics.com##.masthead
+eetimes.eu,korinthostv.gr,powerelectronicsnews.com##.masthead-banner
+augustman.com##.masthead-container
+cloudwards.net##.max-medium
+spin.com##.max-w-\[970px\]
+mayoclinic.org##.mayoad
+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
+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
+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##.middle5
+heatmap.news##.middle_leaderboard
+fruitnet.com##.midpageAdvert
+extremetech.com##.min-h-24
+copyprogramming.com,imagecolorpicker.com##.min-h-250
+gizmodo.com##.min-h-\[1000px\]
+axios.com##.min-h-\[200px\]
+blanktext.co##.min-h-\[230px\]
+blanktext.co,gizmodo.com,radio.net##.min-h-\[250px\]
+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##.min-h-\[250px\].mx-auto.w-full.hidden.my-1.lg\:flex.center-children
+uwufufu.com##.min-h-\[253px\]
+instavideosave.net,thenewdaily.com.au##.min-h-\[280px\]
+uwufufu.com##.min-h-\[300px\]
+gizmodo.com##.min-h-\[350px\]
+businesstimes.com.sg##.min-h-\[90px\]
+insiderintelligence.com##.min-h-top-banner
+stripes.com##.min-h90
+motortrend.com,mumsnet.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,seattlepi.com,sfchronicle.com,sfgate.com,stamfordadvocate.com,thehour.com,timesunion.com##.mnh90px
+allrecipes.com##.mntl-jwplayer-broad
+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
+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
+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
+kickassanimes.io##.mt-6.rs
+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
+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,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
+myflixer.to##.news-iframe
+blabbermouth.net##.news-single-ads
+dailysocial.id##.news__detail-ads-subs
+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
+hindustantimes.com##.noAdLabel
+ferrarichat.com##.node_sponsor
+greyhound-data.com##.non-sticky-publift
+startpage.com##.nord-vpn-promo
+unogs.com##.nordvpnAd
+miniwebtool.com##.normalvideo
+chipchick.com##.noskim.ntv-moap
+4dayweek.io##.notadvert-tile-wrapper
+thisiscolossal.com##.notblocked
+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
+panda-novel.com,pandasnovel.com##.novel-ins2
+nextpit.com##.np-top-deals
+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
+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
+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
+aminoapps.com##.overflow-scroll-sidebar > div
+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
+startpage.com##.pa-bg
+startpage.com##.pa-bg-carousel
+phonearena.com##.pa-sticky-container
+getpocket.com##.paarv6m
+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
+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
+recipesandcooker.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
+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
+carsized.com##.pl_header_ad
+redgifs.com##.placard-wrapper
+gismeteo.com,meteofor.com,nofilmschool.com##.placeholder
+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
+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
+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
+setlist.fm##.prmtnMbanner
+setlist.fm##.prmtnTop
+computerweekly.com##.pro-downloads-home
+kompass.com##.prodListBanner
+ecosia.org##.product-ads-carousel
+skinstore.com##.productSponsoredAdsWrapper
+letsgodigital.org##.product__wrapper
+nymag.com##.products-package
+nymag.com##.products-package_single
+kohls.com##.products_grid.sponsored-product
+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
+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
+kathmandupost.com##.pt-0
+gsmarena.com##.pt-10
+gonintendo.com##.pt-5
+getyarn.io##.pt3p > div
+seattlepi.com##.pt40
+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
+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
+news18.com##.pwa_add
+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
+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
+bettycrocker.com##.recipeAd
+nypost.com,pagesix.com##.recirc
+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
+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
+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
+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
+rebelnews.com##.rn-article-ad
+rebelnews.com##.rn-sidebar-ad
+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
+forums.bluemoon-mcfc.co.uk,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
+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-300x250
+jambase.com##.sense-970x250
+jambase.com##.sense-headin
+shareus.io##.seperator-tag
+searchencrypt.com##.serp__top-ads
+minecraftforum.net##.server-forum-after-comment-ad
+save-editor.com##.set_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_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
+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
+thepointsguy.com##.showBb
+winx-club-hentai.com##.shr34
+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-1skyscraper
+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
+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
+coincodex.com##.sidebar-skyscraper
+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
+sifted.eu##.sifted_advert_block
+wncv.com##.simple-image
+nanoreview.net##.sinad_only_desktop
+nanoreview.net##.sinad_only_mobile
+metalsucks.net##.single-300-insert
+lgbtqnation.com##.single-bottom-ad
+9to5mac.com##.single-custom-post-ad
+kolompc.com##.single-post-content > center
+abovethelaw.com##.single-post__sponsored-post--desktop
+policyoptions.irpp.org##.single__ad
+mixonline.com##.site-ad
+deshdoaba.com##.site-branding
+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
+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
+greatandhra.com##.sortable-item_top_add123
+khmertimeskh.com##.sow-slider-image
+freeonlineapps.net##.sp
+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
+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
+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
+cheknews.ca##.sponsored-by
+washingtontimes.com##.sponsored-heading
+itweb.co.za##.sponsored-highlights
+breakingdefense.com##.sponsored-inline
+freesvg.org##.sponsored-main-detail
+justwatch.com##.sponsored-recommendation
+crn.com##.sponsored-resources
+search.brave.com##.sponsored-unit_wrapper
+coingecko.com##.sponsored-v2
+investing.com##.sponsoredArticle
+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
+freepik.com##.spr-adblock
+freepik.com##.spr-plc
+gemoo.com##.sprtadv
+bizarrepedia.com##.spsnrd
+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
+flvto.biz,flvto.com.mx##.square-area
+getmyuni.com##.squareDiv
+cathstan.org##.squat
+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
+coingape.com##.stcikyright
+bostonglobe.com##.stick_1200--tablet
+ar15.com##.stickers
+kathmandupost.com##.sticky--bottom
+healthing.ca##.sticky-ad-spacer-desktop
+religionnews.com##.sticky-ad-white-space
+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
+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,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
+swimswam.com##.swimswam-acf
+khmertimeskh.com##.swiper-container-horizontal
+outlook.advantis.ai##.swiper-initialized.swiper
+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\]
+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
+zenger.news##.tb_e2rr695
+bookriot.com##.tbr-promo
+tennis.com##.tc-video-player-iframe
+ghpage.com##.td-a-ad
+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,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,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
+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
+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
+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
+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
+jamieoliver.com##.top-avocado
+advfn.com##.top-ban-wrapper
+addictivetips.com,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
+sportingnews.com##.top-mpu-container
+webmd.com##.top-picks
+speedtest.net##.top-placeholder
+financemagnates.com,forexlive.com##.top-side-unit
+horoscope.com##.top-slot
+cryptoslate.com##.top-sticky
+playbuzz.com##.top-stickyplayer-container
+news18.com##.topAdd
+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##.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
+startpage.com##.total-adblock-desktop
+moviemistakes.com##.tower
+towleroad.com##.towletarget
+utahgunexchange.com##.tp-revslider-mainul
+steamanalyst.com##.tpbcontainerr
+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
+tripadvisor.at,tripadvisor.be,tripadvisor.ca,tripadvisor.ch,tripadvisor.cl,tripadvisor.cn,tripadvisor.co,tripadvisor.co.id,tripadvisor.co.il,tripadvisor.co.kr,tripadvisor.co.nz,tripadvisor.co.uk,tripadvisor.co.za,tripadvisor.com,tripadvisor.com.ar,tripadvisor.com.au,tripadvisor.com.br,tripadvisor.com.eg,tripadvisor.com.gr,tripadvisor.com.hk,tripadvisor.com.mx,tripadvisor.com.my,tripadvisor.com.pe,tripadvisor.com.ph,tripadvisor.com.sg,tripadvisor.com.tr,tripadvisor.com.tw,tripadvisor.com.ve,tripadvisor.com.vn,tripadvisor.de,tripadvisor.dk,tripadvisor.es,tripadvisor.fr,tripadvisor.ie,tripadvisor.in,tripadvisor.it,tripadvisor.jp,tripadvisor.nl,tripadvisor.pt,tripadvisor.ru,tripadvisor.se##.txxUo
+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
+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
+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
+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
+bestlifeonline.com,eatthis.com,hellogiggles.com##.vi-video-wrapper
+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
+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
+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
+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##.widget_block
+wplift.com##.widget_bsa
+techweekmag.com##.widget_codewidget
+4sysops.com,9to5linux.com,arcadepunks.com,backthetruckup.com,catcountry941.com,cnx-software.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,mediachomp.com,metalsucks.net,mmoculture.com,nasaspaceflight.com,openloading.com,patriotfetch.com,planetofreviews.com,precinctreporter.com,prepperwebsite.com,sashares.co.za,scienceabc.com,scienceandliteracy.org,spokesman-recorder.com,survivopedia.com,techdows.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
+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
+theiphoneappreview.com##.widget_links
+247media.com.ng,appleworld.today,athleticsillustrated.com,businessaccountingbasics.co.uk,circuitbasics.com,closerweekly.com,coincodecap.com,cozyberries.com,crickhabari.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,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,thecatholictravelguide.com,thedefensepost.com,theoverclocker.com,therainbowtimesmass.com,thethaiger.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
+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,lostintechnology.com,ripplecoinnews.com,utahgunexchange.com,webkinznewz.ganzworld.com##.widget_text
+nypost.com##.widget_text.no-mobile.box
+tutorialink.com##.widget_ti_add_widget
+carpeludum.com##.widget_widget_catchevolution_adwidget
+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
+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
+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
+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
+pedestrian.tv##.wp-block-ped-theme-blocks-pedestrian-recent-jobs
+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
+hack-sat.com##.wp-image-31131
+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,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
+coralspringstalk.com##.wpbdp-listings-widget-list
+tejanonation.net##.wpcnt
+americanfreepress.net,sashares.co.za##.wppopups-whole
+theregister.com##.wptl
+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
+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.cz,gamereactor.de,gamereactor.dk,gamereactor.es,gamereactor.eu,gamereactor.fi,gamereactor.fr,gamereactor.it,gamereactor.jp,gamereactor.kr,gamereactor.nl,gamereactor.no,gamereactor.pl,gamereactor.pt,gamereactor.se##.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,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##.zone
+bellinghamherald.com##.zone-el
+cnn.com##.zone__ads
+marketscreener.com##.zppAds
+haxnode.net##[action^="//href.li/?"]
+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"]
+gab.com##[aria-label*="Sponsored:"]
+issuu.com##[aria-label="Advert"]
+thepointsguy.com##[aria-label="Advertisement"]
+wsj.com##[aria-label="Sponsored Offers"]
+blackbeltmag.com##[aria-label="Wix Monetize with AdSense"]
+giantfood.com,giantfoodstores.com,martinsfoods.com##[aria-label^="Sponsored"]
+economictimes.indiatimes.com##[class*="-ad-"]
+thehansindia.com##[class*="-ad-"]:not(#inside_post_content_ad_1_before)
+collegedunia.com##[class*="-ad-slot"]
+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"]
+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"]
+shoprite.com##[class^="CitrusBannerXContainer"]
+bloomberg.com##[class^="FullWidthAd_"]
+genius.com##[class^="InnerSectionAd__"]
+genius.com##[class^="InreadContainer__"]
+uploader.link##[class^="ads"]
+weather.us##[class^="dkpw"]
+dallasnews.com##[class^="dmnc_features-ads-"]
+romhustler.org##[class^="leaderboard_ad"]
+filmibeat.com##[class^="oiad"]
+reuters.com##[class^="primary-video__container_"]
+nofilmschool.com##[class^="rblad-nfs_content"]
+thetimes.co.uk##[class^="responsive__InlineAdWrapper-"]
+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_"]
+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]
+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"]
+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"]
+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"]
+timesofindia.indiatimes.com##[data-contentprimestatus]
+coingecko.com##[data-controller="button-ads"]
+hedgefollow.com##[data-dee_type^="large_banner"]
+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"]
+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"]
+gumtree.com##[data-q="section-middle"] > div[style^="display:grid;margin"]
+scmp.com##[data-qa="AppBar-renderLayout-AdSlotContainer"]
+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"]
+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]
+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"]
+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"]
+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"]
+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"]
+photopea.com##[href*=".ivank.net"]
+nzbstars.com,upload.ee##[href*=".php"]
+complaintsingapore.com##[href*="/adv.php"]
+utahgunexchange.com##[href*="/click.track"]
+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*="@"]
+steroid.com##[href*="anabolics.com"]
+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"]
+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"]
+complaintsingapore.com##[href="https://thechillipadi.com/"]
+photorumors.com##[href="https://topazlabs.com/ref/70/"]
+bleepingcomputer.com##[href="https://try.flare.io/bleeping-computer/"]
+walletinvestor.com##[href="https://walletinvestor.com/u/gnrATE"]
+nettv4u.com##[href="https://www.badshahcric.net/"]
+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/"]
+cointelegraph.com##[href="javascript:void(0);"]
+wplocker.com##[href^="//namecheap.pxf.io/"]
+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/"]
+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/"]
+orschlurch.net,photorumors.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"]
+wccftech.com##[href^="https://cutt.ly/"]
+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/"]
+rebelnews.com##[href^="https://rebelne.ws/"]
+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/"]
+thespoken.cc##[href^="https://www.amazon.com/"]
+mailshub.in##[href^="https://www.amazon.in/"]
+workhouses.org.uk##[href^="https://www.awin1.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/"]
+seganerds.com##[href^="https://www.casinonic.com/"]
+onecompiler.com##[href^="https://www.datawars.io"]
+ratemycourses.io##[href^="https://www.essaypal.ai"]
+rebelnews.com##[href^="https://www.eventbrite.com/"]
+seganerds.com##[href^="https://www.ewinracing.com/"]
+gamecopyworld.com,gamecopyworld.eu##[href^="https://www.kinguin.net/"]
+defenseworld.net##[href^="https://www.marketbeat.com/scripts/redirect.aspx"]
+perezhilton.com##[href^="https://www.mytrue10.com/"]
+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/"]
+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/"]
+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"]
+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-"]
+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("]
+filecrypt.cc,filecrypt.co##[onclick^="var lj"]
+transfermarkt.co.uk##[referrerpolicy]
+appleinsider.com,dappradar.com,euroweeklynews.com,sitepoint.com,tld-list.com##[rel*="sponsored"]
+warecracks.com,websiteoutlook.com##[rel="nofollow"]
+metro.co.uk##[rel="sponsored"]
+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"]
+brmangas.com##[src="https://manjiroinflu.com/streams.php"]
+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)"]
+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,sflix.se,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"]
+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;"]
+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;"]
+fandomwire.com##[style^="min-height: 320px"]
+decrypt.co##[style^="min-width: 728px;"]
+perchance.org##[style^="position: fixed;"]
+meaww.com##[style^="text-align: center;"]
+zenger.news##[style^="text-align:center;min-height:"]
+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"]
+1001tracklists.com##[target="_blank"][rel="noopener noreferrer"]
+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"]
+cript.to##a.btn[target="_blank"][href^="https://cript.to/"]
+infowars.com##a.css-1yw960t
+darkreader.org##a.logo-link[target="_blank"]
+steam.design##a.profile_video[href^="https://duobot.com/"]
+marinelink.com##a.sponsored
+facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##a[ajaxify*="&eid="] + a[href^="https://l.facebook.com/l.php?u="]
+newstalkflorida.com##a[alt="Ad"]
+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"]
+wayfair.com##a[data-enzyme-id="WssBannerContainer"]
+androidauthority.com##a[data-sel="dealbar-link"]
+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
+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"]
+filefleck.com,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/"]
+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/"]
+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/"]
+speedsolving.com##a[href^="http://www.kewbz.co.uk"] > img
+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/"]
+lilymanga.com##a[href^="https://amzn.to/"]
+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="]
+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/?"]
+inquirer.net##a[href^="https://ruby.inquirer.net/"]
+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,deadspin.com,electrek.co,jalopnik.com,kotaku.com,lewrockwell.com,ssbcrack.com,thetakeout.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##a[href^="https://www.warp.dev"]
+yugatech.com##a[href^="https://yugatech.ph/"]
+kitguru.net##a[id^="href-ad-"]
+1001tracklists.com,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,unsplash.com##a[rel^="sponsored"]
+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,oceanplay.xyz,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/"]
+winaero.com##aside.sidebar > section:not([id^="custom_html-"]).widget_custom_html
+vezod.com##av-adv-slot
+bayequest.com#?#.elementor-section:-abp-contains(Advertisement)
+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
+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"]
+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"]
+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_"]
+reuters.com##div[class^="RightRail-sticky-container"]
+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-"]
+sfchronicle.com##div[class^="ad-module-"]
+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"]
+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
+wayfair.com##div[data-enzyme-id="WssBannerContainer"]
+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"]
+wayfair.com##div[data-node-id^="SponsoredListingCollectionItem"]
+thebay.com##div[data-piq-toggle="true"]
+opentable.ae,opentable.ca,opentable.co.th,opentable.co.uk,opentable.com,opentable.com.au,opentable.com.mx,opentable.de,opentable.es,opentable.hk,opentable.ie,opentable.it,opentable.jp,opentable.nl,opentable.sg##div[data-promoted="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"]
+basschat.co.uk,momondo.at,momondo.be,momondo.ca,momondo.ch,momondo.cl,momondo.co.nz,momondo.co.uk,momondo.co.za,momondo.com,momondo.com.ar,momondo.com.au,momondo.com.br,momondo.com.co,momondo.com.pe,momondo.com.tr,momondo.cz,momondo.de,momondo.dk,momondo.ee,momondo.es,momondo.fi,momondo.fr,momondo.hk,momondo.ie,momondo.in,momondo.it,momondo.mx,momondo.nl,momondo.no,momondo.pl,momondo.pt,momondo.ro,momondo.se,momondo.tw,momondo.ua##div[data-resultid$="-sponsored"]
+linustechtips.com##div[data-role="sidebarAd"]
+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"]
+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]
+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-"]
+namu.wiki##div[id][class]:empty
+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,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-"]
+cinesprint.com##div[id^="googleads_"]
+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"][style*="justify-content:center;"]
+news18.com##div[style*="min-height: 250px"]
+footballtransfers.com##div[style*="min-height: 250px;"]
+news18.com##div[style*="min-height: 527px"]
+news18.com##div[style*="min-height:250px"]
+news18.com##div[style*="min-height:527px"]
+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"]
+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;"]
+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.cz,gamereactor.de,gamereactor.dk,gamereactor.es,gamereactor.eu,gamereactor.fi,gamereactor.fr,gamereactor.it,gamereactor.jp,gamereactor.kr,gamereactor.nl,gamereactor.no,gamereactor.pl,gamereactor.pt,gamereactor.se##div[style="min-height: 600px; margin-bottom: 20px;"]
+disneydining.com##div[style="min-height:125px;"]
+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;"]
+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;"]
+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
+mirrored.to##form[action^="//filesdl.cloud/"]
+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,sflix.se,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"]
+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
+tellows-au.com,tellows-tr.com,tellows.at,tellows.be,tellows.co,tellows.co.nz,tellows.co.uk,tellows.co.za,tellows.com,tellows.com.br,tellows.cz,tellows.de,tellows.es,tellows.fr,tellows.hu,tellows.in,tellows.it,tellows.jp,tellows.mx,tellows.net,tellows.nl,tellows.org,tellows.pl,tellows.pt,tellows.ru,tellows.se,tellows.tw##li > .comment-body[style*="min-height: 250px;"]
+cgpress.org##li > div[id^="cgpre-"]
+bestbuy.com##li.embedded-sponsored-listing
+cultbeauty.co.uk,dermstore.com,skinstore.com##li.sponsoredProductsList
+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##li[class*="sponsored-"]
+linkedin.com##li[data-is-sponsored="true"]
+duckduckgo.com,duckduckgogg42xjoc72x3sjasowoarfbgcmvfimaftt6twagswzczad.onion##li[data-layout="products"]
+duckduckgo.com##li[data-layout="products_middle"]
+opentable.ae,opentable.ca,opentable.co.th,opentable.co.uk,opentable.com,opentable.com.au,opentable.com.mx,opentable.de,opentable.es,opentable.hk,opentable.ie,opentable.it,opentable.jp,opentable.nl,opentable.sg##li[data-promoted="true"]
+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])
+americanfreepress.net##p > [href] > img
+ft.com##pg-slot
+mashable.com##section.mt-4 > div
+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"]
+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"]
+morningagclips.com##ul.logo-nav
+greyhound-data.com##ul.ppts
+greatandhra.com##ul.sortable-list > div
+backgrounds.wetransfer.net##we-wallpaper
+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
+pricespy.*##.AdPlacementMarginTop-sc-0-3
+pricespy.*##.AdPlacementMarginTop-sc-15ga2eg-3
+pricespy.*##.AdPlacementWrapper-sc-0-3
+pricespy.*##.StyledAdPlacementWrapper-sc-0-5
+pricespy.*##.StyledAdWrapper-sc-0-1
+walmart.*##[data-testid="carousel-ad"]
+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/"])
+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###Skyscraper:has(> #bannerSide)
+windowscentral.com###article-body > .hawk-nest[data-widget-id]:has(a[class^="hawk-affiliate-link-"][class$="-button"])
+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###btIn:has(> #bannerTop)
+winaero.com###content p:has(~ ins.adsbygoogle)
+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)
+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)
+nation.africa##.article-collection-teaser:has(.sponsored-label)
+thesun.co.uk##.article-sidebar .widget-sticky:has([class*="ad_widget"])
+forexlive.com##.article-slot__wrapper:has(.article-header__sponsored)
+time.com##.article-small-sidebar > .sticky-container:has(div[id^="ad-"])
+blitz.gg##.aside-content-column:has(.display-ad)
+olympics.com##.b2p-list__item:has(> .adv-fluid)
+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)
+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)
+doordash.com##.carousel-virtual-wrapper:has([href*="collection_type=sponsored_brand"])
+doordash.com##.ccdtLs:has([data-testid="sponsored:Sponsored"])
+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)
+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)
+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)
+protrumpnews.com##.enhanced-text-widget:has(span.pre-announcement)
+upfivedown.com##.entry > hr.wp-block-separator:has(+ .has-text-align-center)
+insidehpc.com##.featured-728x90-ad
+morrisons.com##.featured-items:has(.js-productCarouselFops)
+morrisons.com##.fops-item:has([title="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)
+canberratimes.com.au##.h-\[50px\]
+fortune.com##.homepage:has(> div[id^="InStream"])
+manomano.co.uk,manomano.de,manomano.es,manomano.fr,manomano.it##.hrHZYT:has([data-testid="popoverTriggersponsoredLabel"])
+vpforums.org##.ipsSideBlock.clearfix:has-text(Affiliates)
+1tamilmv.tax##.ipsWidget:has([href*="RajbetImage"])
+qwant.com##.is-sidebar:has(a[data-testid="advertiserAdsLink"])
+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"])
+officedepot.com##.od-col:has(.od-product-card-region-colors-sponsored)
+pollunit.com##.owl-carousel:has(.carousel-ad)
+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/"])
+myntra.com##.product-base:has(.product-waterMark)
+douglas.at,douglas.be,douglas.ch,douglas.cz,douglas.de,douglas.es,douglas.hr,douglas.hu,douglas.it,douglas.nl,douglas.pl,douglas.pt,douglas.ro,douglas.si,douglas.sk##.product-grid-column:has(.product-tile__sponsored)
+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)
+ksl.com##.queue:has(.sponsored)
+olx.com.pk##.react-swipeable-view-container:has([href*="http://onelink.to"])
+laravel-news.com##.relative:has([wire\:key="article-ad-card"])
+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"])
+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"])
+douglas.at,douglas.be,douglas.ch,douglas.cz,douglas.de,douglas.es,douglas.hr,douglas.hu,douglas.it,douglas.nl,douglas.pl,douglas.pt,douglas.ro,douglas.si,douglas.sk##.swiper-slide:has(button[data-testid="sponsored-button"])
+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_"])
+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)
+neonheightsservers.com##.well:has(ins.adsbygoogle)
+9to5linux.com##.widget:has([href$=".php"])
+evreporter.com##.widget_media_image:not(:has(a[href^="https://evreporter.com/"]))
+bestbuy.ca##.x-productListItem:has([data-automation="sponsoredProductLabel"])
+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)
+avclub.com,gizmodo.com,jalopnik.com,kotaku.com,theonion.com,theroot.com##[class] > div:has(> [is="bulbs-dfp"])
+fortune.com##[class]:has(> #Leaderboard0)
+thrillist.com##[class^="Container__GridRow-sc-"]:has(> .concert-ad)
+skyscanner.com##[class^="FlightsResults"] > div:has([class^="Sponsored"])
+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"])
+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"])
+wayfair.com##[data-hb-id="Card"]:has([data-node-id^="ListingCardSponsored"])
+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"])
+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;"])
+manomano.co.uk,manomano.de,manomano.es,manomano.fr,manomano.it##a[href^="/"][href*="?product_id="]:has(.ur6iYv)
+yandex.com##a[href^="https://yandex.ru/an/count/"]
+independent.co.uk,standard.co.uk##article > div[class^="sc-"]:has(> div[class^="sc-"] > div[data-ad-unit-path])
+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)
+twitter.com,x.com##article[data-testid="tweet"]:has(path[d$="10H8.996V8h7v7z"])
+thetimes.com##article[id="article-main"] > div:has(#ad-header)
+winaero.com##aside > .widget_text:has(.adsbygoogle)
+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)
+skyscanner.com,skyscanner.net##div > a:has(div[class^="DefaultBanner_sponsorshipRow"])
+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)
+douglas.at,douglas.be,douglas.ch,douglas.cz,douglas.de,douglas.es,douglas.hr,douglas.hu,douglas.it,douglas.nl,douglas.pl,douglas.pt,douglas.ro,douglas.si,douglas.sk##div.product-grid-column:has(button[data-testid="sponsored-button"])
+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"])
+doordash.com##div:has(> a[data-anchor-id="SponsoredStoreCard"])
+skyscanner.com,skyscanner.net##div:has(> a[data-testid="inline-brand-banner"])
+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"])
+androidauthority.com##div:not([class]) > div[class^="_--_-___"]:has(> div[data-ad-type="leaderboard_atf"])
+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_"])
+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"])
+skyscanner.com##div[class^="ItineraryInlinePlusWrapper_"]:has(button[class^="SponsoredInfoButton_"])
+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"])
+rakuten.com##div[data-productid]:has(div.productList_sponsoredAds_RUS)
+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##div[data-test-id="pin"]:has(div[title^="Promoted"])
+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"])
+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/"])
+90min.com##figure:has(> div > #mm-player-placeholder-large-screen)
+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"])
+dictionary.com,thesaurus.com##main div[class]:has(> [data-type="ad-vertical"])
+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"])
+deadspin.com##section:has(a[href^="https://theinventory.com"])
+tripadvisor.at,tripadvisor.be,tripadvisor.ca,tripadvisor.ch,tripadvisor.cl,tripadvisor.cn,tripadvisor.co,tripadvisor.co.id,tripadvisor.co.il,tripadvisor.co.kr,tripadvisor.co.nz,tripadvisor.co.uk,tripadvisor.co.za,tripadvisor.com,tripadvisor.com.ar,tripadvisor.com.au,tripadvisor.com.br,tripadvisor.com.eg,tripadvisor.com.gr,tripadvisor.com.hk,tripadvisor.com.mx,tripadvisor.com.my,tripadvisor.com.pe,tripadvisor.com.ph,tripadvisor.com.sg,tripadvisor.com.tr,tripadvisor.com.tw,tripadvisor.com.ve,tripadvisor.com.vn,tripadvisor.de,tripadvisor.dk,tripadvisor.es,tripadvisor.fr,tripadvisor.ie,tripadvisor.in,tripadvisor.it,tripadvisor.jp,tripadvisor.nl,tripadvisor.pt,tripadvisor.ru,tripadvisor.se##section[data-automation$="_AdPlaceholder"]:has(.txxUo)
+homedepot.com##section[id^="browse-search-pods-"] > div.browse-search__pod:has(div.product-sponsored)
+titantv.com##tr:has(> td[align="center"][valign="middle"][colspan="2"][class="gC"])
+opensubtitles.org##tr[style]:has([src*="php"])
+tripadvisor.com#?#[data-automation="crossSellShelf"] div:has(> span:-abp-contains(Sponsored))
+tripadvisor.com#?#[data-automation="relatedStories"] div > div:has(a:-abp-contains(SPONSORED))
+oneindia.com##ul > li:has(> div[class^="adg_"])
+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
+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
+6abc.com,abcnews.go.com##.taboola
+gizmodo.com,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"])
+ndtv.com,ndtv.in##[class^="firework"]
+ndtv.com,ndtv.in##[id^="firework"]
+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
+##.ad-fallback
+##.ad.reform-top
+##.reform-top-container
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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###nav-swmslot
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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###sc-rec-bottom
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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###sc-rec-right
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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###similarities_feature_div:has(span.sponsored_label_tap_space)
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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###sponsoredProducts2_feature_div
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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###sponsoredProducts_feature_div
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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###typ-recommendations-stripe-1
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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###typ-recommendations-stripe-2
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##.amzn-safe-frame-container
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##.dp-widget-card-deck:has([data-ad-placement-metadata])
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##.s-result-item:has([data-ad-feedback])
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##.s-result-item:has(div.puis-sponsored-label-text)
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##.s-result-list > .a-section:has(.sbv-ad-content-container)
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##.sbv-video-single-product
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##[cel_widget_id*="-creative-desktop_loom-desktop-"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div.s-inner-result-item > div.sg-col-inner:has(a.puis-sponsored-label-text)
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id*="Deals3Ads"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id*="_ad-placements-"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id*="desktop-dp-"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id="sp-orderdetails-desktop-carousel_desktop-yo-orderdetails_0"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id="sp-orderdetails-mobile-list_mobile-yo-orderdetails_0"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id="sp-pop-mobile-carousel_mobile-yo-postdelivery_0"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id="sp-rhf-desktop-carousel_desktop-rhf_0"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id="sp-shiptrack-desktop-carousel_desktop-yo-shiptrack_0"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id="sp-shiptrack-mobile-list_mobile-yo-shiptrack_0"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id="sp-typ-mobile-carousel_mobile-typ-carousels_2"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id="sp_phone_detail_thematic"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id="typ-ads"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id^="LEFT-SAFE_FRAME-"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id^="MAIN-FEATURED_ASINS_LIST-"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id^="adplacements:"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id^="multi-brand-"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id^="sp-desktop-carousel_handsfree-browse"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[class*="SponsoredProducts"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[class*="_dpNoOverflow_"][data-idt]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[data-a-carousel-options*="\\\"isSponsoredProduct\\\":\\\"true\\\""]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[data-ad-id]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[data-cel-widget="sp-rhf-desktop-carousel_desktop-rhf_1"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[data-cel-widget="sp-shiptrack-desktop-carousel_desktop-yo-shiptrack_0"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[data-cel-widget^="multi-brand-video-mobile_DPSims_"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[data-cel-widget^="multi-card-creative-desktop_loom-desktop-top-slot_"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[data-csa-c-painter="sp-cart-mobile-carousel-cards"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[data-csa-c-slot-id^="loom-mobile-brand-footer-slot_hsa-id-"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[data-csa-c-slot-id^="loom-mobile-top-slot_hsa-id-"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[id^="sp_detail"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##span[cel_widget_id^="MAIN-FEATURED_ASINS_LIST-"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##span[cel_widget_id^="MAIN-loom-desktop-brand-footer-slot_hsa-id-CARDS-"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##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
+cheaptickets.com,ebookers.com,expedia.at,expedia.be,expedia.ca,expedia.ch,expedia.co.id,expedia.co.in,expedia.co.jp,expedia.co.kr,expedia.co.nz,expedia.co.th,expedia.co.uk,expedia.com,expedia.com.ar,expedia.com.au,expedia.com.br,expedia.com.hk,expedia.com.my,expedia.com.ph,expedia.com.sg,expedia.com.tw,expedia.com.vn,expedia.de,expedia.dk,expedia.es,expedia.fi,expedia.fr,expedia.ie,expedia.it,expedia.mx,expedia.net,expedia.nl,expedia.no,expedia.se,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.at,expedia.be,expedia.ca,expedia.ch,expedia.co.id,expedia.co.in,expedia.co.jp,expedia.co.kr,expedia.co.nz,expedia.co.th,expedia.co.uk,expedia.com,expedia.com.ar,expedia.com.au,expedia.com.br,expedia.com.hk,expedia.com.my,expedia.com.ph,expedia.com.sg,expedia.com.tw,expedia.com.vn,expedia.de,expedia.dk,expedia.es,expedia.fi,expedia.fr,expedia.ie,expedia.it,expedia.mx,expedia.net,expedia.nl,expedia.no,expedia.se,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.at,expedia.be,expedia.ca,expedia.ch,expedia.co.id,expedia.co.in,expedia.co.jp,expedia.co.kr,expedia.co.nz,expedia.co.th,expedia.co.uk,expedia.com,expedia.com.ar,expedia.com.au,expedia.com.br,expedia.com.hk,expedia.com.my,expedia.com.ph,expedia.com.sg,expedia.com.tw,expedia.com.vn,expedia.de,expedia.dk,expedia.es,expedia.fi,expedia.fr,expedia.ie,expedia.it,expedia.mx,expedia.net,expedia.nl,expedia.no,expedia.se,hoteis.com,hoteles.com,hotels.com,orbitz.com,travelocity.ca,travelocity.com,wotif.com##div.not_clustered[id^="uitk-eg-maps-container-"]
+cheaptickets.com,ebookers.com,expedia.at,expedia.be,expedia.ca,expedia.ch,expedia.co.id,expedia.co.in,expedia.co.jp,expedia.co.kr,expedia.co.nz,expedia.co.th,expedia.co.uk,expedia.com,expedia.com.ar,expedia.com.au,expedia.com.br,expedia.com.hk,expedia.com.my,expedia.com.ph,expedia.com.sg,expedia.com.tw,expedia.com.vn,expedia.de,expedia.dk,expedia.es,expedia.fi,expedia.fr,expedia.ie,expedia.it,expedia.mx,expedia.net,expedia.nl,expedia.no,expedia.se,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.at,expedia.be,expedia.ca,expedia.ch,expedia.co.id,expedia.co.in,expedia.co.jp,expedia.co.kr,expedia.co.nz,expedia.co.th,expedia.co.uk,expedia.com,expedia.com.ar,expedia.com.au,expedia.com.br,expedia.com.hk,expedia.com.my,expedia.com.ph,expedia.com.sg,expedia.com.tw,expedia.com.vn,expedia.de,expedia.dk,expedia.es,expedia.fi,expedia.fr,expedia.ie,expedia.it,expedia.mx,expedia.net,expedia.nl,expedia.no,expedia.se,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?"])
+skyscanner.ae,skyscanner.at,skyscanner.ca,skyscanner.ch,skyscanner.co.id,skyscanner.co.il,skyscanner.co.in,skyscanner.co.kr,skyscanner.co.nz,skyscanner.co.th,skyscanner.co.za,skyscanner.com,skyscanner.com.au,skyscanner.com.br,skyscanner.com.eg,skyscanner.com.hk,skyscanner.com.mx,skyscanner.com.my,skyscanner.com.ph,skyscanner.com.sa,skyscanner.com.sg,skyscanner.com.tr,skyscanner.com.tw,skyscanner.com.ua,skyscanner.com.vn,skyscanner.cz,skyscanner.de,skyscanner.dk,skyscanner.es,skyscanner.fi,skyscanner.fr,skyscanner.gg,skyscanner.hu,skyscanner.ie,skyscanner.it,skyscanner.jp,skyscanner.net,skyscanner.nl,skyscanner.no,skyscanner.pk,skyscanner.pl,skyscanner.pt,skyscanner.qa,skyscanner.ro,skyscanner.se,tianxun.com##div[aria-label="Sponsored"]
+skyscanner.ae,skyscanner.at,skyscanner.ca,skyscanner.ch,skyscanner.co.id,skyscanner.co.il,skyscanner.co.in,skyscanner.co.kr,skyscanner.co.nz,skyscanner.co.th,skyscanner.co.za,skyscanner.com,skyscanner.com.au,skyscanner.com.br,skyscanner.com.eg,skyscanner.com.hk,skyscanner.com.mx,skyscanner.com.my,skyscanner.com.ph,skyscanner.com.sa,skyscanner.com.sg,skyscanner.com.tr,skyscanner.com.tw,skyscanner.com.ua,skyscanner.com.vn,skyscanner.cz,skyscanner.de,skyscanner.dk,skyscanner.es,skyscanner.fi,skyscanner.fr,skyscanner.gg,skyscanner.hu,skyscanner.ie,skyscanner.it,skyscanner.jp,skyscanner.net,skyscanner.nl,skyscanner.no,skyscanner.pk,skyscanner.pl,skyscanner.pt,skyscanner.qa,skyscanner.ro,skyscanner.se,tianxun.com##div[class^="ItineraryInlinePlusWrapper_container"]
+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.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###google-s-ad
+gunsandammo.com###VideoPlayerDivIframe
+usnews.com###ac-lre-player-ph
+ew.com###article__primary-video-jw_1-0
+wral.com###exco
+ispreview.co.uk###footer-slot-3
+ginx.tv###ginx-floatingvod-containerspacer
+gunsandammo.com###inline-player
+pubs.rsc.org###journal-info > .text--centered
+forums.whathifi.com###jwplayer-container-div
+ispreview.co.uk###mobile-takeover-slot-8
+express.co.uk###ovp-primis
+blackamericaweb.com,bossip.com,cassiuslife.com,hiphopwired.com,madamenoire.com,newsone.com,tvone.tv###player-wrapper
+bar-planb.com,hakibavuong.com###player_dev
+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
+uproxx.com###upx-mm-player-wrap
+sportskeeda.com###video-player-container--
+onlyinyourstate.com###video1-1
+newseveryday.com###vplayer_large
+tvline.com##._video_ti56x_1
+indy100.com##.addressed_cls
+telegraph.co.uk##.article-betting-unit-container
+sciencetimes.com##.article-videoplayer
+people.com##.article__broad-video
+washingtonexaminer.com##.bridtv
+gizmodo.com.au,kotaku.com.au,lifehacker.com.au,pedestrian.tv##.brightcove-video-container
+cnet.com,zdnet.com##.c-avStickyVideo
+stuff.tv##.c-squirrel-embed
+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
+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
+bringmethenews.com,mensjournal.com,thestreet.com##.is-fallback-player
+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
+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
+pagesix.com##.nyp-video-player
+picrew.me##.play-Imagemaker_Footer
+sciencetimes.com##.player
+bossip.com##.player-wrapper-inner
+swimswam.com##.polls-461
+iheart.com##.provider-stn
+avclub.com,deadspin.com,gizmodo.com,jalopnik.com,kotaku.com,theonion.com,theroot.com,thetakeout.com##.related-stories-inset-video
+kidspot.com.au##.secondary-video
+playbuzz.com##.stickyplayer-container
+the-express.com##.stn-video-container
+si.com##.style_hfl21i-o_O-style_uhlm2
+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
+bolavip.com##.video-player-placeholder
+benzinga.com##.video-player-wrapper
+thepinknews.com##.video-player__container
+consequence.net##.video_container
+bigthink.com##.wrapper-connatixElements
+bigthink.com##.wrapper-connatixPlayspace
+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_"]
+burnerapp.com##.exit__overlay
+booking.com##.js_sr_persuation_msg
+booking.com##.sr-motivate-messages
+##.section-subheader > .section-hotel-prices-header
+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##.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##.viewer-sda-container
+yahoo.com##[data-content="Advertisement"]
+mail.yahoo.com##[data-test-id="gam-iframe"]
+mail.yahoo.com##[data-test-id^="pencil-ad"]
+yahoo.com##[data-wf-beacons]
+finance.yahoo.com##[id^="defaultLREC"]
+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-"]
+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/"]
+yahoo.com##li[data-test-locator="stream-related-ad-item"]
+youtube.com###masthead-ad
+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
+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
+impartialreporter.com,polygon.com##.ob-smartfeed-wrapper
+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.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.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###tads[aria-label]
+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.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###tadsb[aria-label]
+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.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##.OcdnDb
+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.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##.OcdnDb + .fp2VUc
+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.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##.commercial-unit-desktop-rhs:not(.mnr-c)
+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.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##.commercial-unit-mobile-top > div[data-pla="1"]
+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.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##.cu-container
+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.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##.ltJjte
+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.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##.uEierd
+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.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##a[href^="/aclk?sa="][href*="&adurl=&placesheetAdFix=1"]
+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.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##a[href^="/aclk?sa="][href*="&adurl=&placesheetAdFix=1"] + button
+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.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##a[href^="https://www.googleadservices.com/pagead/aclk?"]
+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.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##body#yDmH0d [data-is-promoted="true"]
+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.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##c-wiz[jsrenderer="YTTf6c"] > .bhapoc.oJeWuf[jsname="bN97Pc"][data-ved]
+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.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##div.FWfoJ > div[jsname="Nf35pd"] > div[class="R09YGb ilovz"]
+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.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##div.sh-sr__shop-result-group[data-hveid]:has(g-scrolling-carousel)
+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.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##div[data-ads-title="1"]
+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.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##div[data-attrid="kc:/local:promotions"]
+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.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##div[data-crl="true"][data-id^="CarouselPLA-"]
+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.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##div[data-is-ad="1"]
+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.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##div[data-is-promoted-hotel-ad="true"]
+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.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##div[data-section-type="ads"]
+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.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##div[jsdata*="CarouselPLA-"][data-id^="CarouselPLA-"]
+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.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##div[jsdata*="SinglePLA-"][data-id^="SinglePLA-"]
+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.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##html[itemtype="http://schema.org/SearchResultsPage"] #cnt div[class$="sh-sr__bau"]
+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.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##html[itemtype="http://schema.org/SearchResultsPage"] #cnt div[class$="sh-sr__tau"][style]
+testpages.adblockplus.org###abptest
+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##a[href^="https://www.awin1.com/cread.php"]
+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.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##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)
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##.IZSg-mod-banner
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##.ev1_-results-list > div > div > div > div.G-5c[role="tab"][tabindex="0"] > .yuAt-pres-rounded
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##.ev1_-results-list > div > div > div > div[data-resultid$="-sponsored"]
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##.nqHv-pres-three:has(div.nqHv-logo-ad-wrapper)
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##.resultsList > div > div > div > div.G-5c[role="tab"][tabindex="0"] > .yuAt-pres-rounded
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##.resultsList > div > div > div > div[data-resultid$="-sponsored"]
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##.yPOz-adInner
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##div.Dp1L[role=tab]
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##div.PzK0-pres-default
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##div.YTRJ[role="button"][tabindex="0"] > .yuAt-pres-rounded
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##div[class$="-adInner"]
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##div[data-resultid]:has(a.IZSg-adlink)
+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|MIT UNTERSTÜTZUNG VON|IN COLLABORAZIONE CON|EN PARTENARIAT AVEC|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,maxi.ca,newfoundlandgrocerystores.ca,nofrills.ca,provigo.ca,realcanadiansuperstore.ca,valumart.ca,yourindependentgrocer.ca,zehrs.ca#?#.chakra-linkbox:-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)
+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)
+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)
+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)
+beaumontenterprise.com,ctpost.com,houstonchronicle.com,greenwichtime.com,theintelligencer.com,theintelligencer.com,lmtonline.com,myjournalcourier.com,michigansthumb.com,middletownpress.com,ourmidland.com,nhregister.com,mrt.com,sfchronicle.com,stamfordadvocate.com,manisteenews.com,expressnews.com,registercitizen.com,myplainview.com,manisteenews.com#?#.b-gray300:-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)
+quora.com#?#.q-sticky:-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)
+rawstory.com#?#.body-description > div:-abp-contains(ADVERTISEMENT)
+regex101.com#?#div > header + div > div + div:-abp-contains(Sponsors)
+sainsburys.co.uk#?#.pd-merchandising-product:has([data-testid="citrus-label"]:-abp-contains(Sponsored))
+sainsburys.co.uk#?#.pt-grid-item:has([data-testid="citrus-label"]:-abp-contains(Sponsored))
+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)))
+shipt.com#?#li[class$="eBAnBw"]:-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)
+wayfair.com,wayfair.co.uk#?#div[data-hb-id="Grid.Item"]:-abp-has(div.FeaturedProductFlag:-abp-contains(Sponsored))
+walmart.*#?#div > div[io-id]:-abp-contains(Sponsored)
+wayfair.*#?#div[data-hb-id="Grid.Item"]:-abp-has(div.FeaturedProductFlag:-abp-contains(Sponsored))
+virtuagirlgirls.com###DynamicBackgroundWrapper
+porndr.com###PD-Under-player
+deviants.com###_iframe_content
+swfchan.com###aaaa
+xnxx.com,xvideos.com###ad-footer
+javgg.net###adlink
+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
+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
+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
+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
+69gfs.com###footer .thumbs
+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
+69gfs.com,allureamateurs.net,sexmummy.com###topbar
+ohentai.org###topdetailad
+motherless.com###topsites
+pussycatxx.com,zhentube.com###tracking-url
+creampietubeporn.com,fullxxxtube.com,xxxxsextube.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
+drtuber.com###video_list_banner
+dofap.com###video_overlay_banner
+hentaiplay.net###video_overlays
+redtube.com###video_right_col > .clearfix
+thisav.com###vjs-banner-container
+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.party,coomer.su,kemono.party,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,love4porn.com,marawaresearch.com,mobilepornmovies.com,mypornstarbook.net,pichunter.com,thisav.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,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
+fapnfuck.com,onlyppv.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##.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
+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
+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,pornofilmes.com,pornstory.net,sexclips.pro##.boxzilla-container
+barscaffolding.co.uk,capitalregionusa.xyz,dcraddock.uk,eegirls.com,javbebe.com,pornofilmes.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
+fetishshrine.com##.container-side
+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##.happy-player-beside
+sexseeimage.com##.happy-player-under
+sexseeimage.com,thisav.me##.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
+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
+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.com,missav.ws,missav123.com,missav789.com,myav.com##.lg\:block
+missav.ai,missav.com,missav.ws,missav123.com,missav789.com,myav.com##.lg\:hidden
+xxxvogue.net##.link-adv
+escortnews.eu,topescort.com##.link-buttons-container
+fapnfuck.com##.link-offer
+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
+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
+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##.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,hoes.tube,love4porn.com##.sponsorbig
+fux.com,pornerbros.com,porntube.com,tubedupe.com##.sponsored
+hoes.tube##.sponsorsmall
+3movs.com,3movs.xxx,bravotube.net,camvideos.tv,cluset.com,deviants.com,dixyporn.com,fapnfuck.com,hello.porn,javcab.com,katestube.com,pornicom.com,sleazyneasy.com,videocelebs.net,vikiporn.com,vjav.com##.spot
+pornicom.com##.spot-after
+faptube.xyz,hqpornstream.com,magicaltube.com##.spot-block
+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
+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]
+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/"]
+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;"]
+missav.ai,missav.com,missav.ws,missav123.com,missav789.com,myav.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"]
+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.com,missav.ws,missav123.com,missav789.com,myav.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/"]
+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/"]
+xhaccess.com,xhamster.com,xhamster.desi,xhamster2.com,xhamster3.com,xhamster42.desi##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/"]
+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\]"]
+xhaccess.com,xhamster.com,xhamster.desi,xhamster2.com,xhamster3.com,xhamster42.desi##div[class*="promoMessageBanner-"]
+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.com,missav.ws,missav123.com,missav789.com,myav.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,sports.sexy##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]
+cam4.*##div[class^="SponsoredAds_"]
+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;"])
+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)
+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)
+reddxxx.com#?#.items-center:-abp-contains(/^ad$/)
+reddxxx.com#?#[role="gridcell"]:-abp-contains(/^AD$/)
+@@||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=zeebiz.com
+@@||ads.pubmatic.com/AdServer/js/pwtSync/$script,subdocument,domain=dnaindia.com|independent.co.uk|wionews.com
+@@||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|redbox.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
+@@||autotrader.co.uk^*/advert$~third-party
+@@||avclub.com^*/adManager.$script,~third-party
+@@||bankofamerica.com^*?adx=$~third-party,xmlhttprequest
+@@||banmancounselling.com/wp-content/themes/banman/
+@@||banner.yt^$image,domain=socialblade.com
+@@||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=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
+@@||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
+@@||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
+@@||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
+@@||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
+@@://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
+@@||cbs.com^$generichide
+@@||cdpn.io^$generichide
+@@||cloud.google.com^$generichide
+@@||codepen.io^$generichide
+@@||codesandbox.io^$generichide
+@@||contacts.google.com^$generichide
+@@||curiositystream.com^$generichide
+@@||deezer.com^$generichide
+@@||discord.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
+@@||max.com^$generichide
+@@||meet.google.com^$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
+@@||openai.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
+@@||tidal.com^$generichide
+@@||tiktok.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
+@@||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
+@@||fingerprintjs.com^$generichide
+@@||schemeflood.com^$generichide
+@@||succeedscene.com^$script
+@@||akinator.mobi.cdn.ezoic.net^$domain=akinator.mobi
+@@||banner.customer.kyruus.com^$domain=doctors.bannerhealth.com
+@@||hwcdn.net^$script,domain=mp4upload.com
+@@||ezsoftwarestorage.com^$image,media,domain=ezfunnels.com
+@@||ads.memo2.nl/banners/$subdocument
+@@||oauth.vk.com/authorize?
+@@||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
+@@||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
+@@||bing.com/search?$generichide
+@@||duckduckgo.com/?q=$generichide
+@@||www.google.*/search?$generichide
+@@||yandex.com/search/?$generichide
+@@/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
+@@||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
+@@||tab.gladly.io/newtab/|$document,subdocument
+@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=247sports.com|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|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|lemino.docomo.ne.jp|locipo.jp|maharashtratimes.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|sportsbull.jp|sportsport.ba|success-games.net|synk-casualgames.com|tbs.co.jp|tdn.com|truvid.com|tubitv.com|tunein.com|tv-asahi.co.jp|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
+@@||googleads.g.doubleclick.net/ads/preferences/$domain=googleads.g.doubleclick.net
+@@||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|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/$domain=history.com
+@@||imasdk.googleapis.com/js/core/bridge*.html$subdocument
+@@||imasdk.googleapis.com/pal/sdkloader/pal.js$domain=pluto.tv|tunein.com
+@@||imasdk.googleapis.com/js/sdkloader/ima3_debug.js$domain=abcnews.go.com|brightcove.net|cbsnews.com|insideedition.com|pch.com
+@@||pubads.g.doubleclick.net/ssai/
+@@||pagead2.googlesyndication.com/tag/js/gpt.js$script,domain=wunderground.com
+@@||g.doubleclick.net/tag/js/gpt.js$script,xmlhttprequest,domain=accuweather.com|adamtheautomator.com|bestiefy.com|blastingnews.com|bloomberg.com|chromatographyonline.com|devclass.com|digitaltrends.com|edy.rakuten.co.jp|epaper.timesgroup.com|euronews.com|filmweb.pl|formularywatch.com|games.coolgames.com|gearpatrol.com|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
+@@||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_$domain=accuweather.com|blastingnews.com|bloomberg.com|chelseafc.com|chromatographyonline.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/$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|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$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|real-sports.jp|slideplayer.com|sudokugame.org|tampermonkey.net|teemo.gg|thefreedictionary.com
+@@||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_$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$domain=bloomberg.com|independent.co.uk|repretel.com|telsu.fi|weather.com
+@@/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/uwt.js$domain=factory.pixiv.net
+@@||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
+@@||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
+@@||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
+@@||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
+@@||gemini.yahoo.com/advertiser/$domain=gemini.yahoo.com
+@@||yimg.com/av/gemini-ui/*/advertiser/$domain=gemini.yahoo.com
+@@||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
+@@^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.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
+@@/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
+@@||gaybeeg.info^$generichide
+@@||milfzr.com^$generichide
+@@||pornbraze.com^$generichide
+@@||rule34hentai.net^$generichide
+@@||urlgalleries.net^$generichide
+@@||xfreehd.com^$generichide
\ No newline at end of file
diff --git a/packages/adblocker_manager/assets/easylist.txt b/packages/adblocker_manager/assets/easylist.txt
new file mode 100644
index 0000000..8af710d
--- /dev/null
+++ b/packages/adblocker_manager/assets/easylist.txt
@@ -0,0 +1,63746 @@
+[Adblock Plus 2.0]
+! Version: 202412140223
+! Title: EasyList
+! Last modified: 14 Dec 2024 02:23 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-300x600-
+-ad-458x80.
+-ad-bottom-
+-ad-manager/$~stylesheet
+-ad-right.
+-ad-sidebar.
+-ad-unit.
+-ad-util.
+-ad.jpg.pagespeed.
+-ads-banner.
+-ads-bottom.
+-ads-manager/$domain=~wordpress.org
+-ads/assets/$script,domain=~web-ads.org
+-assets/ads.$~script
+-auto-ads-
+-banner-ad_
+-banner-ads-$~script
+-contrib-ads.$~stylesheet
+-display-ads.
+-footerads.
+-housead-
+-page-ad.
+-page-peel/
+-PcmModule-Taboola-
+-peel-ads-
+-popexit.
+-popunder.
+-publicidad.
+-right-ad.
+-sidebar-ad.
+-sponsor-ad.
+-sticky-ad-
+-top-ads.
+-web-advert-
+-Web-Advert.
+.adriver.$~object,domain=~adriver.co
+.adrotate.
+.ads-lazy.
+.ads-min.
+.ads.controller.
+.ads.css
+.ads.darla.
+.adsbox.
+.adserver.
+.advert.$domain=~advert.ae|~advert.ge|~advert.io|~advert.ly|~advert.media|~advert.org.pl
+.ar/ads/
+.ashx?AdID=
+.aspx?adid=
+.az/adv/
+.br/ads/
+.bz/ads/
+.ca/ads/
+.cfm?ad=
+.cgi?ad=
+.ch/adv/
+.click/cuid/?
+.click/rf/
+.clkads.
+.club/js/popunder.js
+.cn/sc/*?n=$script,third-party
+.com/*=bT1zdXY1JnI9
+.com/4/js/$third-party
+.com/a?pagetype
+.com/ad/$~image,third-party,domain=~mediaplex.com|~warpwire.com|~wsj.com
+.com/ads?
+.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/ss/ad/
+.com/watch.*.js?key=
+.cz/adv/
+.cz/affil/
+.cz/bannery/
+.fuse-cloud.com/
+.html?clicktag=
+.info/tsv
+.jp/ads/$third-party,domain=~hs-exp.jp
+.lazyload-ad-
+.lazyload-ad.
+.lol/js/pub.min.js$third-party
+.lol/sw.js$third-party
+.mx/ads/
+.my/ads/
+.nativeads.
+.net/ad2/$~xmlhttprequest
+.net/ads?
+.ng/ads/
+.nu/ads/
+.org/ad/$domain=~ylilauta.org
+.org/ads/
+.org/pops.js
+.org/script/compatibility.js$third-party
+.ph/ads/
+.php?ad=
+.php?adsid=
+.php?adv=
+.php?clicktag=
+.php?zone_id=$~xmlhttprequest
+.php?zoneid=
+.pk/ads/
+.popunder.js
+.pw/ads/
+.ru/ads/
+.shop/gd/
+.shop/tsk/$third-party
+.top/cuid/?
+.top/gd/*?md=
+/?abt_opts=1&
+/?fp=*&poru=$subdocument
+/?view=ad
+/_xa/ads?
+/_xa/ads_batch?
+/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-third-party?
+/ad.cgi?
+/ad.css?$stylesheet
+/ad.html?
+/ad.min.js$script
+/ad/a.aspx?
+/ad/ad_common.js$script
+/ad/dfp/*$script
+/ad/err?
+/ad/getban?
+/ad/image/*$image
+/ad/images/*$image,domain=~studiocalling.it
+/ad/img/*$image,domain=~eki-net.com|~jiji.com
+/ad/imp?
+/ad/load_ad?
+/ad300.jpg$image
+/ad300.png$image
+/ad728.png$image
+/ad?count=
+/ad?pos_
+/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_break?
+/ad_campaign?
+/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
+/adcall?
+/adcgi?
+/adchoice.png$image
+/adcommon?
+/adconfig.js$script
+/adcount.js$script
+/addyn|*;adtech;
+/addyn|*|adtech;
+/adengine.js$script
+/adfox/loader.js$script
+/adfshow?
+/adfx.loader.bind.js$script
+/adhandler/*$~subdocument
+/adiframe|*|adtech;
+/adimage.$image,script,stylesheet
+/adimages.$script
+/adj.php?
+/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?
+/ads.jplayer.$stylesheet
+/ads.pl?
+/ads/!rotator/*
+/ads/300.$subdocument
+/ads/acctid=
+/ads/banners/*$image
+/ads/cbr.js$script
+/ads/custom_ads.js$script
+/ads/footer.$~xmlhttprequest
+/ads/ga-audiences?
+/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/outbrain?
+/ads/rectangle_$subdocument
+/ads/revgen.$script
+/ads/serve?
+/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_
+/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
+/adserver?
+/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|
+/adunits/bcid?
+/adutil.js$script
+/adv-banner-$image
+/adv-scroll-sidebar.js$script
+/adv-scroll.$script
+/adv-socialbar-scroll.js$script
+/adv.css?
+/adv_out.js$third-party
+/adv_vert.js$script
+/AdvAdsV3/*$script,stylesheet
+/advanced-ads-$script,stylesheet,domain=~transinfo.pl|~wordpress.org
+/advbanner/*$~image
+/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
+/advert?
+/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
+/affad?
+/affbanners/*$image
+/affiliate/ad/*$image
+/affiliate/ads/*$image
+/affiliate/banner/*$image
+/affiliate/banners/*$image
+/affiliateads/*$image
+/affiliates/banner$image
+/afr.php?
+/afx_prid/*$script
+/ajaxAd?
+/ajs.php?
+/ajs?zoneid=
+/amazon-ad-link-$stylesheet
+/amazon-associates-link-$~stylesheet
+/amp-ad-$script
+/amp-connatix-$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/ads?
+/api/users?token=$subdocument,third-party
+/apopwin.js$script
+/apstag.js$script
+/apu.php?
+/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?
+/ban728x90.$image
+/banman/ad.aspx$image
+/banner-ad.$~script
+/banner-ads-rotator/*$script,stylesheet
+/banner-ads/*$image,domain=~1agosto.com
+/banner-affiliate-$image
+/banner.asp?$third-party
+/banner.cgi?
+/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
+/bannerad3.js$script
+/bannerads/*$~xmlhttprequest,domain=~coldwellbankerhomes.com
+/banners.*/piclist?
+/banners.cgi?
+/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
+/callAdserver?
+/cgi-bin/ad/*$~xmlhttprequest
+/click/zone?
+/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
+/combo?darla/*
+/common/ad.js$script
+/common/ads?
+/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
+/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
+/displayad?
+/dmcads_$script
+/doubleclick.min$script
+/drsup-admanager-ajax.js$script
+/dynamicad?
+/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
+/external_ad?
+/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.$~script
+/footer_ad.js$script
+/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
+/getad?
+/getads?
+/getAdsysCode?
+/GetAdvertisingLeft?
+/globals_ps_afc.js$script
+/google-adsense.js$script
+/google_adsense-$script
+/google_caf.js?
+/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_
+/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?
+/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.openxtag.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
+/lazyload.ads?
+/left_ads.js$script
+/leftad.js$script
+/leftad.png$image
+/legion-advertising-atlasastro/*$script
+/li.blogtrottr.com/imp?
+/link?z=$subdocument
+/livejasmin.$~xmlhttprequest,domain=~livejasmin.com
+/log_ad?
+/mads.php?
+/maven/am.js$script
+/mbads?
+/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=
+/Nuggad?
+/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
+/page/bouncy.php?
+/pagead/1p-user-list/*$image
+/pagead/conversion.js$script
+/pagead/lvz?
+/pageear.js$script
+/pageear/*$script
+/pagepeel.$~xmlhttprequest
+/pagepeelpro.js?$script
+/partnerads/js/*$script
+/partneradwidget.$subdocument
+/partnerbanner.$~xmlhttprequest,domain=~toltech.cn
+/partners/ads/*$image
+/pcad.js?
+/peel.php?
+/peel_ads.js$script
+/peelads/*$script
+/pfe/current/*$third-party
+/phpads/*$script
+/phpadsnew/*$image,script
+/phpbb_ads/*$~xmlhttprequest
+/pix/ads/*$image
+/pixel/puclc?
+/pixel/pure$third-party
+/pixel/purs?
+/pixel/purst?
+/pixel/sbe?
+/player/ads/*$~xmlhttprequest
+/plg_adbutlerads/*$script,stylesheet
+/plugin/ad/*$script
+/plugins/ad-invalid-click-protector/*$script
+/plugins/adrotate-pro/*$script
+/plugins/adrotate/*$script
+/plugins/ads/*$~xmlhttprequest
+/plugins/adsanity-$script,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
+/plugins/wp-moreads/*$~stylesheet
+/plugins/wp125/*$~stylesheet
+/pop_8/pop_8_$script
+/popin-min.js$script
+/popunder1.js$script
+/popunder1000.js$script
+/popunder2.js$script
+/popunder?
+/popup-domination/*$~stylesheet
+/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
+/proxyadcall?
+/public/ad/*$image
+/public/ads/*$image
+/publicidad/*$~xmlhttprequest
+/publicidade.$~xmlhttprequest
+/publicidade/*$~xmlhttprequest
+/publicidades/*$~xmlhttprequest
+/puff_ad?
+/push/p.js?
+/rad_singlepageapp.js$script
+/RdmAdFeed.js$script
+/rdrr/renderer.js$third-party
+/RealMedia/ads/*$~xmlhttprequest
+/redirect/?spot_id=
+/redirect?tid=
+/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?
+/resources/ads/*$~xmlhttprequest
+/responsive/ad_$subdocument
+/responsive_ads.js$script
+/right_ads.$~xmlhttprequest
+/rightad.js$script
+/s.ashx?btag
+/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
+/select_adv?
+/servead/request/*$script,subdocument
+/serveads.php$script
+/servlet/view/*$script
+/set_adcode?
+/sft-prebid.js$script
+/show-ad.js$script
+/show_ad.js$script
+/show_ad?
+/showban.asp?
+/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
+/smartlinks.epl?
+/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
+/sponsoredlinks?
+/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
+/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
+/v3/ads?
+/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.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
+/webadverts/ads.pl?
+/widget-advert?
+/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,stylesheet
+/wp-content/plugins/wp-super-popup/*$~stylesheet
+/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
+/yhs/ads?
+/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
+=half-page-ad&
+?ab=1&zoneid=
+?adspot_$domain=~sponichi.co.jp
+?adunitid=
+?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.
+_ad_300.
+_ad_728_
+_ad_background.
+_ad_banner.
+_ad_bottom.
+_ad_box.
+_ad_choices.
+_ad_header.
+_ad_image_
+_ad_layer_
+_ad_leaderboard.
+_ad_right.
+_ad_side.
+_ad_sidebar_
+_ad_skyscraper.
+_ad_wrapper.
+_adbanner_
+_adbanners.
+_adcall.
+_adchoice.
+_adchoices.
+_adhome.
+_adlabel_
+_adnetwork.
+_adpartner.
+_adplugin.
+_adright.
+_ads.cgi
+_ads.cms?
+_ads.php?
+_ads_reporting.
+_ads_updater-
+_adscommon.
+_adscript.
+_adserve.
+_adserver.
+_adskin.
+_adskin_
+_adtitle.
+_adv_open_x/
+_advertise-$domain=~linkedin.com
+_advertise.
+_advertisment.$~xmlhttprequest
+_affiliate_ad.
+_assets/ads/
+_asyncspc.
+_background_ad.
+_banner_ad.
+_banner_ad_
+_Banner_Ads_
+_bannerad.
+_BannerAd_
+_bannerads_
+_bottom_ads.
+_bottom_ads_
+_commonAD.
+_footer_ad_
+_google_ads.
+_gpt_ads.
+_header_ad.
+_header_ad_
+_headerad.
+_images/ad.$image
+_images/ad_
+_images/ads/
+_layerad.
+_left_ad.
+_panel_ads.
+_partner_ad.
+_popunder_
+_popupunder.
+_pushads.
+_rectangle_ads.
+_reklama_$domain=~youtube.com
+_reporting_ads.
+_rightad.
+_rightad_
+_sidead.
+_sidebar_ad.
+_sidebar_ad_
+_skinad.
+_small_ad.
+_square_ad.
+_sticky_ad.
+_StickyAd.
+_text_ads.
+_textads.
+_top_ad.
+_vertical_ad.
+_web-advert.
+_widget_ad.
+||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?
+! Clickadu servers
+.com/src/ppu/
+/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
+! ezoic
+/greenoaks.gif?
+! (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?
+/detroitchicago/wichita.js$script
+/edmonton.webp$script
+/ezcl.webp?
+/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/abilene.js$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
+-dfp-prebid-
+-prebid/
+.prebid-bundle.
+.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?
+/prebid_$script,third-party
+/prebidlink/*$script
+/tagman/*$domain=~abelssoft.de
+_prebid.js
+!
+&sadbl=1&abtg=$third-party
+&sadbl=1&chu=$third-party
+?zoneid=*&ab=1
+! linkbucks.com script
+/webservices/jsparselinks.aspx?$script
+! domain parking redirection
+/affiliate/referral.asp?site=*&aff_id=
+/bdv_rd2.dbm?enparms
+/jscheck.php?enc=$xmlhttprequest
+! White papers insert
+/sl/assetlisting/?
+! Peel script
+/jquery.peelback.$script
+! Anti-Adblock
+-adblocker-detection/
+-detect-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.gif?
+/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
+_atblockdetector/
+! *** easylist:easylist/easylist_general_block_dimensions.txt ***
+-120-600.
+-120_600_
+-120x600-
+-120x600.
+-120x600_
+-160-600.
+-160x600-
+-160x600.
+-160x600_
+-300-250.
+-300x250-$~xmlhttprequest
+-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.
+/335x205_
+/336x280-
+/336x280.
+/336x280_
+/428x60.
+/460x60.
+/460x80_
+/468-20.
+/468-60-
+/468-60.
+/468-60_
+/468_60.
+/468_60_
+/468_80.
+/468_80/*
+/468x060.
+/468x060_
+/468x150-
+/468x280.
+/468x280_
+/468x60-
+/468x60.$~script
+/468x60/*
+/468x60_
+/468x70-
+/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.
+/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.
+/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
+###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-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
+##.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-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-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
+##.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
+##.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
+##.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
+##.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-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
+##.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
+##.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
+##.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-manager-id]
+##[data-ad-module]
+##[data-ad-name]
+##[data-ad-width]
+##[data-adblockkey]
+##[data-adbridg-ad-class]
+##[data-adshim]
+##[data-advadstrackid]
+##[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-rc-widget"]
+##[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^="div-gpt-ad"]
+##[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://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.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://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[class^="Display_displayAd"]
+##div[class^="kiwi-ad-wrapper"]
+##div[class^="native-ad-"]
+##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^="div-gpt-"]
+##div[id^="ezoic-pub-ad-"]
+##div[id^="google_dfp_"]
+##div[id^="gpt_ad_"]
+##div[id^="lazyad-"]
+##div[id^="optidigital-adslot"]
+##div[id^="pa_sticky_ad_box_middle_"]
+##div[id^="rc-widget-"]
+##div[id^="st"][style^="z-index: 999999999;"]
+##div[id^="sticky_ad_"]
+##div[id^="vuukle-ad-"]
+##div[id^="yandex_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
+! 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
+! 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"]
+! Outbrain
+###around-the-web
+###g-outbrain
+###js-outbrain-module
+###js-outbrain-relateds
+###outbrain
+###outbrain-id
+###outbrain-section
+###outbrain1
+###outbrainWidget
+###outbrain_widget_0
+##.ArticleFooter-outbrain
+##.ArticleOutbrainLocal
+##.OUTBRAIN
+##.Outbrain
+##.article_OutbrainContent
+##.box-outbrain
+##.c2_outbrain
+##.component-outbrain
+##.ob-smartfeed-wrapper
+##.outbrain
+##.outbrain-ads
+##.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
+##.outbrainWidget
+##.outbrain__main
+##.outbrain_container
+##.outbrain_skybox
+##.outbrainbox
+##.sics-component__outbrain
+##.sidebar-outbrain
+##.voc-ob-wrapper
+##.widget_outbrain
+##.widget_outbrain_widget
+! Taboola
+###block-taboolablock
+###js-Taboola-Container-0
+###moduleTaboolaRightRail
+###original_taboola
+###possible_taboola
+###taboola
+###taboola-above-homepage-thumbnails
+###taboola-below-article-thumbnails
+###taboola-below-article-thumbnails-2
+###taboola-below-article-thumbnails-mg
+###taboola-below-disco-board
+###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-main-column-thumbnails
+###taboola-native-right-rail-thumbnails
+###taboola-right-rail
+###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_side
+###taboola_wrapper
+##.divider-taboola
+##.js-taboola
+##.m-article-taboola
+##.mc-column-Taboola
+##.slottaboola
+##.taboola
+##.taboola-banner
+##.taboola-bottom-adunit
+##.taboola-container
+##.taboola-frame
+##.taboola-inbetweener
+##.taboola-like-block
+##.taboola-module
+##.taboola-recommends
+##.taboola-sidebar
+##.taboola-sidebar-container
+##.taboola-skip-wrapper
+##.taboola-thumbnails-container
+##.taboola-vertical
+##.taboola-wrapper
+##.taboolaDiv
+##.taboola_module
+##.taboolaloader
+##.trc-first-recommendation
+##.trc-spotlight-first-recommendation
+##.trc_excludable
+##.trc_spotlight_item
+##[data-taboola-options]
+! 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
+###js-outbrain-ads-module
+###outbrain-wrapper
+###outbrainAdWrapper
+##.OUTBRAIN[data-widget-id^="FMS_REELD_"]
+##.adv_outbrain
+##.js-outbrain-container
+##.mid-outbrain
+##.ob-p.ob-dynamic-rec-container
+##.ob-widget-header
+##.outBrainWrapper
+##.outbrain-ad-slot
+##.outbrain-ad-units
+##.outbrain-bg
+##.outbrain-widget
+##.outbrainAdHeight
+##.outbrainad
+##.promoted-outbrain
+##.responsive-ad-outbrain
+##.single__outbrain
+##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
+###component-taboola-below-article-feed
+###component-taboola-below-article-feed-2
+###component-taboola-below-homepage-feed
+###taboola-ad
+###taboola-adverts
+###taboola-below
+###taboola-below-article-1
+###taboola-below-article-thumbnails
+###taboola-below-article-thumbnails-express
+###taboola-below-article-thumbnails-photo
+###taboola-below-article-thumbnails-v2
+###taboola-below-forum-thumbnails
+###taboola-mid-article-thumbnails
+###taboola-mid-article-thumbnails-ii
+###taboola-mobile-article-thumbnails
+###taboola-placeholder
+###taboola-right-rail
+###taboola-right-rail-express
+###taboola_responsive_wrapper
+##.article-taboola
+##.grid__module-sizer_name_taboola
+##.nya-slot[style]
+##.taboola-above-article
+##.taboola-above-article-thumbnails
+##.taboola-ad
+##.taboola-block
+##.taboola-general
+##.taboola-in-plug-wrap
+##.taboola-item
+##.taboola-widget
+##.taboolaArticle
+##.taboolaHeight
+##.taboola__container
+##.taboola_blk
+##.taboola_body_ad
+##.taboola_container
+##.taboola_lhs
+##.trb_taboola
+##.trc_excludable
+##.trc_rbox
+##.trc_rbox_border_elm
+##.trc_rbox_div
+##.trc_related_container
+##.van_taboola
+##.widget_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
+honkakuha.success-games.net#@##adContainer
+honkakuha.success-games.net#@##adWrapper
+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
+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,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
+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#@#.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
+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
+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)
+||00d84987c0.com^
+||00f8c4bb25.com^
+||012024jhvjhkozekl.space^
+||0127c96640.com^
+||01counter.com^
+||01jud3v55z.com^
+||0265331.com^
+||02ce917efd.com^
+||0342b40dd6.com^
+||03505ed0f4.com^
+||03b5f525af.com^
+||03bdb617ed.com^
+||03eea1b6dd.com^
+||04-f-bmf.com^
+||044da016b3.com^
+||04c8b396bf.com^
+||04e0d8fb0f.com^
+||059e71004b.com^
+||05e11c9f6f.com^
+||0676el9lskux.top^
+||06a21eff24.com^
+||06cffaae87.com^
+||070880.com^
+||0760571ca9.com^
+||07a1624bd7.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^
+||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^
+||19515bia.de^
+||19d7fd2ed2.com^
+||1a65658575.com^
+||1a8f9rq9c.de^
+||1aqi93ml4.de^
+||1b14e0ee42d5e195c9aa1a2f5b42c710.com^
+||1b32caa655.com^
+||1b384556ae.com^
+||1b3tmfcbq.de^
+||1b8873d66e.com^
+||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^
+||1f7eece503.com^
+||1f84e33459.com^
+||1f87527dc9.com^
+||1f98dc1262.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^
+||1uno1xkktau4.com^
+||1web.me^
+||1winpost.com^
+||1wtwaq.xyz^
+||1xlite-016702.top^
+||1xlite-503779.top^
+||1xlite-522762.top^
+||1xzf53lo.xyz^
+||2020mustang.com^
+||2022welcome.com^
+||2024jphatomenesys36.top^
+||2066401308.com^
+||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^
+||22lmsi1t5.de^
+||22media.world^
+||231dasda3dsd.aniyae.com^
+||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^
+||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^
+||2d6g0ag5l.de^
+||2de65ef3dd.com^
+||2e4b7fc71a.com^
+||2e5e4544c4.com^
+||2e754b57ca.com^
+||2e8dgn8n0e0l.com^
+||2ecfa1db15.com^
+||2f1a1a7f62.com^
+||2f2bef3deb.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^
+||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^
+||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^
+||3e6072834f.com^
+||3ead4fd497.com^
+||3edcc83467.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^
+||46243b6252.com^
+||466f89f4d1.com^
+||4690y10pvpq8.com^
+||46bd8e62a2.com^
+||46f4vjo86.com^
+||47c8d48301.com^
+||485f197673.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^
+||4fxjozeu7dwn.shop^
+||4g0b1inr.de^
+||4hfchest5kdnfnut.com^
+||4iazoa.xyz^
+||4kggatl1p7ps.top^
+||4lke.online^
+||4m4ones1q.com^
+||4p74i5b6.de^
+||4rabettraff.com^
+||4wnet.com^
+||4wnetwork.com^
+||50368ce0a6.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^
+||5bf6d94b92.com^
+||5btekl14.de^
+||5c4ccd56c9.com^
+||5cf8606941.com^
+||5e1b8e9d68.com^
+||5e6ef8e03b.com^
+||5ea36e0eb5.com^
+||5ed55e7208.com^
+||5eef1ed9ac.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^
+||665166e5a9.com^
+||66a3413a7e.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^
+||6de72955d8.com^
+||6e391732a2.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^
+||7662ljdeo.com^
+||76f74721ab.com^
+||7757139f7b.com^
+||775cf6f1ae.com^
+||776173f9e6.com^
+||777seo.com^
+||77bd7b02a8.com^
+||7807091956.com^
+||78387c2566.com^
+||7868d5c036.com^
+||78733f9c3c.com^
+||78bk5iji.de^
+||7944bcc817.com^
+||79dc3bce9d.com^
+||79k52baw2qa3.com^
+||79xmz3lmss.com^
+||7a994c3318.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^
+||85fef60641.com^
+||864feb57ruary.com^
+||869cf3d7e4.com^
+||877f80dfaa.com^
+||87bcb027cf.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^
+||92f77b89a1b2df1b539ff2772282e19b.com^
+||937e30a10b.com^
+||938az.xyz^
+||943d6e0643.com^
+||94789b3f8f.com^
+||94ded8b16e.com^
+||95b1e00252.com^
+||95d127d868.com^
+||95ppq87g.de^
+||95urbehxy2dh.top^
+||96424fcd96.com^
+||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^
+||9content.com^
+||9d2cca15e4.com^
+||9d603009eb.com^
+||9dccbda825.com^
+||9dmnv9z0gtoh.com^
+||9e1852531b.com^
+||9eb0538646.com^
+||9eb10b7a3d04a.com^
+||9ee93ebe3a.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^
+||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^
+||a3yqjsrczwwp.com^
+||a48d53647a.com^
+||a4mt150303tl.com^
+||a5b80ef67b.com^
+||a5g.oves.biz^
+||a5game.win^
+||a5jogo.biz^
+||a5jogo.club^
+||a64x.com^
+||a6dc99d1a8.com^
+||a700fb9c8d.com^
+||a717b6d31e.com^
+||a85d43cd02.com^
+||a899228ebf.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^
+||aac585e70c.com^
+||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^
+||abarbollidate.com^
+||abashfireworks.com^
+||abasshowish.guru^
+||abattoirpleatsprinkle.com^
+||abazelfan.com^
+||abberantdiscussion.com^
+||abberantdoggie.com^
+||abberantpawnpalette.com^
+||abbotinexperienced.com^
+||abbotpredicateemma.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^
+||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^
+||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^
+||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^
+||accessiblescopevisitor.com^
+||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^
+||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^
+||acquaintanceexemptspinach.com^
+||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^
+||activatejargon.com^
+||activelysmileintimate.com^
+||activemetering.com^
+||activeoffbracelet.com^
+||activepoststale.com^
+||actpbfa.com^
+||actpx.com^
+||actressdoleful.com^
+||actrkn.com^
+||actuallyfrustration.com^
+||actuallyhierarchyjudgement.com^
+||acuityplatform.com^
+||aculturerpa.info^
+||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^
+||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^
+||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^
+||additionfeud.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^
+||adjournfaintlegalize.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^
+||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^
+||adslvr.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^
+||adthereis.buzz^
+||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^
+||adulterygreetimpostor.com^
+||adultgameexchange.com^
+||adultiq.club^
+||adultlinkexchange.com^
+||adultmoviegroup.com^
+||adultoafiliados.com.br^
+||adultsense.net^
+||adultsense.org^
+||adultsjuniorfling.com^
+||aduptaihafy.net^
+||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^
+||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^
+||aerobiabassing.com^
+||aerodynomach.com^
+||aeroplaneversion.com^
+||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^
+||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^
+||affiliation-france.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^
+||afftrk.online^
+||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^
+||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^
+||againirksomefutile.com^
+||againoutlaw.com^
+||againponderous.com^
+||agajx.com^
+||agalarvitaran.com^
+||agalumineonr.com^
+||agamagcargoan.com^
+||agamantykeon.com^
+||aganicewride.click^
+||agaoctillerya.com^
+||agaomastaran.com^
+||agapi-fwz.com^
+||agaroidapposer.top^
+||agaskrelpr.com^
+||agaswalotchan.com^
+||agatarainpro.com^
+||agaue-vyz.com^
+||agauxietor.com^
+||agavanilliteom.com^
+||agazskanda.shop^
+||agcdn.com^
+||ageaskedfurther.com^
+||agency2.ru^
+||agffrusilj.com^
+||agflkiombagl.com^
+||aggdubnixa.com^
+||aggravatecapeamoral.com^
+||aggregateknowledge.com^
+||aggregationcontagion.com^
+||aggressivedifficulty.com^
+||aggressivefrequentneckquirky.com^
+||aghppuhixd.com^
+||agilaujoa.net^
+||agisdayra.com^
+||agitatechampionship.com^
+||agl001.bid^
+||agl002.online^
+||agl003.com^
+||agle21xe2anfddirite.com^
+||aglocobanners.com^
+||agloogly.com^
+||agmtrk.com^
+||agnrcrpwyyn.com^
+||agonesdeleted.click^
+||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^
+||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^
+||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^
+||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^
+||aivoonsa.xyz^
+||aiwlxmy.com^
+||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^
+||aj2430.online^
+||aj2532.bid^
+||aj2550.bid^
+||aj2555.bid^
+||aj2627.bid^
+||aj3038.bid^
+||ajaiguhubeh.com^
+||ajar-substance.com^
+||ajestigie.com^
+||ajfnee.com^
+||ajgzylr.com^
+||ajillionmax.com^
+||ajjawcxpao.com^
+||ajjkmoyjlrmb.top^
+||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^
+||akjoyjkrwarkr.top^
+||aklaqdzukadh.com^
+||aklmjylwvkjbb.top^
+||aklmjylwvkqqv.top^
+||aklorswikk.com^
+||akmxts.com^
+||akqktwdk.xyz^
+||aksleaj.com^
+||aktwusgwep.com^
+||akutapro.com^
+||akvqulocj.com^
+||al-adtech.com^
+||alackzokor.com^
+||alacranheugh.shop^
+||alacrityimitation.com^
+||alaeshire.com^
+||alagaodealing.com^
+||alanibelen.com^
+||alargeredrubygsw.info^
+||alarmsubjectiveanniversary.com^
+||alas4kanmfa6a4mubte.com^
+||alasvow.com^
+||alban-mro.com^
+||albatawasoga.com^
+||albeitinflame.com^
+||albeittuitionsewing.com^
+||albeitvoiceprick.com^
+||albireo.xyz^
+||albraixentor.com^
+||albumshrugnotoriety.com^
+||alcatza.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^
+||algomanjuly.shop^
+||algothitaon.com^
+||algovid.com^
+||alhennabahuma.com^
+||alhypnoom.com^
+||alia-iso.com^
+||aliadvert.ru^
+||aliasesargueinsensitive.com^
+||aliasfoot.com^
+||alibisprocessessyntax.com^
+||alienateafterward.com^
+||alienateappetite.com^
+||alienatebarnaclemonstrous.com^
+||alienateclergy.com^
+||alienaterepellent.com^
+||alienernod.shop^
+||aliensold.com^
+||alifeupbrast.com^
+||alightbornbell.com^
+||alinerblooped.shop^
+||alingrethertantin.info^
+||aliposite.site^
+||alipromo.com^
+||aliquidalgesic.top^
+||alitems.co^
+||alitems.com^
+||alitems.site^
+||alivebald.com^
+||aliwjo.com^
+||aliyothvoglite.top^
+||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^
+||allyes.com^
+||allyprimroseidol.com^
+||almareepom.com^
+||almasatten.com^
+||almetanga.com^
+||almightyexploitjumpy.com^
+||almightypush.com^
+||almightyroomsimmaculate.com^
+||almnerdelimed.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^
+||alrightlemonredress.com^
+||alsdebaticalfelixsto.org^
+||alsindustrate.info^
+||alsindustratebil.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^
+||aluationiamk.info^
+||alwaysdomain01.online^
+||alwayspainfully.com^
+||alwayswheatconference.com^
+||alwhichhereal.com^
+||alwhichhereallyw.com^
+||alwingulla.com^
+||alxbgo.com^
+||alxsite.com^
+||alysson.de^
+||alzlwkeavrlw.top^
+||am10.ru^
+||am11.ru^
+||am15.net^
+||amala-wav.com^
+||amalakale.com^
+||amalt-sqc.com^
+||amarceusan.com^
+||amarinmandyai.shop^
+||amateurcouplewebcam.com^
+||amattepush.com^
+||amazinelistrun.pro^
+||amazon-adsystem.com^
+||amazon-cornerstone.com^
+||ambaab.com^
+||ambeapres.shop^
+||ambientplatform.vn^
+||ambiguitypalm.com^
+||ambiliarcarwin.com^
+||ambitiousdivorcemummy.com^
+||ambitiousmanufacturerscaffold.com^
+||ambolicrighto.com^
+||ambra.com^
+||ambuizeler.com^
+||ambulianuque.shop^
+||ambushharmlessalmost.com^
+||amcmuhu.com^
+||amelatrina.com^
+||amendableirritatingprotective.com^
+||amendablepartridge.com^
+||amendablesloppypayslips.com^
+||amendsgeneralize.com^
+||amendsrecruitingperson.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^
+||amira-efz.com^
+||amjllwbovlyba.top^
+||amjoltiktor.com^
+||amjsiksirkh.com^
+||amkbpcc.com^
+||amkxihjuvo.com^
+||amlumineona.com^
+||amlyyqjvjvzmm.top^
+||ammankeyan.com^
+||amnew.net^
+||amnioteunteem.click^
+||amnoctowlan.club^
+||amntx1.net^
+||amnwpircuomd.com^
+||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^
+||ampxchange.com^
+||amre.work^
+||amshroomishan.com^
+||amtracking01.com^
+||amtropiusr.com^
+||amulaswhitish.com^
+||amuletcontext.com^
+||amunfezanttor.com^
+||amunlhntxou.com^
+||amused-ground.com^
+||amusementchillyforce.com^
+||amusementrehearseevil.com^
+||amusementstepfatherpretence.com^
+||amvbwleayvabj.top^
+||amyfixesfelicity.com^
+||amzargfaht.com^
+||amzbtuolwp.com^
+||amzrjyzjolwlw.top^
+||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^
+||andappjaxzfo.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^
+||angledunion.top^
+||angletolerate.com^
+||anglezinccompassionate.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^
+||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^
+||annulivill.click^
+||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^
+||antarpamlico.click^
+||antcixn.com^
+||antcxk.com^
+||antecedentbees.com^
+||antecedentbuddyprofitable.com^
+||antennaputyoke.com^
+||antennawritersimilar.com^
+||antentgu.co.in^
+||anteog.com^
+||anthe-vsf.com^
+||anthemportalcommence.com^
+||anthrylshoq.click^
+||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^
+||antoiew.com^
+||antonysurface.com^
+||antpeelpiston.com^
+||antralhokier.shop^
+||antyoubeliketheap.com^
+||anuclsrsnbcmvf.xyz^
+||anurybolded.shop^
+||anwhitepinafore.info^
+||anxiouslyconsistencytearing.com^
+||anxkuzvfim.com^
+||anxomeetqgvvwt.xyz^
+||anybmfgunpu.xyz^
+||anybodyproper.com^
+||anybodysentimentcircumvent.com^
+||anydigresscanyon.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^
+||aortismbutyric.com^
+||ap-srv.net^
+||ap3lorf0il.com^
+||apartemployee.com^
+||apartinept.com^
+||apartsermon.com^
+||apatheticdrawerscolourful.com^
+||apatheticformingalbeit.com^
+||apbieqqb.xyz^
+||apcatcltoph.com^
+||apcpaxwfej.com^
+||apeidol.com^
+||aperushmo.cam^
+||apescausecrag.com^
+||apesdescriptionprojects.com^
+||apglinks.net^
+||api168168.com^
+||apiculirackman.top^
+||apidata.info^
+||apiecelee.com^
+||apistatexperience.com^
+||aplombwealden.shop^
+||apnpr.com^
+||apnttuttej.com^
+||apologiesbackyardbayonet.com^
+||apologiesneedleworkrising.com^
+||apologizingrigorousmorally.com^
+||aporasal.net^
+||aporodiko.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^
+||applianceplatforms.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^
+||approachproperachieve.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^
+||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^
+||arithnavaid.click^
+||arithpouted.com^
+||arkabstoppit.com^
+||arkdcz.com^
+||arkfacialdaybreak.com^
+||arkfreakyinsufficient.com^
+||arkunexpectedtrousers.com^
+||arleavannya.com^
+||armamentsummary.com^
+||armarilltor.com^
+||armedtidying.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^
+||arrayedgaum.top^
+||arraysurvivalcarla.com^
+||arrearsdecember.com^
+||arrearstreatyexamples.com^
+||arrivaltroublesome.com^
+||arrivedcanteen.com^
+||arrivedeuropean.com^
+||arrivingallowspollen.com^
+||arrlnk.com^
+||arrnaught.com^
+||arrowpotsdevice.com^
+||arrqumzr.com^
+||arsfoundhert.info^
+||arshelmeton.com^
+||arshinepointal.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^
+||artistperhapscomfort.com^
+||artlessdeprivationunfriendly.com^
+||artlessdevote.com^
+||artoas301endore.com^
+||artonsbewasand.com^
+||artreconnect.com^
+||artsygas.com^
+||aruyevdqsnd.xyz^
+||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^
+||ashasvsucocesis.com^
+||ashcdn.com^
+||ashhgo.com^
+||ashionismscol.info^
+||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^
+||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^
+||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^
+||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^
+||astivysauran.com^
+||astkyureman.com^
+||astnoivernan.com^
+||astoapsu.com^
+||astoecia.com^
+||astogepian.com^
+||astonishingpenknifeprofessionally.com^
+||astonishlandmassnervy.com^
+||astonishmentfuneral.com^
+||astoundweighadjoining.com^
+||astra9dlya10.com^
+||astrokompas.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^
+||atelegendinflected.com^
+||aterroppop.com^
+||atethebenefitsshe.com^
+||atgallader.com^
+||atgenesecton.com^
+||athalarilouwo.net^
+||athbzeobts.com^
+||atheismperplex.com^
+||atherthishinhe.com^
+||athitmontopon.com^
+||athivopou.com^
+||athletedurable.com^
+||athletethrong.com^
+||athlg.com^
+||athoaphu.xyz^
+||atholicncesispe.info^
+||athostouco.com^
+||athumiaspuing.click^
+||athvicatfx.com^
+||athyimemediates.info^
+||aticalfelixstownrus.info^
+||aticalmaster.org^
+||atinsolutions.com^
+||ationforeathyougla.com^
+||ationpecialukizeiaon.info^
+||ativesathyas.info^
+||atjigglypuffor.com^
+||atjogdfzivre.com^
+||atlhjtmjrj.com^
+||atlxpstsf.com^
+||atmalinks.com^
+||atmetagrossan.com^
+||atmewtwochan.com^
+||atmnjcinews.pro^
+||atmosphericurinebra.com^
+||atmtaoda.com^
+||ato.mx^
+||atodiler.com^
+||atollanaboly.com^
+||atomex.net^
+||atomicarot.com^
+||atonato.de^
+||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^
+||attemptingstray.com^
+||attempttensionfrom.com^
+||attempttipsrye.com^
+||attendedconnectionunique.com^
+||attentioniau.com^
+||attentionsoursmerchant.com^
+||attenuatenovelty.com^
+||attepigom.com^
+||attestationaudience.com^
+||attestationoats.com^
+||attestationovernightinvoluntary.com^
+||attestcribaccording.com^
+||attesthelium.com^
+||atthewon.buzz^
+||atthewonderfu.com^
+||atticepuces.com^
+||atticshepherd.com^
+||attractioninvincibleendurance.com^
+||attractivesurveys.com^
+||attractwarningkeel.com^
+||attrapincha.com^
+||attributedbroadcast.com^
+||attributedconcernedamendable.com^
+||attributedharnesssag.com^
+||attributedminded.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^
+||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^
+||auktshiejifqnk.com^
+||aulingimpora.club^
+||aulrains.com^
+||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^
+||auphoalt.com^
+||aupsugnee.com^
+||auptirair.com^
+||aurirdikseewhoo.net^
+||auroraveil.bid^
+||aurousroseola.com^
+||aursaign.net^
+||aurseerd.com^
+||aurtegeejou.xyz^
+||auscwuhd.com^
+||ausoafab.net^
+||ausomsup.net^
+||auspiceguile.com^
+||auspipe.com^
+||aussadroach.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^
+||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^
+||aviatedrasure.top^
+||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^
+||avvelwamqkawb.top^
+||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^
+||awedlygrecale.top^
+||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^
+||awfulresolvedraised.com^
+||awhauchoa.net^
+||awhausaifoog.com^
+||awheecethe.net^
+||awhoonule.net^
+||awhoupsou.com^
+||awistats.com^
+||awjadlbwiawt.com^
+||awkwardsuperstition.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^
+||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^
+||axeldivision.com^
+||axepallorstraits.com^
+||axill.com^
+||axillovely.com^
+||axjndvucr.com^
+||axkwmsivme.com^
+||axmocklwa.com^
+||axonix.com^
+||axtlqoo.com^
+||axwnmenruo.com^
+||axwwvfugh.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^
+||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^
+||azskvslehl.com^
+||aztecash.com^
+||azulcw7.com^
+||azurousdollar.shop^
+||azxdkucizr.com^
+||azygotesonless.com^
+||b-5-shield.com^
+||b-m.xyz^
+||b014381c95cb.com^
+||b02byun5xc3s.com^
+||b0oie4xjeb4ite.com^
+||b1181fb1.site^
+||b194c1c862.com^
+||b1d51fd3c4.com^
+||b1dd039f40.com^
+||b21be0a0c8.com^
+||b225.org^
+||b3b4e76625.com^
+||b3b526dee6.com^
+||b3mccglf4zqz.shop^
+||b3stcond1tions.com^
+||b3z29k1uxb.com^
+||b41732fb1b.com^
+||b42rracj.com^
+||b50faca981.com^
+||b57dqedu4.com^
+||b58ncoa1c07f.com^
+||b5c28f9b84.com^
+||b5e75c56.com^
+||b616ca211a.com^
+||b65415fde6.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^
+||backetkidlike.com^
+||backfiremountslippery.com^
+||backfirestomachreasoning.com^
+||backgroundcocoaenslave.com^
+||backinghinge.shop^
+||backseatabundantpickpocket.com^
+||backseatmarmaladeconsiderate.com^
+||backseatrunners.com^
+||backssensorunreal.com^
+||backupcelebritygrave.com^
+||baconbedside.com^
+||badeldestarticulate.com^
+||badgeclodvariable.com^
+||badgegirdle.com^
+||badgeimpliedblind.com^
+||badgerchance.com^
+||badjocks.com^
+||badrookrafta.com^
+||badsecs.com^
+||badslopes.com^
+||badspads.com^
+||badtopwitch.work^
+||badujaub.xyz^
+||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^
+||bailoaso.xyz^
+||bailorunwaged.com^
+||bainushe.com^
+||baipahanoop.net^
+||baiphefim.com^
+||bairnsvibrion.top^
+||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^
+||balloteblanch.top^
+||ballotjavgg124.fun^
+||ballroomexhibitionmid.com^
+||ballroomswimmer.com^
+||ballymuguet.shop^
+||balmexhibited.com^
+||baloneyunraked.com^
+||balphyra.com^
+||balundavelures.top^
+||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^
+||baobabsruesome.com^
+||bapdvtk.com^
+||baptrqyesunv.xyz^
+||barbabridgeoverprotective.com^
+||barbecuedilatefinally.com^
+||barbmerchant.com^
+||bardatm.ru^
+||bardicjazzed.com^
+||barecurldiscovering.com^
+||barefootedleisurelypizza.com^
+||barelydresstraitor.com^
+||barelysobby.top^
+||barelytwinkledelegate.com^
+||baresi.xyz^
+||bargainintake.com^
+||bargeagency.com^
+||bargedale.com^
+||bariumlotoses.click^
+||barkanpickee.com^
+||barlo.xyz^
+||barmenosmetic.com^
+||barnabaslinger.com^
+||barnaclecocoonjest.com^
+||barnaclewiped.com^
+||baronsurrenderletter.com^
+||barrackssponge.com^
+||barrenhatrack.com^
+||barrenusers.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^
+||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^
+||bauchleredries.com^
+||bauptone.com^
+||bauptost.net^
+||bauviseph.com^
+||bauwonaujouloo.net^
+||bauzoanu.com^
+||bavxuhaxtqi.com^
+||bawickie.com^
+||bawixi.xyz^
+||bawlerhanoi.website^
+||baxotjdtesah.com^
+||baylnk.com^
+||bayshorline.com^
+||baywednesday.com^
+||bazamodov.ru^
+||bazao.xyz^
+||bazarziega.click^
+||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^
+||bea988787c.com^
+||beachanatomyheroin.com^
+||beakerweedjazz.com^
+||beakexcursion.com^
+||beakobjectcaliber.com^
+||bealafulup.com^
+||beamedshipwreck.com^
+||beanborrowed.com^
+||beanedbounds.shop^
+||bearableforever.com^
+||bearableusagetheft.com^
+||bearagriculture.com^
+||bearbanepant.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^
+||bedinastoned.click^
+||bedirectuklyecon.com^
+||bedodrioer.com^
+||bedodrioon.com^
+||bedrapiona.com^
+||bedsideseller.com^
+||bedvbvb.com^
+||bedwhimpershindig.com^
+||beechverandahvanilla.com^
+||beefcollections.com^
+||beefedsyncom.click^
+||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^
+||beingsjeanssent.com^
+||beitandfalloni.com^
+||bejirachir.com^
+||bejolteonor.com^
+||beklefkiom.com^
+||bekrookodilechan.com^
+||belamicash.com^
+||belatedsafety.pro^
+||belavoplay.com^
+||belengougha.com^
+||belfrycaptured.com^
+||belfrynonfiction.com^
+||belia-glp.com^
+||belickitungchan.com^
+||beliefnormandygarbage.com^
+||believableboy.com^
+||believemefly.com^
+||believeradar.com^
+||believersheet.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^
+||bemsongy.com^
+||benced.com^
+||benchdropscommerce.com^
+||benchsuited.com^
+||bendfrequency.com^
+||bendingroyaltyteeth.com^
+||beneathallowing.com^
+||beneathgirlproceed.com^
+||benefactorstoppedfeedback.com^
+||beneficialviewedallude.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^
+||besidesparties.com^
+||besmeargleor.com^
+||best-girls-around.com^
+||best-offer-for-you.com^
+||best-prize.life^
+||best-seat.pro^
+||best-video-app.com^
+||best-vpn-app.com^
+||bestadbid.com^
+||bestadload.com^
+||bestadsforyou.com^
+||bestaryua.com^
+||bestchainconnection.com^
+||bestcleaner.online^
+||bestclicktitle.com^
+||bestcond1tions.com^
+||bestcontentaccess.top^
+||bestcontentfacility.top^
+||bestcontentfee.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^
+||besteasyclick.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^
+||betriolua.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^
+||bfnsnehjbkewk.com^
+||bfxytxdpnk.com^
+||bg4nxu2u5t.com^
+||bgecvddelzg.com^
+||bgkec.global^
+||bh3.net^
+||bhalukecky.com^
+||bharalhallahs.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^
+||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^
+||bidehunter.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^
+||bigfootpausers.click^
+||biggainsurvey.top^
+||biggerluck.com^
+||biggestgainsurvey.top^
+||bigheartedresentfulailment.com^
+||bigrourg.net^
+||bigstoreminigames.space^
+||bihunekus.com^
+||biirmjnw.icu^
+||bikesmachineryi.com^
+||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^
+||bineukdwithmef.info^
+||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^
+||biroads.com^
+||birqmiowxfh.com^
+||birthday3452.fun^
+||birthdayinhale.com^
+||biserka.xyz^
+||bisesvoteen.com^
+||bisetsoliped.com^
+||bisozkfiv.com^
+||bissailre.com^
+||bissonprevoid.website^
+||bit-ad.com^
+||bitbeat7.com^
+||bitdefender.top^
+||biteneverthelessnan.com^
+||bitesized-commission.pro^
+||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^
+||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^
+||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^
+||bleedingofficecontagion.com^
+||blehcourt.com^
+||blendedbird.com^
+||blessedhurtdismantle.com^
+||blessgravity.com^
+||blesshunt.com^
+||blessinghookup.com^
+||blessingsome.com^
+||blg-1216lb.com^
+||blicatedlitytl.info^
+||blidbqd.com^
+||blindefficiency.pro^
+||blindnessmisty.com^
+||blindnessselfemployedpremature.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^
+||blubbertables.com^
+||bludgeentraps.com^
+||bludwan.com^
+||blue-coffee.pro^
+||blue99703.com^
+||blueberryastronomy.com^
+||bluedawning.com^
+||bluelinknow.com^
+||blueparrot.media^
+||blueswordksh.com^
+||bluffybluffysterility.com^
+||bluishgrunt.com^
+||bluitesqiegbo.xyz^
+||blunderadventurouscompound.com^
+||blurbreimbursetrombone.com^
+||blushbuiltonboard.com^
+||bmcdn1.com^
+||bmcdn2.com^
+||bmcdn3.com^
+||bmcdn4.com^
+||bmcdn5.com^
+||bmcdn6.com^
+||bmetlhawyhnay.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^
+||bocoyoutage.com^
+||bodaichi.xyz^
+||bodccpzqyyy.com^
+||bodelen.com^
+||bodieshomicidal.com^
+||bodilymust.com^
+||bodilypotatoesappear.com^
+||bodilywondering.com^
+||bodlediarch.shop^
+||bodwordsieving.click^
+||bodyignorancefrench.com^
+||bodytasted.com^
+||boffinsoft.com^
+||boffoadsfeeds.com^
+||boffonewelty.com^
+||bofhlzu.com^
+||bogletdent.shop^
+||bogrodius.com^
+||bogus-disk.com^
+||bohkhufmvwim.online^
+||bohowhepsked.com^
+||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^
+||bonad.io^
+||bonafides.club^
+||bondagecoexist.com^
+||bondagetrack.com^
+||bondfondif.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^
+||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^
+||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^
+||borehatchetcarnival.com^
+||boreusorgans.top^
+||borhaj.com^
+||boringbegglanced.com^
+||boringoccasion.pro^
+||bornanguava.click^
+||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^
+||botherlightensideway.com^
+||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^
+||boundaryconcentrateobscene.com^
+||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^
+||bowlingconcise.com^
+||bowlprick.com^
+||bowlpromoteintimacy.com^
+||boxappellation.com^
+||boxernightdilution.com^
+||boxernipplehopes.com^
+||boxerparliamenttulip.com^
+||boxiti.net^
+||boxlikepavers.com^
+||boxofficehelping.com^
+||boxofwhisper.com^
+||boycottcandle.com^
+||boyfriendtrimregistered.com^
+||boyishdetrimental.com^
+||boyughaye.com^
+||boyunakylie.com^
+||boywhowascr.info^
+||bp9l1pi60.pro^
+||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^
+||braggingbehave.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^
+||brenn-wck.com^
+||brewailmentsubstance.com^
+||brewingjoie.com^
+||brewsuper.com^
+||bridedeed.com^
+||brideshieldstaircase.com^
+||bridgearchly.com^
+||bridgetrack.com^
+||brief-tank.pro^
+||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^
+||brinesbests.top^
+||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^
+||brixfdbdfbtp.com^
+||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^
+||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^
+||brulesprivy.com^
+||brunchcreatesenses.com^
+||brunetteattendanceawful.com^
+||bruntstabulae.com^
+||brutishlylifevoicing.com^
+||brygella.com^
+||bryny.xyz^
+||bryond.com^
+||bsantycbjnf.com^
+||bsbrcdna.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^
+||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^
+||builtrussism.top^
+||bujerdaz.com^
+||bukshiunchair.shop^
+||bulbofficial.com^
+||bulbousloth.shop^
+||bulcqmteuc.com^
+||bulginglair.com^
+||bulgingquintet.top^
+||bulkaccompanying.com^
+||bulkagetufas.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^
+||busherdebates.com^
+||bushibousy.click^
+||bushsurprising.com^
+||busilyenterprisingforetaste.com^
+||businessenviron.com^
+||businessessities.com^
+||businesslinenow.com^
+||businessmenmerchandise.com^
+||buskerreshoes.website^
+||bustlefungus.com^
+||bustlemiszone.com^
+||bustling-let.pro^
+||busychopdenounce.com^
+||butcherhashexistence.com^
+||buticiodized.shop^
+||butrathakinrol.com^
+||butterflypronounceditch.com^
+||butterflyunkindpractitioner.com^
+||buttersource.com^
+||buuftxcii.com^
+||buxbaumiaceae.sbs^
+||buxfmookn.com^
+||buyadvupfor24.com^
+||buyeasy.by^
+||buyfrightencheckup.com^
+||buylnk.com^
+||buythetool.co^
+||buyvisblog.com^
+||buzzardcraizey.com^
+||buzzdancing.com^
+||buzzingdiscrepancyheadphone.com^
+||buzzvids-direct.com^
+||bvaklczasp.com^
+||bvmcdn.com^
+||bvmcdn.net^
+||bwalnuzotowvqg.com^
+||bwgmymp.com^
+||bwozo9iqg75l.shop^
+||bwpuoba.com^
+||bwtcilgll.com^
+||bwtpaygvgunxx.com^
+||bwvofgqhmab.com^
+||bxacmsvmxb.com^
+||bxbkh.love^
+||bxjqevhksabqp.com^
+||bxpwfdmmhlgccon.com^
+||bxrtwyavhyb.online^
+||bxsk.site^
+||bxvlyrw.com^
+||byambipoman.com^
+||byaronan.com^
+||bybastiodoner.com^
+||bycarver.com^
+||bycelebian.com^
+||byfoongusor.com^
+||bygliscortor.com^
+||bygoingawning.shop^
+||bygoneskalpas.shop^
+||bygoneudderpension.com^
+||bygsworlowe.info^
+||byhoppipan.com^
+||bynamebosh.com^
+||bynix.xyz^
+||bypassmaestro.com^
+||bytesdictatescoop.com^
+||bytogeticr.com^
+||bywordmiddleagedpowder.com^
+||byyanmaor.com^
+||bzamusfalofn.com^
+||bzniungh.com^
+||bzoodfalqge.online^
+||bzwo2lmwioxa.com^
+||bzydilasq.com^
+||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^
+||cabackoverlax.com^
+||cabbagesemestergeoffrey.com^
+||cabfrrovkqjflc.com^
+||cabhwq.com^
+||cabiaiprude.shop^
+||cabnnr.com^
+||cabombaskopets.life^
+||cachegorilla.com^
+||cachuadirked.top^
+||cacvduyrybba.xyz^
+||cadencedisruptgoat.com^
+||cadlsyndicate.com^
+||cadrctlnk.com^
+||cadsecs.com^
+||cadsimz.com^
+||cadskiz.com^
+||caecadissoul.com^
+||caeli-rns.com^
+||caesarmausoleum.com^
+||cafeteriasobwaiter.com^
+||cagakzcwyr.com^
+||cageinattentiveconfederate.com^
+||cagitfiz.com^
+||caglaikr.net^
+||caglonseeh.com^
+||cagolgzazof.com^
+||cagothie.net^
+||cahxpivu.com^
+||caicuptu.xyz^
+||caigobou.com^
+||cailegra.com^
+||caimovaur.net^
+||cairalei.com^
+||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^
+||calicutaroint.shop^
+||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^
+||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^
+||capetumbledcrag.com^
+||caphaiks.com^
+||caphrizing.com^
+||capitalhasterussian.com^
+||capitalistblotbits.com^
+||capndr.com^
+||capounsou.com^
+||cappens-dreperor.com^
+||capricetheme.com^
+||capricornplay.com^
+||captainad.com^
+||captchafine.live^
+||captivatecustomergentlemen.com^
+||captivatepestilentstormy.com^
+||captivebleed.com^
+||captiveimpossibleimport.com^
+||captivityhandleicicle.com^
+||captorbaryton.com^
+||capturescaldsomewhat.com^
+||capwilyunseen.com^
+||caqhdxnuumhgie.com^
+||caraganaarborescenspendula.com^
+||caravancomplimentenabled.com^
+||caravanfried.com^
+||caravanremarried.com^
+||caravelvirent.com^
+||carbonads.com^
+||carcflma.de^
+||careersadorable.com^
+||careersletbacks.com^
+||carefree-ship.pro^
+||carelesssequel.com^
+||carelesstableinevitably.com^
+||caressleazy.com^
+||careycholate.click^
+||carfulsranquel.com^
+||cargodescent.com^
+||caribedkurukh.com^
+||caricaturechampionshipeye.com^
+||cariousimpatience.com^
+||cariousinevitably.com^
+||carlosappraisal.com^
+||carlossteady.com^
+||carmeleanurous.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^
+||cartinglackers.click^
+||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^
+||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^
+||casualzonoid.click^
+||casumoaffiliates.com^
+||cataloguerepetition.com^
+||catastropheillusive.com^
+||catchymorselguffaw.com^
+||cateringblizzardburn.com^
+||catgride.com^
+||catharskeek.top^
+||cathedralinthei.info^
+||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^
+||cayelychobenl.com^
+||cazaakeake.com^
+||cb3251add6.com^
+||cb61190372.com^
+||cb7f35d82c.com^
+||cba-fed-igh.com^
+||cba6182add.com^
+||cbbd18d467.com^
+||cbd2dd06ba.com^
+||cbdedibles.site^
+||cbfpiqq.com^
+||cbpslot.com^
+||cbyqzt.xy^
+||cc-dt.com^
+||cc72fceb4f.com^
+||ccaa0e51d8.com^
+||ccaahdancza.com^
+||cchdbond.com^
+||ccjzuavqrh.com^
+||ccmiocw.com^
+||ccn08sth.de^
+||ccrkpsu.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^
+||cdojukbtib.com^
+||cdoqjxlnegnhm.com^
+||cdosagebreakfast.com^
+||cdotrvjaiupk.com^
+||cdrvrs.com^
+||cdryuoe.com^
+||cdsbnrs.com^
+||cdtbox.rocks^
+||cdtxegwndfduk.xyz^
+||cdvmgqs-ggh.tech^
+||cdwmpt.com^
+||cdwmtt.com^
+||ceaankluwuov.today^
+||ceasechampagneparade.com^
+||ceasedheave.com^
+||ceaslesswisely.com^
+||cec41c3e84.com^
+||ceebethoatha.com^
+||ceebikoph.com^
+||ceegriwuwoa.net^
+||ceeheesa.com^
+||ceekougy.net^
+||ceemoptu.xyz^
+||ceeqgwt.com^
+||ceethipt.com^
+||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^
+||cellarpassion.com^
+||cellspsoatic.com^
+||celsiusours.com^
+||cematuran.com^
+||cementobject.com^
+||cemeterybattleresigned.com^
+||cemiocw.com^
+||cenaclesuccoth.com^
+||cennter.com^
+||centalkochab.com^
+||centeredfailinghotline.com^
+||centeredmotorcycle.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^
+||cevocoxuhu.com^
+||cexucetum.com^
+||ceznscormatio.com^
+||cf76b8779a.com^
+||cfcloudcdn.com^
+||cfd546b20a.com^
+||cfgr1.com^
+||cfgr5.com^
+||cfgrcr1.com^
+||cfivfadtlr.com^
+||cfrkiqyrtai.xyz^
+||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^
+||challengecircuit.com^
+||challengetoward.com^
+||chambermaidthree.xyz^
+||chambershoist.com^
+||chambersinterdependententirely.com^
+||chambersthanweed.com^
+||chameleostudios.com^
+||champerwatts.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^
+||charsbabiana.com^
+||chartersettlingtense.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^
+||chaursug.xyz^
+||chaussew.net^
+||chautcho.com^
+||chbwe.space^
+||cheap-celebration.pro^
+||cheapenleaving.com^
+||cheatingagricultural.com^
+||cheatinghans.com^
+||cheatingstiffen.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^
+||cheekysleepyreproof.com^
+||cheepurs.xyz^
+||cheeradvise.com^
+||cheerfullyassortment.com^
+||cheerfullybakery.com^
+||cheerfulwaxworks.com^
+||cheeringashtrayherb.com^
+||cheerlessbankingliked.com^
+||cheeroredraw.com^
+||cheerysavouryridge.com^
+||cheerysequelhoax.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^
+||chetchen.net^
+||chetchoa.com^
+||chethgentman.live^
+||chettikmacrli.com^
+||chevalcorsair.click^
+||chewsrompedhemp.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^
+||childhoodtilt.com^
+||childishenough.com^
+||childlessporcupinevaluables.com^
+||childlyfitchee.shop^
+||childrenplacidityconclusion.com^
+||childtruantpaul.com^
+||chiliadv.com^
+||chilicached.com^
+||chimneylouderflank.com^
+||chinacontraryintrepid.com^
+||chinagranddad.com^
+||chinaslauras.com^
+||chioneflake.com^
+||chioursorspolia.com^
+||chipheeshimseg.net^
+||chipleader.com^
+||chipmanksmochus.com^
+||chirppronounceaccompany.com^
+||chirtakautoa.xyz^
+||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^
+||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^
+||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^
+||choto.xyz^
+||choudairtu.net^
+||choufauphik.net^
+||chouftak.net^
+||choughigrool.com^
+||chouksee.xyz^
+||choulsoans.xyz^
+||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^
+||cideparenhem.com^
+||cidrulj.com^
+||ciedpso.com^
+||cifawsoqvawj.com^
+||cigaretteintervals.com^
+||cigarettenotablymaker.com^
+||ciizxsdr.com^
+||ciksolre.net^
+||cilvhypjiv.xyz^
+||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^
+||circuitingratitude.com^
+||circulationnauseagrandeur.com^
+||circumstanceshurdleflatter.com^
+||circumstantialplatoon.com^
+||circusinjunctionarrangement.com^
+||cirrateremord.com^
+||cirtaisteept.net^
+||ciscoesfirring.guru^
+||cisheeng.com^
+||citadelpathstatue.com^
+||citatumpity.com^
+||citizenhid.com^
+||citizenshadowrequires.com^
+||citsoaboanak.net^
+||cityadspix.com^
+||citydsp.com^
+||cityonatallcolumns.com^
+||citysite.net^
+||civadsoo.net^
+||civetformity.com^
+||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^
+||ckgsrzu.com^
+||ckiepxrgriwvbv.xyz^
+||ckitwlmqy-c.today^
+||ckngjplc.com^
+||ckrf1.com^
+||ckwvebqkbl.xyz^
+||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^
+||classiccarefullycredentials.com^
+||classicguarantee.pro^
+||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^
+||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^
+||clinkeasiestopponent.com^
+||clintonchewet.com^
+||clintsflawed.click^
+||clipperroutesevere.com^
+||cliquesteria.net^
+||clixcrafts.com^
+||clixsense.com^
+||clixwells.com^
+||clkepd.com^
+||clknrtrg.pro^
+||clkofafcbk.com^
+||clkrev.com^
+||clksite.com^
+||clkslvmiwadfsx.xyz^
+||clmbtech.com^
+||clnk.me^
+||cloakedpsyche.click^
+||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^
+||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^
+||cmpgns.net^
+||cmpsywu.com^
+||cmrdr.com^
+||cms100.xyz^
+||cmtrkg.com^
+||cn846.com^
+||cndcfvmc.com^
+||cndynza.click^
+||cngcpy.com^
+||cnmnb.online^
+||cnnected.org^
+||cnt.my^
+||cntrealize.com^
+||cntrktaieagnam.com^
+||co5457chu.com^
+||co5n3nerm6arapo7ny.com^
+||coagrohos.com^
+||coalbandmanicure.com^
+||coalitionfits.com^
+||coalkitchen.com^
+||coaphauk.net^
+||coarseauthorization.com^
+||coashoohathaija.net^
+||coastdisinherithousewife.com^
+||coastlineahead.com^
+||coastlinebravediffers.com^
+||coastlinejudgement.com^
+||coateesnature.top^
+||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^
+||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^
+||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^
+||collectloopblown.com^
+||collectorcommander.com^
+||collectrum.com^
+||colleem.com^
+||colliecrotin.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^
+||combineencouragingutmost.com^
+||combinestronger.com^
+||combitly.com^
+||combotag.com^
+||combustibleaccuracy.com^
+||come-get-s0me.com^
+||come-get-s0me.net^
+||comeadvertisewithus.com^
+||comedianthirteenth.com^
+||comedyjav128.fun^
+||comemumu.info^
+||comemunicatet.com^
+||comeplums.com^
+||cometadministration.com^
+||cometothepointaton.info^
+||comettypes.com^
+||comfortable-preparation.pro^
+||comfortablehealheadlight.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^
+||commaspoufed.click^
+||commastick.com^
+||commendhalf.com^
+||commentaryspicedeceived.com^
+||commercefrugal.com^
+||commercialvalue.org^
+||commiseratefiveinvitations.com^
+||commission-junction.com^
+||commissionkings.ag^
+||commissionlounge.com^
+||committeedischarged.com^
+||committeeoutcome.com^
+||commodityallengage.com^
+||commongratificationtimer.com^
+||commongrewadmonishment.com^
+||commonvivacious.com^
+||comparativeexclusion.com^
+||compareddiagram.com^
+||comparedsilas.com^
+||comparepoisonous.com^
+||compareproprietary.com^
+||compassionatebarrowpine.com^
+||compassionaterough.pro^
+||compatriotelephant.com^
+||compazenad.com^
+||compensationdeviseconnote.com^
+||compensationpropulsion.com^
+||compensationstout.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^
+||complicatedincite.com^
+||complicationpillsmathematics.com^
+||complimentarycalibertwo.com^
+||complimentingredientnightfall.com^
+||complimentworth.com^
+||complotdulcify.shop^
+||compositeclauseviscount.com^
+||compositeoverdo.com^
+||compositeprotector.com^
+||compositereconnectadmiral.com^
+||composureenfold.com^
+||comprehendpaying.com^
+||comprehensionaccountsfragile.com^
+||comprehensive3x.fun^
+||comprehensiveunconsciousblast.com^
+||compresssavvydetected.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^
+||concentrationmajesticshoot.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^
+||condolencespicturesquetracks.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^
+||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^
+||conidiapewy.click^
+||conjeller-chikemon.com^
+||connectad.io^
+||connectedchaise.com^
+||connectignite.com^
+||connectingresort.com^
+||connectionsdivide.com^
+||connectionsoathbottles.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^
+||consideringscallion.com^
+||consistedlovedstimulate.com^
+||consistpromised.com^
+||consmo.net^
+||consolationgratitudeunwise.com^
+||consoupow.com^
+||conspiracyore.com^
+||constableleapedrecruit.com^
+||constellation3x.fun^
+||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^
+||contentmentchef.com^
+||contentmentfairnesspesky.com^
+||contentmentwalterbleat.com^
+||contentmentweek.com^
+||contentprotectforce.com^
+||contentproxy10.cz^
+||contentr.net^
+||contentshamper.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^
+||contrivancefrontage.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^
+||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^
+||cooperativechuckledhunter.com^
+||coopsoaglipoul.net^
+||coordinatereopen.com^
+||coosync.com^
+||cootlogix.com^
+||coovouch.com^
+||copacet.com^
+||copalmsagency.com^
+||copeaxe.com^
+||copemorethem.live^
+||copesfirmans.com^
+||copiedglittering.com^
+||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^
+||cornerscheckbookprivilege.com^
+||cornersindecisioncertified.com^
+||cornflowercopier.com^
+||cornflowershallow.com^
+||coronafly.ru^
+||corpsehappen.com^
+||correlationcocktailinevitably.com^
+||correspondaspect.com^
+||corruptsolitaryaudibly.com^
+||corveseiren.com^
+||cosedluteo.com^
+||cosignpresentlyarrangement.com^
+||cosmeticsgenerosity.com^
+||cosmicpartially.com^
+||costaquire.com^
+||costhandbookfolder.com^
+||costivecohorts.top^
+||coststunningconjure.com^
+||costumefilmimport.com^
+||cosysuppressed.com^
+||cotchaug.com^
+||coticoffee.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^
+||countrynot.com^
+||countybananasslogan.com^
+||coupageoutrant.guru^
+||couplestupidity.com^
+||coupsonu.net^
+||coupteew.com^
+||couptoug.net^
+||courageousaway.com^
+||courageousdiedbow.com^
+||courierembedded.com^
+||couriree.xyz^
+||coursebonfire.com^
+||coursebrushedassume.com^
+||coursejavgg124.fun^
+||coursewimplongitude.com^
+||courthousedefective.com^
+||courthouselaterfunctions.com^
+||cousingypsy.com^
+||cousinscostsalready.com^
+||couwainu.xyz^
+||couwhivu.com^
+||couwooji.xyz^
+||coveredbetting.com^
+||coveredsnortedelectronics.com^
+||coveredstress.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^
+||cqrvwq.com^
+||cr-brands.net^
+||cr.adsappier.com^
+||cr00.biz^
+||cr08.biz^
+||cr09.biz^
+||crackbroadcasting.com^
+||crackquarrelsomeslower.com^
+||crackyunfence.com^
+||craftsmangraygrim.com^
+||crafty-math.com^
+||craharice.com^
+||crajeon.com^
+||crakbanner.com^
+||crakedquartin.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^
+||craziesprelaty.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^
+||creatorpassenger.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^
+||cruel-national.pro^
+||cruiserx.net^
+||crumblerefunddiana.com^
+||crumbrationally.com^
+||crumbtypewriterhome.com^
+||crummygoddess.com^
+||crumpedglome.com^
+||crumplylenient.com^
+||crunchslipperyperverse.com^
+||cruorinalgesic.com^
+||crvxhuxcel.com^
+||crxmaotidrf.xyz^
+||cryjun.com^
+||cryonicromero.com^
+||cryorganichash.com^
+||crypto-ads.net^
+||cryptoatom.care^
+||cryptobeneluxbanner.care^
+||cryptomaster.care^
+||cryptomcw.com^
+||cryptonewsdom.care^
+||cryptotyc.care^
+||cs1olr0so31y.shop^
+||cschyogh.com^
+||csdf4dn.pro^
+||csfgbmwsxjgibf.com^
+||cshbglcfcmirnm.xyz^
+||cskcnipgkq.club^
+||csldbxey.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^
+||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^
+||cuhlsl.info^
+||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^
+||cvastico.com^
+||cvgto-akmk.fun^
+||cvvemdvrojgo.com^
+||cvxwaslonejulyha.info^
+||cwoapffh.com^
+||cwqljsecvr.com^
+||cwrxuozprxkii.com^
+||cwuaxtqahvk.com^
+||cxafxdkmusqxsa.xyz^
+||cxeiymnwjyyi.xyz^
+||cxjyibjio.com^
+||cyamidfenbank.life^
+||cyan92010.com^
+||cyanidssurmit.top^
+||cyathosaloesol.top^
+||cyberblitzdown.click^
+||cybertronads.com^
+||cybkit.com^
+||cycledaction.com^
+||cycleworked.com^
+||cyclistforgotten.com^
+||cycndlhot.xyz^
+||cyeqeewyr.com^
+||cygnidspumier.top^
+||cygnus.com^
+||cylnkee.com^
+||cyneburg-yam.com^
+||cynem.xyz^
+||cynismdrivage.top^
+||cynoidfudging.shop^
+||cypfdxbynb.com^
+||cypresslocum.com^
+||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^
+||d1a0c6affa.com^
+||d1f76eb5a4.com^
+||d1x9q8w2e4.xyz^
+||d1ygczx880h5yu.cloudfront.net^
+||d24ak3f2b.top^
+||d26e83b697.com^
+||d27tbpngbwa8i.cloudfront.net^
+||d29gqcij.com^
+||d2e3e68fb3.com^
+||d2kldhyijnaccr.cloudfront.net^
+||d2ship.com^
+||d2xct5bvixoxmj.cloudfront.net^
+||d36f31688a.com^
+||d37914770f.com^
+||d3c.life^
+||d3c.site^
+||d3h2eyuxrf2jr9.cloudfront.net^
+||d3q762vmkbqrah.cloudfront.net^
+||d43849fz.xyz^
+||d44501d9f7.com^
+||d483501b04.com^
+||d52a6b131d.com^
+||d56cfcfcab.com^
+||d592971f36.com^
+||d5chnap6b.com^
+||d5db478dde.com^
+||d6030fe5c6.com^
+||d78eee025b.com^
+||d7c6491da0.com^
+||d7e13aeb98.com^
+||d8c04a25e8.com^
+||d9db994995.com^
+||d9fb2cc166.com^
+||da-ads.com^
+||da066d9560.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^
+||dagheepsoach.net^
+||dagnar.com^
+||dagnurgihjiz.com^
+||dagobasswotter.top^
+||daicagrithi.com^
+||daichoho.com^
+||daicoaky.net^
+||dailyalienate.com^
+||dailyc24.com^
+||dailychronicles2.xyz^
+||dailyvids.space^
+||dainouluph.net^
+||daintydragged.com^
+||daintyinternetcable.com^
+||daiphero.com^
+||dairebougee.com^
+||dairouzy.net^
+||dairyworkjourney.com^
+||daiwheew.com^
+||daizoode.com^
+||dajswiacllfy.com^
+||dakjddjerdrct.online^
+||dakotasboreens.top^
+||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^
+||damaged-fix.pro^
+||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^
+||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^
+||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^
+||dashersbatfish.guru^
+||dashgreen.online^
+||dasperdolus.com^
+||data-data-vac.com^
+||data-px.services^
+||datajsext.com^
+||datanoufou.xyz^
+||datasetazygous.click^
+||datatechdrift.com^
+||datatechone.com^
+||datatechonert.com^
+||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^
+||daughterinlawrib.com^
+||daughtersarbourbarrel.com^
+||daukshewing.com^
+||dauntgolfconfiscate.com^
+||dauntroof.com^
+||dauptoawhi.com^
+||dausoofo.net^
+||dautegoa.xyz^
+||davycrile.com^
+||dawirax.com^
+||dawmal.com^
+||dawncreations.art^
+||dawndadmark.live^
+||dawnfilthscribble.com^
+||dawplm.com^
+||dawtittalky.shop^
+||dawtsboosted.com^
+||daybreakarchitecture.com^
+||dayqy.space^
+||daytimeentreatyalternate.com^
+||dayznews.biz^
+||dazeactionabet.com^
+||dazedarticulate.com^
+||dazedengage.com^
+||dazeoffhandskip.com^
+||dazhantai.com^
+||db20da1532.com^
+||db72c26349.com^
+||dbbsrv.com^
+||dbclix.com^
+||dberthformttete.com^
+||dbfrmggxtivv.com^
+||dbizrrslifc.com^
+||dbnxlpbtoqec.com^
+||dbr9gtaf8.com^
+||dbtbfsf.com^
+||dbvpikc.com^
+||dbwmzcj-r.click^
+||dbycathyhoughs.com^
+||dc-feed.com^
+||dc-rotator.com^
+||dcfnihzg81pa.com^
+||dchxxtrxhsjnr.com^
+||dcjaefrbn.xyz^
+||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^
+||decademical.com^
+||decadenceestate.com^
+||decatyldecane.com^
+||decaysskeery.shop^
+||decaytreacherous.com^
+||decbusi.com^
+||deceittoured.com^
+||deceivedbulbawelessaweless.com^
+||decemberaccordingly.com^
+||decencyjessiebloom.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^
+||dedicationfits.com^
+||dedicationflamecork.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^
+||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^
+||degradeexpedient.com^
+||degreebristlesaved.com^
+||degutu.xyz^
+||dehimalowbowohe.info^
+||deiformnael.click^
+||deitynosebleed.com^
+||dejjjdbifojmi.com^
+||del-del-ete.com^
+||delayedmall.pro^
+||delfsrld.click^
+||delicateomissionarched.com^
+||delicatereliancegodmother.com^
+||delicious-slip.pro^
+||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^
+||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^
+||denounceburialbrow.com^
+||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^
+||dependablestaredpollution.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^
+||depositgreetingscommotion.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^
+||deskfrontfreely.com^
+||deslatiosan.com^
+||despairrim.com^
+||desperateambient.com^
+||despicablereporthusband.com^
+||desponddietist.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^
+||detenteshilluh.click^
+||detentionquasipairs.com^
+||detentsclonks.com^
+||detergenthazardousgranddaughter.com^
+||detergentkindlyrandom.com^
+||determineworse.com^
+||deterrentpainscodliver.com^
+||detestgaspdowny.com^
+||detour.click^
+||deturbcordies.com^
+||devastatedshorthandpleasantly.com^
+||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^
+||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^
+||dfrsxijujwb.com^
+||dfsdkkka.com^
+||dft9.online^
+||dfvlaoi.com^
+||dfyui8r5rs.click^
+||dfyvcihusajf.com^
+||dg7k1tpeaxzcq.cloudfront.net^
+||dgafgadsgkjg.top^
+||dgfywlmyneo.com^
+||dgkmdia.com^
+||dgmaustralia.com^
+||dgnlrpth-a.today^
+||dgpcdn.org^
+||dgptxzz.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^
+||dibsemey.com^
+||dicesstipo.com^
+||diceunacceptable.com^
+||dicheeph.com^
+||dichoabs.net^
+||diclotrans.com^
+||dicouksa.com^
+||dictatepantry.com^
+||dictatormiserablealec.com^
+||dictatorsanguine.com^
+||dictumstortil.com^
+||diedpractitionerplug.com^
+||diedstubbornforge.com^
+||diench.com^
+||dietarydecreewilful.com^
+||dietschoolvirtually.com^
+||differencedisinheritpass.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^
+||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^
+||dilip-xko.com^
+||dilowhang.com^
+||dilruwha.net^
+||dilutegulpedshirt.com^
+||diluterocciput.click^
+||dilutesnoopzap.com^
+||dimedoncywydd.com^
+||dimeearnestness.com^
+||dimeeghoo.com^
+||dimessing-parker.com^
+||dimfarlow.com^
+||dimlmhowvkrag.xyz^
+||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^
+||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^
+||disappointedquickershack.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^
+||displeaseddietstair.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^
+||dissipateetiquetteheavenly.com^
+||dissolvedessential.com^
+||dissolvetimesuspicions.com^
+||distancefilmingamateur.com^
+||distancemedicalchristian.com^
+||distant-handle.pro^
+||distant-session.pro^
+||distantbelly.com^
+||distantsoil.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^
+||divorceseed.com^
+||divvyprorata.com^
+||dizzyporno.com^
+||dizzyshe.pro^
+||dj-updates.com^
+||dj2550.com^
+||djadoc.com^
+||djaqcrjtdzgmep.com^
+||djfiln.com^
+||djghtqdbptjn.com^
+||djmwxpsijxxo.xyz^
+||djosbhwpnfxmx.com^
+||djrsvwtt.com^
+||dkfqrsqg.com^
+||dkrbus.com^
+||dl-rms.com^
+||dle-news.xyz^
+||dlfvgndsdfsn.com^
+||dlski.space^
+||dmavtliwh.global^
+||dmetherearlyinhes.info^
+||dmeukeuktyoue.info^
+||dmhbbivu.top^
+||dmhclkohnrpvg.com^
+||dmiredindeed.com^
+||dmiredindeed.info^
+||dmm-video.online^
+||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^
+||doappcloud.com^
+||doastaib.xyz^
+||doblazikena.com^
+||doblonsurare.shop^
+||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^
+||dogcollarfavourbluff.com^
+||doghasta.com^
+||dogiedimepupae.com^
+||dogolurkr.com^
+||dogprocure.com^
+||dogt.xyz^
+||dogwrite.com^
+||doinntz6jwzoh.cloudfront.net^
+||dokaboka.com^
+||dokondigit.quest^
+||dokseptaufa.com^
+||dolatiaschan.com^
+||dolatiosom.com^
+||dolefulcaller.com^
+||dolefulitaly.com^
+||dolehum.com^
+||dolemeasuringscratched.com^
+||doleyorpinc.website^
+||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^
+||doochoor.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^
+||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^
+||dosagebreakfast.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^
+||dotersstums.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^
+||doupteethaiz.xyz^
+||douthosh.net^
+||douwhawez.com^
+||douwotoal.com^
+||doveexperttactical.com^
+||dovictinian.com^
+||down1oads.com^
+||download-adblock-zen.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^
+||dpmsrv.com^
+||dprivatedquali.org^
+||dprtb.com^
+||dpseympatijgpaw.com^
+||dpstack.com^
+||dptwwmktgta.com^
+||dqdrsgankrum.org^
+||dqeaa.com^
+||dqgmtzo.com^
+||dqjkzrx.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^
+||drawbacksubdue.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^
+||dripgleamborrowing.com^
+||drivercontinentcleave.com^
+||drivewayilluminatedconstitute.com^
+||drivewayperrydrought.com^
+||drivingfoot.website^
+||drizzlefirework.com^
+||drizzlepose.com^
+||drizzlerules.com^
+||drkness.net^
+||dromoicassida.com^
+||dronediscussed.com^
+||dronetmango.com^
+||droopingfur.com^
+||dropdoneraining.com^
+||droppalpateraft.com^
+||droppingforests.com^
+||droppingprofessionmarine.com^
+||dropsclank.com^
+||drownbossy.com^
+||drsmediaexchange.com^
+||drtlgtrnqvnr.xyz^
+||drubbersestia.com^
+||druggedforearm.com^
+||drugstoredemuretake.com^
+||druguniverseinfected.com^
+||drumfailedthy.com^
+||drummerconvention.com^
+||drummercorruptprime.com^
+||drummercrouchdelegate.com^
+||drumskilxoa.click^
+||drunkendecembermediocre.com^
+||drunkindigenouswaitress.com^
+||drust-gnf.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^
+||dswqtkpk.com^
+||dsxwcas.com^
+||dt4ever.com^
+||dt51.net^
+||dtadnetwork.com^
+||dtbfpygjdxuxfbs.xyz^
+||dtheharityhild.info^
+||dthipkts.com^
+||dtmjpefzybt.fun^
+||dtmpub.com^
+||dtmvpkn.com^
+||dtootmvwy.top^
+||dtprofit.com^
+||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^
+||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^
+||durableordinarilyadministrator.com^
+||durantconvey.com^
+||durith.com^
+||dust-0001.delorazahnow.workers.dev^
+||dustersee.com^
+||dustourregraft.top^
+||dustratebilate.com^
+||dustywrenchdesigned.com^
+||dutorterraom.com^
+||dutydynamo.co^
+||dutygoddess.com^
+||dutyhopers.shop^
+||dutythursday.com^
+||duvuerxuiw.com^
+||duwtkigcyxh.com^
+||duzbhonizsk.com^
+||duzeegotimu.net^
+||dvaminusodin.net^
+||dvbwfdwae.com^
+||dvh66m0o7et0z.cloudfront.net^
+||dvkxchzb.com^
+||dvvemmg.com^
+||dvypar.com^
+||dvzkkug.com^
+||dwelledfaunist.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^
+||dyuscbmabg.xyz^
+||dz4ad.com^
+||dzhjmp.com^
+||dzienkudrow.com^
+||dzigzdbqkc.com^
+||dzijggsdx.com^
+||dzkpopetrf.com^
+||dzliege.com^
+||dzsorpf.com^
+||dzubavstal.com^
+||dzuowpapvcu.com^
+||e-cougar.fr^
+||e0ad1f3ca8.com^
+||e0e5bc8f81.com^
+||e19533834e.com^
+||e1d56c0a5f.com^
+||e2bec62b64.com^
+||e2ertt.com^
+||e437040a9a.com^
+||e46271be93.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^
+||eafb9d5abc.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^
+||earthquakehomesinsulation.com^
+||eas696r.xyz^
+||easctmguafe.global^
+||easeavailandpro.info^
+||easegoes.com^
+||easeinternmaterialistic.com^
+||easelegbike.com^
+||easerefrain.com^
+||eashasvsucoc.info^
+||easierroamaccommodation.com^
+||eastergurgle.com^
+||eastfeukufu.info^
+||eastfeukufunde.com^
+||eastrk-dn.com^
+||eastrk-lg.com^
+||eastyewebaried.info^
+||easy-dating.org^
+||easyaccess.mobi^
+||easyad.com^
+||easyads28.mobi^
+||easyads28.pro^
+||easyfag.com^
+||easyflirt-partners.biz^
+||easygoingasperitydisconnect.com^
+||easygoingseducingdinner.com^
+||easygoingtouchybribe.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^
+||ebdokvydrvqvrak.xyz^
+||ebengussaubsooh.net^
+||ebetoni.com^
+||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^
+||ecoastandhei.org^
+||econenectedith.info^
+||economyhave.com^
+||econsistentlyplea.com^
+||ecortb.com^
+||ecoulsou.xyz^
+||ecpms.net^
+||ecrwqu.com^
+||ecstatic-rope.pro^
+||ectsofcukorpor.com^
+||ecusemis.com^
+||ecvjrxlrql.com^
+||ecxgjqjjkpsx.com^
+||eda153603c.com^
+||edaciousedaciousflaxalso.com^
+||edaciousedacioushandkerchiefcol.com^
+||edaciousedaciousindexesbrief.com^
+||edacityedacitycorrespondence.com^
+||edacityedacityhandicraft.com^
+||edacityedacitystrawcrook.com^
+||edaightutaitlastwe.info^
+||edalloverwiththinl.info^
+||edallthroughthe.info^
+||edbehindforhewa.info^
+||edbritingsynt.info^
+||edconsideundence.org^
+||edeensiwaftaih.xyz^
+||ederrassi.com^
+||edgbas.com^
+||edgevertise.com^
+||edgychancymisuse.com^
+||edibleinvite.com^
+||edingrigoguter.com^
+||edioca.com^
+||edirectuklyeco.info^
+||edition25.com^
+||editionoverlookadvocate.com^
+||editneed.com^
+||edixagnesag.net^
+||edlilu.com^
+||ednewsbd.com^
+||edonhisdhi.com^
+||edoumeph.com^
+||edralintheirbrights.com^
+||edrevenuedur.xyz^
+||edstevermotorie.com^
+||edthechildrenandthe.info^
+||edtheparllase.com^
+||edtotigainare.info^
+||edttmar.com^
+||edu-lib.com^
+||edua29146y.com^
+||educatedcoercive.com^
+||educationalapricot.com^
+||educationalroot.com^
+||educationrailway.website^
+||educedsteeped.com^
+||edutechlearners.com^
+||edvfwlacluo.com^
+||edvxygh.com^
+||ee625e4b1d.com^
+||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^
+||eejipukaijy.net^
+||eekeeghoolsy.com^
+||eekreeng.com^
+||eekrogrameety.net^
+||eeksoabo.com^
+||eeleekso.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^
+||eesihighlyrec.xyz^
+||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^
+||egldvmz.com^
+||eglipteepsoo.net^
+||egmfjmhffbarsxd.xyz^
+||egotizeoxgall.com^
+||egpdbp6e.de^
+||egretswamper.com^
+||egrogree.xyz^
+||egrousoawhie.com^
+||egykofo.com^
+||eh0ag0-rtbix.top^
+||ehadmethe.xyz^
+||ehgavvcqj.xyz^
+||ehokeeshex.com^
+||ehpxmsqghx.xyz^
+||ehrmanoda.com^
+||ehrydnmdoe.com^
+||eidoscruster.com^
+||eieuuwdcqx.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^
+||ejiexlvyf.com^
+||ejipaifaurga.com^
+||ejsgxapv.xyz^
+||ejuiashsateam.info^
+||ejuiashsateampl.info^
+||ekb-tv.ru^
+||ekgloczbsblg.com^
+||ekiswtcddpfafm.xyz^
+||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^
+||elepocial.pro^
+||elevatedperimeter.com^
+||elewasgiwiththi.info^
+||elgnnpl-ukgs.global^
+||elhdxexnra.xyz^
+||elicaowl.com^
+||elinikrehoackou.xyz^
+||eliss-vas.com^
+||elitedistasteful.com^
+||elitistcompensationstretched.com^
+||eliwitensirg.net^
+||elizaloosebosom.com^
+||elizathings.com^
+||ellcurvth.com^
+||elliotannouncing.com^
+||ellipticaldatabase.pro^
+||elmonopolicycr.info^
+||eloawiphi.net^
+||elongatedmiddle.com^
+||elonreptiloid.com^
+||elooksjustlikea.info^
+||eloquentvaluation.com^
+||elrecognisefro.com^
+||elsewherebuckle.com^
+||elsewhereopticaldeer.com^
+||elugnoasargo.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^
+||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^
+||enablerubbingjab.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^
+||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^
+||energeticrecognisepostcard.com^
+||energypopulationpractical.com^
+||eneughghaffir.com^
+||eneverals.biz^
+||eneverseen.org^
+||enftvgnkylijcp.xyz^
+||engagedgoat.com^
+||engagedsmuggle.com^
+||engagefurnishedfasten.com^
+||engagementdepressingseem.com^
+||engagementpolicelick.com^
+||engardemuang.top^
+||engdhnfrc.com^
+||enginedriverbathroomfaithfully.com^
+||enginejav182.fun^
+||engineseeker.com^
+||engraftrebite.com^
+||engravetexture.com^
+||enhanceinterestinghasten.com^
+||enhclxug.xyz^
+||enherappedo.cc^
+||enigmahazesalt.com^
+||enjaaiwix.com^
+||enjehdch.xyz^
+||enjoyedsexualpromising.com^
+||enlargementerroronerous.com^
+||enlargementwolf.com^
+||enlightencentury.com^
+||enlnks.com^
+||enmitystudent.com^
+||enodiarahnthedon.com^
+||enoneahbu.com^
+||enoneahbut.org^
+||enormous-society.pro^
+||enormouslynotary.com^
+||enormouslysubsequentlypolitics.com^
+||enormouswar.pro^
+||enot.fyi^
+||enoughglide.com^
+||enoughts.info^
+||enoughturtlecontrol.com^
+||enquirysavagely.com^
+||enrageeyesnoop.com^
+||enraptureshut.com^
+||enrichyummy.com^
+||enseemalbumin.click^
+||enshawlschwas.top^
+||ensignpancreasrun.com^
+||ensinthetertaning.com^
+||ensoattractedby.info^
+||ensosignal.com^
+||enstylegantry.shop^
+||ensuebusinessman.com^
+||ensuecoffled.shop^
+||entaildollar.com^
+||entailgossipwrap.com^
+||entangledivisionbeagle.com^
+||enteredcocktruthful.com^
+||entereddebt.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^
+||entrerscab.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^
+||eparchpainch.click^
+||epaulebeardie.com^
+||epededonemile.com^
+||epektpbbzkbig.com^
+||eperlanhelluo.com^
+||epffwffubmmdokm.com^
+||ephebedori.life^
+||epheefere.net^
+||epicgameads.com^
+||epilinserts.com^
+||epipialbeheira.com^
+||eplndhtrobl.com^
+||epnredirect.ru^
+||epochheelbiography.com^
+||epsaivuz.com^
+||epsashoofil.net^
+||epsauthoup.com^
+||epsuphoa.xyz^
+||eptougry.net^
+||epu.sh^
+||epushclick.com^
+||eputysolomon.com^
+||epylliafending.com^
+||eqads.com^
+||eqdudaj.com^
+||eqhadccx.com^
+||eqrjuxvhvclqxw.xyz^
+||equabilityassortshrubs.com^
+||equabilityspirepretty.com^
+||equanimitymortifyminds.com^
+||equanimitypresentimentelectronics.com^
+||equatorroom.com^
+||equipmentapes.com^
+||equiptmullein.top^
+||equirekeither.xyz^
+||equitydefault.com^
+||er6785sc.click^
+||era67hfo92w.com^
+||erafterabigyellow.info^
+||eramass.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^
+||eringosdye.com^
+||erkteplkjs.com^
+||erm5aranwt7hucs.com^
+||erniphiq.com^
+||ero-advertising.com^
+||erofherlittleboy.com^
+||erosionyonderviolate.com^
+||erosyndc.com^
+||erovation.com^
+||errantstetrole.com^
+||errbandsillumination.com^
+||erringstartdelinquent.com^
+||errolandtessa.com^
+||errorpalpatesake.com^
+||errors.house^
+||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^
+||esathyasesume.info^
+||esauphultough.net^
+||esbeginnyweakel.org^
+||esbqetmmejjtksa.xyz^
+||escalatenetwork.com^
+||escortlist.pro^
+||esculicturbans.com^
+||escy55gxubl6.com^
+||eserinemersion.shop^
+||esescvyjtqoda.xyz^
+||eshkol.io^
+||eshkol.one^
+||eshoohasteeg.com^
+||eshouloo.net^
+||esjvrfq.com^
+||eskilhavena.info^
+||eskimi.com^
+||eslp34af.click^
+||esmyinteuk.info^
+||esmystemgthro.org^
+||esnlynotquiteso.com^
+||esoussatsie.xyz^
+||especiallyspawn.com^
+||espionagegardenerthicket.com^
+||espionageomissionrobe.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^
+||ethbewags.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^
+||etingplansfo.buzz^
+||etiquettegrapesdoleful.com^
+||etm1lv06e6j6.shop^
+||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^
+||eucli-czt.com^
+||eucosiaepeiric.com^
+||eudoxia-myr.com^
+||eudstudio.com^
+||euizhltcd6ih.com^
+||eukova.com^
+||eulal-cnr.com^
+||eulogiafilial.com^
+||eumarkdepot.com^
+||eunow4u.com^
+||eunpprzdlkf.online^
+||euqamqasa.com^
+||europacash.com^
+||europe-discounts.com^
+||europefreeze.com^
+||euros4click.de^
+||eurse.com^
+||euskarawordman.shop^
+||eusvnhgypltw.life^
+||eutonyaxolotl.shop^
+||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^
+||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^
+||exaratepeching.top^
+||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^
+||excretekings.com^
+||excruciationhauledarmed.com^
+||excuseparen.com^
+||excusewalkeramusing.com^
+||exdynsrv.com^
+||executeabattoir.com^
+||executionago.com^
+||executivetumult.com^
+||exemplarif.com^
+||exemplarsensor.com^
+||exemplarychemistry.com^
+||exertionbesiege.com^
+||exgjhawccb.com^
+||exhaleveteranbasketball.com^
+||exhaustfirstlytearing.com^
+||exhauststreak.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^
+||exmrwwt.com^
+||exmvpyq.com^
+||exnesstrack.com^
+||exoads.click^
+||exobafrgdf.com^
+||exoclick.com^
+||exodsp.com^
+||exofrwe.com^
+||exomonyf.com^
+||exoprsdds.com^
+||exosiignvye.xyz^
+||exosrv.com^
+||expdirclk.com^
+||expectationtragicpreview.com^
+||expectedballpaul.com^
+||expelledmotivestall.com^
+||expensedebeak.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^
+||expressmealdelivery.shop^
+||expressproducer.com^
+||exptlgooney.com^
+||expulsionfluffysea.com^
+||exquisitefundlocations.com^
+||exquisiteseptember.com^
+||exrtbsrv.com^
+||exrzo.love^
+||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^
+||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^
+||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^
+||f58x48lpn.com^
+||f59408d48d.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^
+||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^
+||faggapmunost.com^
+||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^
+||faqirsborne.com^
+||faquirrelot.com^
+||faramkaqxoh.com^
+||farceurincurve.com^
+||fardasub.xyz^
+||farewell457.fun^
+||farflungwelcome.pro^
+||fargwyn.com^
+||farmedreicing.shop^
+||farmmandatehaggard.com^
+||farteniuson.com^
+||fartherpensionerassure.com^
+||fartmoda.com^
+||farwine.com^
+||fascespro.com^
+||fascinateddashboard.com^
+||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^
+||fatalityplatinumthing.com^
+||fatalityreel.com^
+||fatchilli.media^
+||fatenoticemayhem.com^
+||fatheemt.com^
+||fathomcleft.com^
+||fatsosjogs.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^
+||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^
+||fccinteractive.com^
+||fckmedate.com^
+||fcwlctdg.com^
+||fd2cd5c351.com^
+||fd39024d2a.com^
+||fd5orie8e.com^
+||fdawdnh.com^
+||fdelphaswcealifornica.com^
+||fdiirjong.com^
+||fe7qygqi2p2h.com^
+||feadbe5b97.com^
+||feadrope.net^
+||feakingormazd.click^
+||fealerector.top^
+||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^
+||feeshoul.xyz^
+||feetdonsub.live^
+||feethach.com^
+||feetheho.com^
+||feevaihudofu.net^
+||feevolaphie.net^
+||fefoasoa.xyz^
+||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^
+||fenacheaverage.com^
+||feneverybodypsychological.com^
+||fenixm.com^
+||fenloxstream.wiki^
+||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^
+||fetinhapinhedt.com^
+||feuageepitoke.com^
+||feudalmalletconsulate.com^
+||feudalplastic.com^
+||feuingcrche.com^
+||fevhviqave.xyz^
+||fewergkit.com^
+||fewerreteach.shop^
+||fexyop.com^
+||ffbvhlc.com^
+||fffbd1538e.com^
+||ffofcetgurwrd.com^
+||ffsewzk.com^
+||fftgasxe.xyz^
+||fgbeduins.top^
+||fgbnnholonge.info^
+||fgbthrsxnlo.xyz^
+||fgdxwpht.com^
+||fgeivosgjk.com^
+||fgigrmle.xyz^
+||fgk-jheepn.site^
+||fgoqnva.com^
+||fgpmxwbxnpww.xyz^
+||fgzydoqqoly.com^
+||fh259by01r25.com^
+||fhahujwafaf.com^
+||fharfyqacn.com^
+||fhcdbufjnjcev.com^
+||fhdwtku.com^
+||fhepiqajsdap.com^
+||fhgh9sd.com^
+||fhisladyloveh.xyz^
+||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^
+||ficinhubcap.com^
+||fickle-brush.com^
+||fickleclinic.com^
+||ficklepilotcountless.com^
+||fictionauspice.com^
+||fictionfittinglad.com^
+||ficusoid.xyz^
+||fidar.site^
+||fiddleweaselloom.com^
+||fidelity-media.com^
+||fidelitybarge.com^
+||fieldofbachus.com^
+||fieldparishskip.com^
+||fieldyatomic.com^
+||fiendpreyencircle.com^
+||fieryinjure.com^
+||fierymint.com^
+||fierysolemncow.com^
+||fieslobwg.com^
+||fifesmahdism.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^
+||filese.me^
+||filetarget.com^
+||filetarget.net^
+||filhibohwowm.com^
+||filibegsicarii.click^
+||fillingcater.com^
+||fillingimpregnable.com^
+||filmesonlinegratis.com^
+||filterexchangecage.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^
+||findanonymous.com^
+||findbetterresults.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^
+||firnebmike.live^
+||first-rate.com^
+||firstlightera.com^
+||firstlyfirstpompey.com^
+||firtaips.com^
+||firtorent-yult-i-274.site^
+||firumuti.xyz^
+||fishermanplacingthrough.com^
+||fishermanslush.com^
+||fishesparkas.shop^
+||fishingtouching.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^
+||fittingcentermonday.com^
+||fittitfucose.com^
+||fivetrafficroads.com^
+||fivulsou.xyz^
+||fiwhibse.com^
+||fixdynamics.info^
+||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^
+||flaffsilver.shop^
+||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^
+||flaw.cloud^
+||flawerosion.com^
+||flaweyesight.com^
+||flaxconfession.com^
+||flaxdescale.com^
+||flaxierfilmset.com^
+||flcrcyj.com^
+||fldes6fq.de^
+||fleaderned.com^
+||fleahat.com^
+||fleckfound.com^
+||fleenaive.com^
+||fleetingretiredsafe.com^
+||fleetingtrustworthydreams.com^
+||flelgwe.site^
+||fleraprt.com^
+||flewroundandro.info^
+||flexcheekadversity.com^
+||flexlinks.com^
+||fleysnonene.click^
+||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^
+||flmfcox.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^
+||flourishingcollaboration.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^
+||fluffynyasquirell.com^
+||fluffytracing.com^
+||fluid-company.pro^
+||fluidallobar.com^
+||fluidintolerablespectacular.com^
+||fluingdulotic.com^
+||flukepopped.com^
+||flungsnibble.com^
+||fluqualificationlarge.com^
+||flurrylimmu.com^
+||flushconventional.com^
+||flushedheartedcollect.com^
+||flushoriginring.com^
+||fluxads.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^
+||fnrrm2fn1njl1.com^
+||fnwsemxgs.com^
+||fnyaynma.com^
+||fnzuymy.com^
+||foaglaid.xyz^
+||foagrucheedauza.net^
+||foakiwhazoja.com^
+||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^
+||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^
+||formationwallet.com^
+||formatresourcefulresolved.com^
+||formatstock.com^
+||formedwrapped.com^
+||formerdrearybiopsy.com^
+||formerlyhorribly.com^
+||formerlyparsleysuccess.com^
+||formidableprovidingdisguised.com^
+||formidablestems.com^
+||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^
+||forworksyconus.com^
+||forwrdnow.com^
+||foryanmachan.com^
+||forzubatr.com^
+||fosiecajeta.com^
+||fossensy.net^
+||fossilconstantly.com^
+||fossilreservoirincorrect.com^
+||fotoompi.com^
+||fotsaulr.net^
+||fouderezaifi.net^
+||foughtdiamond.com^
+||fouguesteenie.com^
+||fouleewu.net^
+||foulfurnished.com^
+||foundationhemispherebossy.com^
+||foundationhorny.com^
+||foupeethaija.com^
+||fourteenthcongratulate.com^
+||foutenaphtho.click^
+||fouwheepoh.com^
+||fouwiphy.net^
+||fovdvoz.com^
+||foxpush.io^
+||fozoothezou.com^
+||fpadserver.com^
+||fpgedsewst.com^
+||fpnpmcdn.net^
+||fpukxcinlf.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^
+||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^
+||freeevpn.info^
+||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^
+||friendshipmale.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^
+||frosty-criticism.pro^
+||frostyonce.com^
+||frothadditions.com^
+||froughyprovine.click^
+||frowzeveronal.com^
+||frowzlynecklet.top^
+||frpa-vpdpwc.icu^
+||frstlead.com^
+||frtya.com^
+||frtyd.com^
+||frtyl.com^
+||frugalrevenge.com^
+||frugalrushcap.com^
+||frugalseck.com^
+||fruitfullocksmith.com^
+||fruitfulthinnersuspicion.com^
+||fruitlesshooraytheirs.com^
+||fruitnotability.com^
+||frustrationtrek.com^
+||frutwafiwah.com^
+||fryawlauk.com^
+||fsalfrwdr.com^
+||fsccafstr.com^
+||fsdhbfi2h4932hriegnd111fdsnfl1l.co.za^
+||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^
+||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^
+||fullvids.online^
+||fullvids.space^
+||fullylustreenjoyed.com^
+||fullypoignantcave.com^
+||fulvenebocca.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^
+||funyarewesbegi.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^
+||fv-bpmnrzkv.vip^
+||fvckeip.com^
+||fvgxfupisy.com^
+||fvmiafwauhy.fun^
+||fvohyywkbc.com^
+||fwbejnuplyuxufm.xyz^
+||fwbntw.com^
+||fwealjdmeptu.com^
+||fwmrm.net^
+||fwqmwyuokcyvom.xyz^
+||fwtrck.com^
+||fxdepo.com^
+||fxjpbpxvfofa.com^
+||fxkxiuyo.com^
+||fxmnba.com^
+||fxpqcygxjib.com^
+||fxrbsadtui.com^
+||fxsvifnkts.com^
+||fyblppngxdt.com^
+||fydapcrujhguy.xyz^
+||fyglovilo.pro^
+||fylkerooecium.click^
+||fynox.xyz^
+||fyresumefo.com^
+||fzamtef.com^
+||fzivunnigra.com^
+||fzmflvwn.tech^
+||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^
+||g2440001011.com^
+||g2546417787.com^
+||g2921554487.com^
+||g2afse.com^
+||g33ktr4ck.com^
+||g33tr4c3r.com^
+||g5rkmcc9f.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^
+||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^
+||gaotwvkuif.com^
+||gapchanging.com^
+||gapersinglesa.com^
+||gapgrewarea.com^
+||gapperlambale.shop^
+||gapsiheecain.net^
+||gaptooju.net^
+||gaqscipubhi.com^
+||gaquxe8.site^
+||garbagereef.com^
+||garbanzos24.fun^
+||gardenbilliontraced.com^
+||gardeningseparatedudley.com^
+||gardoult.com^
+||gargantuan-menu.pro^
+||garlandprotectedashtray.com^
+||garlandshark.com^
+||garlicice.store^
+||garmentfootage.com^
+||garmentsdraught.com^
+||garnishpoints.com^
+||garnishwas.com^
+||garosesia.com^
+||garotas.info^
+||garotedwhiff.top^
+||garrafaoutsins.top^
+||garretassociate.com^
+||garretdistort.com^
+||garrisonparttimemount.com^
+||gartaurdeeworsi.net^
+||gaskinneepour.com^
+||gasolinefax.com^
+||gasolinerent.com^
+||gasorjohvocl.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^
+||gawainshirty.com^
+||gayadpros.com^
+||gaytwddahpave.com^
+||gazati.com^
+||gazeeniggard.top^
+||gazpachos28.fun^
+||gazumpers27.fun^
+||gazumping30.fun^
+||gb1aff.com^
+||gbbdkrkvn.xyz^
+||gbengene.com^
+||gbfys.global^
+||gblcdn.com^
+||gbpkmltxpcsj.xyz
+||gbztputcfgp.com^
+||gcpusibqpnulkg.com^
+||gcvir.xyz^
+||gdasaasnt.com^
+||gdbtlmsihonev.xyz^
+||gdecording.info^
+||gdecordingholo.info^
+||gdktgkjfyvd.xyz^
+||gdlxtjk.com^
+||gdmconvtrck.com^
+||gdmdigital.com^
+||gdmgsecure.com^
+||geargrope.com^
+||gecdwmkee.com^
+||geckad.com^
+||geckibou.com^
+||gecl.xyz^
+||geechaid.xyz^
+||geedoovu.net^
+||geegleshoaph.com^
+||geejetag.com^
+||geejushoaboustu.net^
+||geephenuw.com^
+||geeptaunip.net^
+||geerairu.net^
+||geeseruesome.com^
+||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^
+||genericliards.click^
+||genericlink.com^
+||generosityfrozecosmic.com^
+||generousclickmillennium.com^
+||generousfilming.com^
+||genesismedia.com^
+||geneticesteemreasonable.com^
+||genfpm.com^
+||geniad.net^
+||genialsleptworldwide.com^
+||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^
+||germmasonportfolio.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^
+||getyourbitco.in^
+||getyoursoft.ru^
+||getyourtool.co^
+||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^
+||gglx.me^
+||ggmxtaluohw.com^
+||ggsfq.com^
+||ggwifobvx.com^
+||ggxcoez.com^
+||ggxqzamc.today^
+||ggzkgfe.com^
+||gharryronier.click^
+||ghhleiaqlm.com^
+||ghlyrecomemurg.com^
+||ghnvfncbleiu.xyz^
+||ghostchisel.com^
+||ghostgenie.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^
+||gibevay.ru^
+||gibizosutchoakr.net^
+||giboxdwwevu.com^
+||gibsuncap.shop^
+||gichaisseexy.net^
+||giftedhazelsecond.com^
+||gifturealdol.top^
+||gigabitadex.com^
+||gigacpmserv.com^
+||gigahertz24.fun^
+||giganticlived.com^
+||giggleostentatious.com^
+||gigjjgb.com^
+||gigsmanhowls.top^
+||gihehazfdm.com^
+||gilarditus.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^
+||girlfriendwisely.com^
+||girlsflirthere.life^
+||girlsglowdate.life^
+||girlstretchingsplendid.com^
+||girlwallpaper.pro^
+||girnalnemean.com^
+||girtijoo.com^
+||gishejuy.com^
+||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^
+||gjffrtfkhf.xyz^
+||gjigle.com^
+||gjjvjbe.com^
+||gjonfartyb.com^
+||gjwos.org^
+||gk79a2oup.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^
+||glacierwaist.com^
+||gladsince.com^
+||glaghoowingauck.net^
+||glaickoxaksy.com^
+||glaidalr.net^
+||glaidekeemp.net^
+||glaidipt.net^
+||glaijauk.xyz^
+||glaikrolsoa.com^
+||glaisseexoar.net^
+||glaiwhee.net^
+||glaixich.net^
+||glakaits.net^
+||glamorousmixture.com^
+||glancedforgave.com^
+||glanderdisjoin.com^
+||glandinterest.com^
+||glaringregister.com^
+||glashampouksy.net^
+||glassesoftruth.com^
+||glassmilheart.com^
+||glasssmash.site^
+||glatatsoo.net^
+||glaubuph.com^
+||glaultoa.com^
+||glaurtas.com^
+||glauthew.net^
+||glauxoaw.xyz^
+||glazepalette.com^
+||glaziergagged.shop^
+||glaziertarps.shop^
+||glbtrk.com^
+||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^
+||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^
+||glogoowo.net^
+||glogopse.net^
+||glokta.info^
+||gloltaiz.xyz^
+||glomocon.xyz^
+||glomtipagrou.xyz^
+||glonsophe.com^
+||gloodsie.com^
+||glooftezoad.net^
+||gloogeed.xyz^
+||gloogruk.com^
+||gloohozedoa.xyz^
+||gloomfabricgravy.com^
+||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^
+||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^
+||gluemankikori.click^
+||glugherg.net^
+||glugreez.com^
+||gluilyepacme.shop^
+||glukropi.com^
+||glumtitu.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^
+||gnjaifthgesd.com^
+||gnnnzxuzv.com^
+||gnssivagwelwspe.xyz^
+||gnuppbsxa.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.pushnative.com^
+||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^
+||gobreadthpopcorn.com^
+||gockardajaiheb.net^
+||godacepic.com^
+||godforsakensubordinatewiped.com^
+||godlessabberant.com^
+||godmotherelectricity.com^
+||godpvqnszo.com^
+||godroonrefrig.com^
+||godspeaks.net^
+||goeducklactase.com^
+||goesintakehaunt.com^
+||gofenews.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^
+||golsaiksi.net^
+||gomain.pro^
+||gomain2.pro^
+||gomnlt.com^
+||gomucreu.com^
+||gonairoomsoo.xyz^
+||goneawaytogy.info^
+||goobakocaup.com^
+||goobefirumaupt.net^
+||goocivede.com^
+||good-ads-online.com^
+||goodadvert.ru^
+||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^
+||goourl.me^
+||gophykopta.com^
+||goplayhere.com^
+||goraccodisobey.com^
+||goraps.com^
+||goredi.com^
+||goreoid.com^
+||gorgeousirreparable.com^
+||gorgestartermembership.com^
+||gorgetooth.com^
+||gorilladescendbounds.com^
+||gorillatraffic.xyz^
+||gorillatrk.com^
+||gorillatrking.com^
+||goshbiopsy.com^
+||gositego.live^
+||gosoftwarenow.com^
+||gosrv.cl^
+||gossipcase.com^
+||gossipfinestanalogy.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^
+||gotrackier.com^
+||gouheethsurvey.space^
+||gounodogaptofok.net^
+||gousouse.com^
+||goutee.top^
+||gouthoat.com^
+||govbusi.info^
+||governessmagnituderecoil.com^
+||governessstrengthen.com^
+||governmentwithdraw.com^
+||gowfsubsept.shop^
+||gowkedlinha.shop^
+||gowspow.com^
+||gpcrn.com^
+||gpfaquowxnaum.xyz^
+||gpibcoogfb.com^
+||gpjwludjwldi.com^
+||gplansforourcom.com^
+||gplgqqg.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^
+||grainlyricalamend.com^
+||grainshen.com^
+||grairdou.com^
+||grairgoo.com^
+||grairsoa.com^
+||grairtoorgey.com^
+||graitaulrocm.net^
+||graithos.net^
+||graitsie.com^
+||graivaik.com^
+||graivampouth.net^
+||graizoah.com^
+||graizout.net^
+||gralneurooly.com^
+||grammarselfish.com^
+||gramotherwise.com^
+||granaryvernonunworthy.com^
+||grandchildpuzzled.com^
+||granddadfindsponderous.com^
+||granddaughterrepresentationintroduce.com^
+||grandezza31.fun^
+||grandocasino.com^
+||grandpagrandmotherhumility.com^
+||grandpashortestmislead.com^
+||grandsupple.com^
+||grandwatchesnaive.com^
+||grangilo.net^
+||grannyblowdos.com^
+||granseerdissee.net^
+||grantedorphan.com^
+||grantedpigsunborn.com^
+||grantinsanemerriment.com^
+||graphnitriot.com^
+||grapseex.com^
+||grapselu.com^
+||graptaupsi.net^
+||grartoag.xyz^
+||grashaksoudry.net^
+||grasshusk.com^
+||grasutie.net^
+||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^
+||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^
+||greenfox.ink^
+||greenlinknow.com^
+||greenmortgage.pro^
+||greenplasticdua.com^
+||greenrecru.info^
+||greepseedrobouk.net^
+||greerogloo.net^
+||greeter.me^
+||greetpanda.org^
+||greewaih.xyz^
+||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^
+||greworganizer.com^
+||grewquartersupporting.com^
+||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^
+||grobido.info^
+||grobungairdoul.net^
+||grobuveexeb.net^
+||grocerycookerycontract.com^
+||grocerysurveyingentrails.com^
+||groguzoo.net^
+||groinopposed.com^
+||grojaigrerdugru.xyz^
+||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^
+||grossedoicks.com^
+||grotaich.net^
+||grotchaijoo.net^
+||groujeemoang.xyz^
+||groumaux.net^
+||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^
+||gtfbwneiin.com^
+||gtfpjizpw.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^
+||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^
+||gulfimply.com^
+||gullible-hope.com^
+||gullible-lawyer.pro^
+||gullibleanimated.com^
+||gulpacidize.click^
+||gulsyangtao.guru^
+||gumbolersgthb.com^
+||gumcongest.com^
+||gumlahdeprint.com^
+||gummierhedera.life^
+||gumon.site^
+||gunwaleneedsly.com^
+||gunyehreelers.com^
+||gunzblazingpromo.com^
+||guro2.com^
+||gurynyce.com^
+||gusadrwacg.com^
+||gushfaculty.com^
+||gussame.com^
+||gussbkpr.website^
+||gussiessmutchy.com^
+||gussimsosurvey.space^
+||gustyalumnal.top^
+||gutazngipaf.com^
+||gutobtdagruw.com^
+||gutrnesak.com^
+||gutterscaldlandslide.com^
+||gutwn.info^
+||guvmcalwio.com^
+||guvsxiex.xyz^
+||guvwolr.com^
+||guxdjfuuhey.xyz^
+||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^
+||gxaiqbxjnkqdcm.com^
+||gxdzfyg.com^
+||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^
+||gypufahuyhov.xyz^
+||gyxkmpf.com^
+||gzglmoczfzf.com^
+||gzifhovadhf.com^
+||gzihfaatdohk.com^
+||gzqihxnfhq.com^
+||gzzplxzjzbckkg.com^
+||h-zrhgpygrkj.fun^
+||h0w-t0-watch.net^
+||h12-media.com^
+||h52ek3i.de^
+||h5lwvwj.top^
+||h5r2dzdwqk.com^
+||h74v6kerf.com^
+||h8brccv4zf5h.com^
+||haamumvxavsxwac.xyz^
+||habirimodioli.com^
+||habitualexecute.com^
+||habovethecit.info^
+||habovethecity.info^
+||habsoowhaum.net^
+||habutaeirisate.com^
+||hackeestrict.click^
+||hadfrizzprofitable.com^
+||hadmiredinde.info^
+||hadsans.com^
+||hadsanz.com^
+||hadseaside.com^
+||hadsecz.com^
+||hadsimz.com^
+||hadsokz.com^
+||hadtwobr.info^
+||hadute.xyz^
+||haffnetworkmm.com^
+||hafonmadp.com^
+||hagdenlupulic.top^
+||hagdispleased.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^
+||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^
+||hallucinatepromise.com^
+||halogennetwork.com^
+||halthomosexual.com^
+||haltough.net^
+||haltowe.info^
+||halveimpendinggig.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^
+||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^
+||handymansurrender.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^
+||hapticswasher.com^
+||haqafzlur.com^
+||harassinganticipation.com^
+||harassingindustrioushearing.com^
+||harassmentgrowl.com^
+||harassmenttrolleyculinary.com^
+||hardabbuy.live^
+||hardaque.xyz^
+||harderjuniormisty.com^
+||hardynylon.com^
+||hareeditoriallinked.com^
+||haresmodus.com^
+||hariheadacheasperity.com^
+||harmfulsong.pro^
+||harmless-sample.pro^
+||harmoniousfamiliar.pro^
+||harmvaluesrestriction.com^
+||harnessabreastpilotage.com^
+||harrenmedianetwork.com^
+||harrydough.com^
+||harrymercurydynasty.com^
+||harshlygiraffediscover.com^
+||harshplant.com^
+||hartattenuate.com^
+||harzpzbsr.com^
+||hasdrs.com^
+||hash-hash-tag.com^
+||hashpreside.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^
+||havenetjagong.click^
+||havenwrite.com^
+||havingsreward.com^
+||hawkyeye5ssnd.com^
+||hawsuffer.com^
+||haxbyq.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^
+||hcdmhyq.com^
+||hcpvkcznxj.com^
+||hcvjvmunax.com^
+||hcwatsempabvd.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^
+||hebiichigo.com^
+||hectorfeminine.com^
+||hectorobedient.com^
+||hedgehoghugsyou.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^
+||heftygift.pro^
+||hegazedatthe.info^
+||hegeju.xyz^
+||hehighursoo.com^
+||heiressplane.com^
+||heiressscore.com^
+||heiresstolerance.com^
+||heirloomreasoning.com^
+||heixidor.com^
+||hejqtbnmwze.com^
+||hekowutus.com^
+||heldciviliandeface.com^
+||heleric.com^
+||helesandoral.com^
+||helic3oniusrcharithonia.com^
+||heliumwinebluff.com^
+||hellominimshanging.com^
+||helltraffic.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^
+||hemecoups.click^
+||hemhiveoccasion.com^
+||hemineedunks.com^
+||hemtatch.net^
+||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^
+||herdintwillelitt.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^
+||hexitolsafely.top^
+||hexovythi.pro^
+||heybarnacle.com^
+||heycompassion.com^
+||heycryptic.com^
+||hf5rbejvpwds.com^
+||hfdfyrqj-ws.club^
+||hfeoveukrn.info^
+||hffxc.com^
+||hfiwcuodr.com^
+||hfpuhwqi.xyz^
+||hfufkifmeni.com^
+||hg-bn.com^
+||hgbn.rocks^
+||hghit.com^
+||hgjxjis.com^
+||hgtokjbpw.com^
+||hgub2polye.com^
+||hgx1.online^
+||hgx1.site^
+||hgx1.space^
+||hh33zv49zemn.top^
+||hh9uc8r3.xyz^
+||hhbypdoecp.com^
+||hhiswingsandm.info^
+||hhit.xyz^
+||hhjow.com^
+||hhklc.com^
+||hhkld.com^
+||hhmako.cloud^
+||hhndmpql.com^
+||hhrmmwdep.com^
+||hhuohqramjit.com^
+||hhvbdeewfgpnb.xyz^
+||hhxfpivnaqu.com^
+||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^
+||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^
+||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^
+||hjrvsw.info^
+||hjsvhcyo.com^
+||hjuswoulvp.xyz^
+||hjvvk.com^
+||hjxajf.com^
+||hkaphqknkao.com^
+||hkeibmpspxn.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^
+||hoggershumblie.top^
+||hoggetforfend.com^
+||hoglinsu.com^
+||hogmc.net^
+||hognaivee.com^
+||hohamsie.net^
+||hoickedfoamer.top^
+||hoickpinyons.com^
+||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^
+||hoodoosdonsky.com^
+||hoofedpazend.shop^
+||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^
+||hopbeduhzbm.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^
+||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^
+||hotterenvisage.com^
+||hotwords.com^
+||houdodoo.net^
+||houfopsichoa.com^
+||hougriwhabool.net^
+||houhoumooh.net^
+||houlaijy.com^
+||houndcost.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^
+||howberthchirp.com^
+||howboxmab.site^
+||howdoyou.org^
+||howeloisedignify.com^
+||howeverdipping.com^
+||howhow.cl^
+||howlexhaust.com^
+||howls.cloud^
+||howploymope.com^
+||hoyaga.xyz^
+||hp1mufjhk.com^
+||hpeaxbmuh.com^
+||hpk42r7a.de^
+||hpmstr.com^
+||hppvkbfcuq.com^
+||hpqalsqjr.com^
+||hpyjmp.com^
+||hpyrdr.com^
+||hq3x.com^
+||hqpass.com^
+||hqscene.com^
+||hqsexpro.com^
+||hqwa.xyz^
+||hqxzgqkuzcv.com^
+||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^
+||htkcggbgzinlmh.com^
+||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^
+||hummockpenner.shop^
+||humoralpurline.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^
+||hungryrise.com^
+||hunter-hub.com^
+||hunterlead.com^
+||huntershoemaker.com^
+||hupiru.uno^
+||huqbeiy.com^
+||hurkarubypaths.com^
+||hurlaxiscame.com^
+||hurlcranky.com^
+||hurlingrelist.click^
+||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^
+||hyelgehg.xyz^
+||hyfvlxm.com^
+||hygeistagua.com^
+||hygricurceole.com^
+||hyistkechaukrguke.com^
+||hymenvapour.com^
+||hymnramoon.click^
+||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^
+||ibidemkorari.com^
+||ibikini.cyou^
+||iboobeelt.net^
+||ibrapush.com^
+||ibrelend.com^
+||ibryte.com^
+||ibugreeza.com^
+||ibutheptesitrew.com^
+||icalnormaticalacyc.info^
+||icdirect.com^
+||icelessbogles.com^
+||iceocean.shop^
+||icetechus.com^
+||icfjair.com^
+||ichhereallyw.info^
+||ichimaip.net^
+||iciftiwe.com^
+||icilyassertiveindoors.com^
+||icilytired.com^
+||ickersanthine.com^
+||iclickcdn.com^
+||iclnxqe.com^
+||iconatrocity.com^
+||iconcardinal.com^
+||icpfwlrzqcm.com^
+||icsoqxwevywn.com^
+||icubeswire.co^
+||icycreatmentr.info^
+||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^
+||ifdividemeasuring.com^
+||ifdmuggdky.com^
+||ifdnzact.com^
+||ifefashionismscold.com^
+||ifigent.com^
+||ifjbtjf.com^
+||ifknittedhurtful.com^
+||ifllwfs.com^
+||ifrmebinfatqir.com^
+||ifsjqcqja.xyz^
+||ifulasaweatherc.info^
+||ig0nr8hhhb.com^
+||igainareputaon.info^
+||igaming-warp-service.io^
+||ightsapph.info^
+||iginnis.site^
+||iglegoarous.net^
+||igloohq.com^
+||iglooprin.com^
+||ignals.com^
+||ignobleordinalembargo.com^
+||ignorantmethod.pro^
+||ignorerationalize.com^
+||ignoresphlorol.com^
+||ignorespurana.com^
+||ignoringinconvenience.com^
+||igoamtaimp.com^
+||igoognou.xyz^
+||igouthoatsord.net^
+||igpkppknqeblj.com^
+||igqtdvxb.com^
+||igvhfmubsaqty.xyz^
+||igwatrsthg.site^
+||ihappymuttered.info^
+||ihavelearnat.xyz^
+||ihavenewdomain.xyz^
+||ihdcnwbcmw.com^
+||ihhqwaurke.com^
+||ihimkxbtqjt.com^
+||ihkybtde.com^
+||ihnhnpz.com^
+||ihoolrun.net^
+||ihpsthaixd.com^
+||ihzuephjxb.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^
+||ijunxshou.com^
+||ikahnruntx.com^
+||ikcaru.com^
+||ikengoti.com^
+||ikouthaupi.com^
+||ikspoopfp.com^
+||ikssllnhrb.com^
+||ikunselt.com^
+||ikwzrix.com^
+||ilajaing.com^
+||ilaterdeallyig.info^
+||ilaterdeallyighab.info^
+||ileeckut.com^
+||ilgtauox.com^
+||iliketomakingpics.com^
+||ilkindweandthe.info^
+||illallwoe.com^
+||illegaleaglewhistling.com^
+||illegallyrailroad.com^
+||illegallyshoulder.com^
+||illegalprotected.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^
+||illygeoty.shop^
+||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^
+||imagoluchuan.com^
+||imamictra.com^
+||imasdk.googleapis.com^
+||imathematica.org^
+||imatrk.net^
+||imcdn.pro^
+||imcod.net^
+||imemediates.org^
+||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^
+||immediatebedroom.pro^
+||immenseatrociousrested.com^
+||immenseoriententerprise.com^
+||immersedtoddle.com^
+||immerseweariness.com^
+||immigrantbriefingcalligraphy.com^
+||immigrantpavement.com^
+||immigrationcrayon.com^
+||immigrationspiralprosecution.com^
+||imminentadulthoodpresumptuous.com^
+||immoderatefranzyuri.com^
+||immoderateyielding.com^
+||immortaldeliberatelyfined.com^
+||immoxdzdke.com^
+||imp2aff.com^
+||impact-betegy.com^
+||impactcutleryrecollect.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^
+||impedergusher.shop^
+||impendingboisterousastray.com^
+||impenetrableauthorslimbs.com^
+||imperativetheirs.com^
+||imperialbattervideo.com^
+||imperialtense.com^
+||imperturbableappearance.pro^
+||imperturbableawesome.com^
+||impetremondial.com^
+||implix.com^
+||implycollected.com^
+||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^
+||inadmissibleinsensitive.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^
+||inchexplicitwindfall.com^
+||incidentbunchludicrous.com^
+||inclk.com^
+||incloak.com^
+||incloseoverprotective.com^
+||includemodal.com^
+||includeoutgoingangry.com^
+||incomebreatherpartner.com^
+||incomejumpycurtains.com^
+||incomparable-pair.com^
+||incompatible-singer.pro^
+||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^
+||increasingdeceased.com^
+||increasinglycockroachpolicy.com^
+||incremydeal.sbs^
+||indazollimmers.click^
+||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^
+||induceresistbrotherinlaw.com^
+||inedibleendless.com^
+||ineffectivebrieflyarchitect.com^
+||ineffectivenaive.com^
+||ineptsaw.com^
+||inestimableloiteringextortion.com^
+||inexpedientdatagourmet.com^
+||inexplicablecarelessfairly.com^
+||infamousprescribe.com^
+||infatuated-difference.pro^
+||infectedably.com^
+||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^
+||infonewsz.care^
+||infopicked.com^
+||informalequipment.pro^
+||informationpenetrateconsidering.com^
+||informedderiderollback.com^
+||informereng.com^
+||informeresapp.com^
+||infra.systems^
+||infractructurebiopsycircumstances.com^
+||infractructurelegislation.com^
+||infrashift.com^
+||infuriateseducinghurry.com^
+||ingablorkmetion.com^
+||ingigalitha.com^
+||ingotedbooze.com^
+||ingotheremplo.info^
+||ingraftmaskins.click^
+||ingredientwritten.com^
+||ingsinspiringt.info^
+||inhabitantsherry.com^
+||inhabitkosha.com^
+||inhabitsensationdeadline.com^
+||inhaleecstatic.com^
+||inhanceego.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^
+||injectreunionshorter.com^
+||injuredjazz.com^
+||injuredripplegentleman.com^
+||injuryglidejovial.com^
+||inkblotconusor.com^
+||inkestyle.net^
+||inkfeedmausoleum.com^
+||inkingleran.com^
+||inklikesearce.com^
+||inklinkor.com^
+||inkornesto.com^
+||inkstorulus.top^
+||inkstorylikeness.com^
+||inktad.com^
+||inlandpiereel.com^
+||inlandteiidae.shop^
+||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^
+||insomniacultural.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^
+||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^
+||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^
+||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^
+||investcoma.com^
+||investigationsuperbprone.com^
+||invibravaa.com^
+||invisiblepine.com^
+||inviteepithed.com^
+||invitewingorphan.com^
+||invol.co^
+||involvementvindictive.com^
+||invordones.com^
+||inwardinjustice.com^
+||inwraptsekane.com^
+||ioadserve.com^
+||iociley.com^
+||iodicrebuff.com^
+||iodidcanthi.shop^
+||iodideeyebath.cam^
+||iodinedulylisten.com^
+||ioffers.icu^
+||iogjhbnoypg.com^
+||ioniamcurr.info^
+||ionigravida.com^
+||ioniserpinones.com^
+||ionismscoldn.info^
+||ionistkhaya.website^
+||iononetravoy.com^
+||ionscormationwind.info^
+||ionwindonpetropic.info^
+||iopiopiop.net^
+||ioredi.com^
+||iovia-pmj.com^
+||ioxffew.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^
+||irkilgw.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^
+||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^
+||isiacalcasual.shop^
+||isiu0w9gv.com^
+||islandgeneric.com^
+||islandracistreleased.com^
+||islerobserpent.com^
+||ismlks.com^
+||ismscoldnesfspl.info^
+||isobaresoffit.com^
+||isobelheartburntips.com^
+||isobelincidentally.com^
+||isohits.com^
+||isolatedovercomepasted.com^
+||isolatedransom.com^
+||isolationoranges.com^
+||isparkmedia.com^
+||isreputysolomo.com^
+||isslfsvjmk.com^
+||issomeoneinth.info^
+||issuedindiscreetcounsel.com^
+||istlnkbn.com^
+||istoanaugrub.xyz^
+||istsldaheh.com^
+||iswhatappyouneed.net^
+||iszjwxqpyxjg.com^
+||italianexpecting.com^
+||italianextended.com^
+||italianforesee.com^
+||italianhackwary.com^
+||italianout.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^
+||itnijtcvjb.xyz^
+||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^
+||iutur-ixp.com^
+||iuwzdf.com^
+||iv-akuifxp.love^
+||ivemjdir-g.top^
+||ivesofefinegold.info^
+||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^
+||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^
+||iyqaosd.com^
+||iystrbftlwif.icu^
+||iyyuvkd.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^
+||jamminds.com^
+||jamstech.store^
+||janemmf.com^
+||jangiddywashed.com^
+||jangleachy.com^
+||jangonetwork.com^
+||janitorhalfchronicle.com^
+||janncamps.top^
+||januaryprinter.com^
+||janzmuarcst.com^
+||jaocyqsqjuc.com^
+||japanbros.com^
+||japegr.click^
+||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^
+||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^
+||jawinfallible.com^
+||jawlookingchapter.com^
+||jawpcowpeas.top^
+||jazzlowness.com^
+||jazzyzest.cfd^
+||jb-dqxiin.today^
+||jbbyyryezqqvq.top^
+||jbib-hxyf.icu^
+||jblkvlyurssx.xyz^
+||jbm6c54upkui.com^
+||jbrlsr.com^
+||jbtul.com^
+||jbwiujl.com^
+||jbzmwqmqwowaz.top^
+||jc32arlvqpv8.com^
+||jcedzifarqa.com^
+||jclrwjceymgec.com^
+||jcndkorsj.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^
+||jekzyyowqvzby.top^
+||jelllearnedhungry.com^
+||jellyhelpless.com^
+||jellyprehistoricpersevere.com^
+||jelokeryevbyy.top^
+||jelokeryevrmz.top^
+||jemonews.com^
+||jeniz.xyz^
+||jenkincraved.com^
+||jennyunfit.com^
+||jennyvisits.com^
+||jenonaw.com^
+||jeoawamjbbyeq.top^
+||jeopardizegovernor.com^
+||jeopardycruel.com^
+||jeopardyselfservice.com^
+||jeperdee.net^
+||jerbwqcyrznrm.com^
+||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^
+||jewelbeeperinflection.com^
+||jewelcampaign.com^
+||jewelstastesrecovery.com^
+||jewgn8une.com^
+||jewhouca.net^
+||jewlhtrutgomh.com^
+||jezailmasking.com^
+||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^
+||jicamadoless.com^
+||jiclzori.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^
+||jjcjwtactsgvkj.com^
+||jjcwq.site^
+||jjmrmeovo.world^
+||jjqsdll.com^
+||jjthmis.com^
+||jjtnadbcbovqarv.xyz^
+||jjvpbstg.com^
+||jk4lmrf2.de^
+||jkepmztst.com^
+||jkha742.xyz^
+||jklpy.com^
+||jkls.life^
+||jkyawbabvjeq.top^
+||jkzakzalzorvb.top^
+||jl63v3fp1.com^
+||jlodgings.com^
+||jlovoiqtgarh.com^
+||jmaomkosxfi.com^
+||jmopproojsc.xyz^
+||jmpmedia.club^
+||jmrnews.pro^
+||jmt7mbwce.com^
+||jmtbmqchgpw.xyz^
+||jmvowcvdshft.com^
+||jmxgwesrte.com^
+||jnhjpdayvpzj.com^
+||jnkvojvgcechvq.com^
+||jnlldyq.com^
+||jnnjthg.com^
+||jnrgcwf.com^
+||jnrtavp2x66u.com^
+||jnsgdaqsiqcumg.xyz^
+||jnxm2.com^
+||joaglouwulin.com^
+||joagroamy.com^
+||joajazaicoa.xyz^
+||joamenoofoag.net^
+||joaqaylueycfqw.xyz^
+||joastaca.com^
+||joastoom.xyz^
+||joastoopsu.xyz^
+||joathath.com^
+||joberopolicycr.com^
+||jobfilletfortitude.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^
+||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^
+||jopbvpsglwfm.com^
+||jorbfstarn.com^
+||jorttiuyng.com^
+||josephineravine.com^
+||josfrvq.com^
+||josiehopeless.com^
+||josieunethical.com^
+||jotterswirrah.com^
+||joucaigloa.net^
+||joucefeet.xyz^
+||jouchuthin.com^
+||joudauhee.com^
+||joudotee.com^
+||jouj-equar.one^
+||joukaglie.com^
+||joupheewuci.net^
+||jouteetu.net^
+||jouwaikekaivep.net^
+||jouwhoanepoob.xyz^
+||jouzoapi.com^
+||jovialwoman.com^
+||jowingtykhana.click^
+||jowlishdiviner.com^
+||jowyylrzbamz.top^
+||jowyylrzbqmb.top^
+||joxaviri.com^
+||joycreatorheader.com^
+||joydirtinessremark.com^
+||joyfulassistant.pro^
+||joyfultabloid.top^
+||joyous-concentrate.pro^
+||joyous-housing.pro^
+||joyous-north.pro^
+||joyous-storage.pro^
+||joyousruthwest.com^
+||jpgtrk.com^
+||jpmkbcgx-o.buzz^
+||jpmldwvjqd.xyz^
+||jpmpwwmtw.com^
+||jpooavwizlvf.com^
+||jqgqrsvcaos.xyz^
+||jqjpwocbgtxlkw.com^
+||jqmebwvmbbby.top^
+||jqmebwvmbrvz.top^
+||jqtqoknktzy.space^
+||jqtree.com^
+||jqueryoi.com^
+||jqueryserve.org^
+||jqueryserver.com^
+||jriortnf.com^
+||jrpkizae.com^
+||jrtbjai.com^
+||jrtonirogeayb.com^
+||jrtyi.club^
+||jrzrqi0au.com^
+||js-check.com^
+||js.manga1000.top^
+||js.pushimg.com^
+||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^
+||jswww.net^
+||jubacasziel.shop^
+||jubnaadserve.com^
+||jubsaugn.com^
+||jucysh.com^
+||judgementhavocexcitement.com^
+||judgmentpolitycheerless.com^
+||judicated.com^
+||judicialclinging.com^
+||judosllyn.com^
+||judruwough.com^
+||jueibqbmf.com^
+||juezrgkwvz.com^
+||juftujelsou.net^
+||jugerfowells.com^
+||juglarunioid.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^
+||junkieswudge.com^
+||junkmildredsuffering.com^
+||junmediadirect.com^
+||junmediadirect1.com^
+||jupabwmocgqxeo.com^
+||jurgeeph.net^
+||juricts.xyz^
+||jurisdiction423.fun^
+||jursoateed.com^
+||jursp.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^
+||jyzguserothn.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^
+||kaascypher.com^
+||kabakamarbles.top^
+||kabarnaira.com^
+||kabudckn.com^
+||kacukrunitsoo.net^
+||kadrawheerga.com^
+||kagnaimsoa.net^
+||kagnejule.xyz^
+||kagodiwij.site^
+||kagrooxa.net^
+||kaifiluk.com^
+||kaigaidoujin.com^
+||kaigroaru.com^
+||kaijooth.net^
+||kailsfrot.com^
+||kaipteet.com^
+||kaitakavixen.shop^
+||kaiu-marketing.com^
+||kaizzz.xyz^
+||kakgrtujkjvz.com^
+||kalauxet.com^
+||kaleidoscopeadjacent.com^
+||kaleidoscopefingernaildigging.com^
+||kaleidoscopepincers.com^
+||kalganpuppycensor.com^
+||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^
+||kappalinks.com^
+||kaqhfijxlkbfa.xyz^
+||kaqppajmofte.com^
+||karafutem.com^
+||karaiterather.shop^
+||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^
+||kaushooptawo.net^
+||kauzishy.com^
+||kavanga.ru^
+||kawcuhscyapn.com^
+||kawhopsi.com^
+||kaxjtkvgo.com^
+||kayoesfervor.com^
+||kbadguhvqig.xyz^
+||kbadkxocv.com^
+||kbao7755.de^
+||kbbwgbqmu.xyz^
+||kbjn-sibltg.icu^
+||kbnmnl.com^
+||kbnujcqx.xyz^
+||kbqtuwoxgvth.xyz^
+||kbugxeslbjc8.com^
+||kcdn.xyz^
+||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^
+||kegtopless.click^
+||kehalim.com^
+||keidweneth.com^
+||kekrouwi.xyz^
+||kektds.com^
+||kekw.website^
+||kelekkraits.com^
+||kelopronto.com^
+||kelpiesregna.com^
+||kelreesh.xyz^
+||kelticsully.guru^
+||kemaz.xyz^
+||kendosliny.com^
+||kenduktur.com^
+||kennelbakerybasketball.com^
+||kenomal.com^
+||kensecuryrentat.info^
+||kentorjose.com^
+||kepnatick.com^
+||ker2clk.com^
+||keraclya.com^
+||kergaukr.com^
+||kerriereknit.shop^
+||kerryfluence.com^
+||kertzmann.com^
+||kerumal.com^
+||kesevitamus.com^
+||kesseolluck.com^
+||ketchupethichaze.com^
+||ketgetoexukpr.info^
+||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^
+||kf.japegr.click^
+||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^
+||khazardungeon.shop^
+||khekwufgwbl.com^
+||khhkfcf.com^
+||khngkkcwtlnu.com^
+||kiaughsviner.com^
+||kibyglsp.top^
+||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^
+||kitchencafeso.com^
+||kithoasou.com^
+||kitnmedia.com^
+||kitrigthy.com^
+||kitsveinery.com^
+||kittensuccessful.com^
+||kitwkuouldhukel.xyz^
+||kityour.com^
+||kiweftours.com^
+||kiwhopoardeg.net^
+||kixestalsie.net^
+||kiynew.com^
+||kizxixktimur.com^
+||kjkulnpfdhn.com^
+||kjsckwjvdxju.xyz^
+||kjsvvnzcto.com^
+||kjyouhp.com^
+||kkjrwxs.com^
+||kkjuu.xyz^
+||kkmacsqsbf.info^
+||kkqcnrk.com^
+||kkuabdkharhi.com^
+||kkualfvtaot.com^
+||kkvesjzn.com^
+||klenhosnc.com^
+||klhswcxt-o.icu^
+||klikadvertising.com^
+||kliksaya.com^
+||klipmart.com^
+||kliqz.com^
+||klixfeed.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^
+||knackalida.shop^
+||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^
+||knothubby.com^
+||knottyactive.pro^
+||knowd.com^
+||knowfloor.com^
+||knowledconsideunden.info^
+||knowledgepretend.com^
+||knowmakeshalfmoon.com^
+||knownconsider.com^
+||knownwarn.com^
+||knpfx.life^
+||kntodvofiyjjl.xyz^
+||knubletupgrow.shop^
+||knutenegros.pro^
+||koabapeed.com^
+||koafaimoor.net^
+||koafaupesurvey.space^
+||koahoocom.com^
+||koakoucaisho.com^
+||koalaups.com^
+||koaneeto.xyz^
+||koapsout.com^
+||koapsuha.net^
+||koaptouw.com^
+||koataigalupo.net^
+||koawipheela.xyz^
+||koazowapsib.net^
+||kobeden.com^
+||kocairdo.net^
+||kogutcho.net^
+||koiaripolymny.com^
+||koindut.com^
+||kokotrokot.com^
+||kolerevprivatedqu.com^
+||koleyo.xyz^
+||kolkwi4tzicraamabilis.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^
+||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^
+||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^
+||kurdirsojougly.net^
+||kurjutodbxca.com^
+||kurlipush.com^
+||kuroptip.com^
+||kurrimsaswti.com^
+||kursatarak.com^
+||kusciwaqfkaw.com^
+||kusjyfwishbhtgg.com^
+||kustaucu.com^
+||kutdbbfy.xyz^
+||kuthoost.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^
+||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^
+||kxsvelr.com^
+||kxxdxikksc.space^
+||kymirasite.pro^
+||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^
+||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^
+||landitmounttheworld.com^
+||landmarkfootnotary.com^
+||landscapeuproar.com^
+||landwaycru.com^
+||laneyounger.com^
+||languidintentgained.com^
+||languishnervousroe.com^
+||lanknewcomer.com^
+||lanopoon.net^
+||lansaimplemuke.com^
+||lantchaupbear.shop^
+||lantodomirus.com^
+||lanzonmotlier.click^
+||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^
+||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^
+||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^
+||laureevie.com^
+||laustiboo.com^
+||lavatorydownybasket.com^
+||lavatoryhitschoolmaster.com^
+||lavenderhierarchy.com^
+||lavenderthingsmark.com^
+||lavendertyre.com^
+||lavish-brilliant.pro^
+||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^
+||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^
+||ldmeukeuktyoue.com^
+||ldrendreaming.info^
+||ldthinkhimun.com^
+||lduhtrp.net^
+||leachysubarch.shop^
+||lead1.pl^
+||leadadvert.info^
+||leadbolt.net^
+||leadcola.com^
+||leadenretain.com^
+||leadingindication.pro^
+||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^
+||learningcontainscaterpillar.com^
+||learntinga.com^
+||leasedrowte.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^
+||leepephah.com^
+||leeptoadeesh.net^
+||leesaushoah.net^
+||leetaipt.net^
+||leetdyeing.top^
+||leeteehigloothu.net^
+||leetmedia.com^
+||leewayjazzist.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^
+||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^
+||lewlanderpurgan.com^
+||lexicoggeegaw.website^
+||lf8q.online^
+||lfeaqcozlbki.com^
+||lflcbcb.com^
+||lfstmedia.com^
+||lgepbups.xyz^
+||lgqqhbnvfywo.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^
+||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^
+||lillytrowman.click^
+||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^
+||linkedassassin.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^
+||liqikxqpx.com^
+||liquidfire.mobi^
+||liquorelectric.com^
+||list-ads.com^
+||listbrandnew.com^
+||listenedmusician.com^
+||listerabromous.com^
+||listsbuttock.com^
+||litarnrajol.com^
+||litdeetar.live^
+||literalcorpulent.com^
+||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^
+||livxlilsq.click^
+||lixnirokjqp.com^
+||lizebruisiaculi.info^
+||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^
+||lmp3.org^
+||lnabew.com^
+||lnbdbdo.com^
+||lndonclkds.com^
+||lnhamforma.info^
+||lnhdlukiketg.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^
+||loazuptaice.net^
+||lobbiessurfman.top^
+||lobby-x.eu^
+||lobesforcing.com^
+||loboclick.com^
+||lobsudsauhiw.xyz^
+||local-flirt.com^
+||localedgemedia.com^
+||locallycompare.com^
+||localslutsnearme.com^
+||localsnaughty.com^
+||locatchi.xyz^
+||locatedstructure.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^
+||loftknowing.com^
+||loftsbaacad.com^
+||loftyeliteseparate.com^
+||loghutouft.net^
+||logicconfinement.com^
+||logicdate.com^
+||logicdripping.com^
+||logicorganized.com^
+||logicschort.com^
+||logilyusheen.shop^
+||loginlockssignal.com^
+||loglabitrufly.top^
+||logresempales.shop^
+||logsgroupknew.com^
+||logshort.xyz^
+||logystowtencon.info^
+||loheveeheegh.net^
+||loijtoottuleringv.info^
+||loinpriestinfected.com^
+||loiteringcoaltuesday.com^
+||loivpcn.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^
+||lookoutabjectinterfere.com^
+||looksblazeconfidentiality.com^
+||looksdashboardcome.com^
+||lookshouldthin.com^
+||looktotheright.com^
+||lookwhippedoppressive.com^
+||loolausufouw.com^
+||loolowhy.com^
+||looluchu.com^
+||loomplyer.com^
+||loomscald.com^
+||loomspreadingnamely.com^
+||loooutlet.com^
+||loopanews.com^
+||loopme.me^
+||loopr.co^
+||looscreech.com^
+||loose-chemistry.pro^
+||loose-courage.pro^
+||looseclassroomfairfax.com^
+||loosehandcuff.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^
+||lowlatiasan.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^
+||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^
+||lqtiwevsan.com^
+||lr-in.com^
+||lraonxdikxi.com^
+||lreqmoonpjka.com^
+||lrhomznfev.com^
+||lrkfuheobm.one^
+||lrqknpk.com^
+||lryofjrfogp.com^
+||lsandothesaber.org^
+||lsgpxqe.com^
+||lsgwkbk.com^
+||lsjne.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^
+||ludabmanros.com^
+||ludsaichid.net^
+||ludxivsakalg.com^
+||luggagebuttonlocum.com^
+||luhhcodutax.com^
+||lukeaccesspopped.com^
+||lukeexposure.com^
+||lukpush.com^
+||lulgpmdmbtedzl.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^
+||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^
+||lymphydodged.top^
+||lyncherpelitic.com^
+||lyonthrill.com^
+||lyricalattorneyexplorer.com^
+||lyricaldefy.com^
+||lyricslocusvaried.com^
+||lyricsneighbour.com^
+||lyricspartnerindecent.com^
+||lysim-lre.com^
+||lyssapebble.com^
+||lyticaframeofm.com^
+||lywasnothycanty.info^
+||lyzenoti.pro^
+||lzhsm.xyz^
+||lzjl.com^
+||lzoasvofvzw.com^
+||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^
+||maartenwhitney.shop^
+||mabelasateens.com^
+||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^
+||maddenparrots.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^
+||magmbb.com^
+||magnificent-listen.com^
+||magnificentflametemperature.com^
+||magnificentmanlyyeast.com^
+||magogvel.shop^
+||magr.cloud^
+||magsrv.com^
+||magtgingleagained.org^
+||magukaudsodo.xyz^
+||mahaidroagra.com^
+||maibaume.com^
+||maidinevites.shop^
+||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^
+||maleatetannaic.shop^
+||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^
+||mammaclassesofficer.com^
+||mammalbuy.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^
+||manifefashiona.info^
+||manipulativegraphic.com^
+||manitusbaclava.com^
+||mankssnug.shop^
+||mannerconflict.com^
+||manoeuvrestretchingpeer.com^
+||manoirshrine.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^
+||marazma.com^
+||marbct.xyz^
+||marbil24.co.za^
+||marbleapplicationsblushing.com^
+||marbleborrowedours.com^
+||marchedrevolution.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^
+||marormesole.com^
+||marphezis.com^
+||marrowopener.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^
+||masontotally.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^
+||matsuderat.top^
+||matswhyask.cam^
+||mattockpackall.com^
+||mattressashamed.com^
+||mattressstumpcomplement.com^
+||mauchopt.net^
+||maudau.com^
+||maugoops.xyz^
+||maugrewuthigeb.net^
+||maulupoa.com^
+||mavq.net^
+||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^
+||mbvndisplay.site^
+||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^
+||mcurrentlysea.info^
+||mcvfbvgy.xyz^
+||mcvtblgu.com^
+||mcvwjzj.com^
+||mcxmke.com^
+||mczbf.com^
+||mdadx.com^
+||mddsp.info^
+||mdoirsw.com^
+||me4track.com^
+||me6q8.top^
+||me7x.site^
+||meableabede.click^
+||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^
+||meatjav11.fun^
+||meawo.cloud^
+||mechaelpaceway.com^
+||mechanicalcardiac.com^
+||meckaughiy.com^
+||meconicoutfish.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^
+||mediaclick.com^
+||mediacpm.com^
+||mediaf.media^
+||mediaforge.com^
+||mediagridwork.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^
+||mediocrecount.com^
+||meditateenhancements.com^
+||mediuln.com^
+||mediumtunapatter.com^
+||medleyads.com^
+||medoofty.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^
+||melit-zoy.com^
+||mellatetapered.shop^
+||mellodur.net^
+||melodramaticlaughingbrandy.com^
+||melongetplume.com^
+||melonransomhigh.com^
+||meltedacrid.com^
+||meltembrace.com^
+||membersattenuatejelly.com^
+||memberscrisis.com^
+||memia.xyz^
+||memorableanticruel.com^
+||memorablecutletbet.com^
+||memorableeditor.com^
+||memorizematch.com^
+||mempoonsoftoow.net^
+||menacehabit.com^
+||menacing-awareness.pro^
+||menacing-feature.pro^
+||mendedrefuel.com^
+||menews.org^
+||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^
+||mestmoanful.shop^
+||mestreqa.com^
+||mestupidity.com^
+||metahv.xyz^
+||metalbow.com^
+||metallcorrupt.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^
+||mftracking.com^
+||mgcash.com^
+||mgdjmp.com^
+||mghkpg.com^
+||mgxxuqp.com^
+||mgyccfrshz.com^
+||mhadsd.com^
+||mhadst.com^
+||mhamanoxsa.com^
+||mhbyzzp.com^
+||mhcfsjbqw.com^
+||mhdiaok.com^
+||mhhr.cloud^
+||mhjxsqujkk.com^
+||mhkvktz.com^
+||mhndfpbssfcsr.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^
+||microwavemay.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^
+||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^
+||milkierjambes.shop^
+||milksquadronsad.com^
+||milkygoodness.xyz^
+||milkywaynewspaper.com^
+||millennialmedia.com^
+||millerminds.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
+||mimosaavior.top^
+||mimsossopet.com^
+||mimtelurdeghaul.net^
+||mindamender.com^
+||mindedallergyclaim.com^
+||mindedcarious.com^
+||mindless-fruit.pro^
+||mindlessnight.com^
+||mindlessslogan.com^
+||mindlessswim.pro^
+||mindssometimes.com^
+||minealoftcolumnist.com^
+||minefieldripple.com^
+||minently.com^
+||mineraltip.com^
+||mingleabstainsuccessor.com^
+||mingledcommit.com^
+||mingledcounterfeittitanic.com^
+||minglefrostgrasp.com^
+||mingonnigh.com^
+||miniature-injury.pro^
+||miniatureoffer.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^
+||mintmanunmanly.com^
+||mintybug.com^
+||minutesdevise.com^
+||minutessongportly.com^
+||mipfohaby.com^
+||miptj.space^
+||miqorhogxc.com^
+||miredindeedeisas.info^
+||mirfakpersei.com^
+||mirfakpersei.top^
+||mirifelon.com^
+||mirroraddictedpat.com^
+||mirsouvoow.com^
+||mirsuwoaw.com^
+||mirtacku.xyz^
+||mirthrehearsal.com^
+||misaglam.com^
+||misarea.com^
+||miscalculatesuccessiverelish.com^
+||miscellaneousheartachehunter.com^
+||mischiefrealizationbraces.com^
+||miserablefocus.com^
+||miserdiscourteousromance.com^
+||miseryclevernessusage.com^
+||misfields.com^
+||misguidedfind.com^
+||misguidedfriend.pro^
+||misguidednourishing.com^
+||mishandlemole.com^
+||mishapideal.com^
+||mishapsummonmonster.com^
+||misputidemetome.com^
+||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^
+||misusefreeze.com^
+||misuseoyster.com^
+||misuseproductions.com^
+||mittyswidden.top^
+||miuo.cloud^
+||mivibsegnuhaub.xyz^
+||miwllmo.com^
+||mixclckchat.net^
+||mixhillvedism.com^
+||mixpo.com^
+||mjfcv.club^
+||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^
+||mlhmaoqf.xyz^
+||mlldrlujqg.com^
+||mlnadvertising.com^
+||mlrfltuc.com^
+||mlsryhcfmcbd.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^
+||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^
+||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-7-j-download.com^
+||mobileoffers-dld-download.com^
+||mobileoffers-ep-download.com^
+||mobilepreviouswicked.com^
+||mobilerefreit.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^
+||mocsheieamnl.com^
+||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^
+||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^
+||monumentcountless.com^
+||monumentsmaterialeasel.com^
+||monxserver.com^
+||moocaicaico.com^
+||moodjav12.fun^
+||moodokay.com^
+||moodunitsmusic.com^
+||mookie1.com^
+||mooltanagra.top^
+||moolveesoth.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^
+||mooxar.com^
+||mopedisods.com^
+||mopeia.xyz^
+||mopemodelingfrown.com^
+||mopesrubelle.com^
+||mopiwhoisqui.com^
+||moradu.com^
+||moral-enthusiasm.pro^
+||moralitylameinviting.com^
+||mordoops.com^
+||moregamers.com^
+||morenonfictiondiscontent.com^
+||moreoverwheelbarrow.com^
+||morestamping.com^
+||moretestimonyfearless.com^
+||morgdm.ru^
+||morgenskenotic.shop^
+||morict.com^
+||morionlochus.com^
+||morionsluigini.digital^
+||morneminim.top^
+||morningamidamaruhal.com^
+||morningglory101.io^
+||morroinane.com^
+||mortoncape.com^
+||mortypush.com^
+||moscowautopsyregarding.com^
+||mosqueventure.com^
+||mosqueworking.com^
+||mosquitofelicity.com^
+||mosquitosubjectsimportantly.com^
+||mosrtaek.net^
+||mossgaietyhumiliation.com^
+||mossyiapyges.com^
+||mostauthor.com^
+||mostlyparabledejected.com^
+||mostlysolecounsellor.com^
+||motelproficientsmartly.com^
+||mothandhad.info^
+||mothandhadbe.info^
+||motherehoom.pro^
+||mothifta.xyz^
+||mothwetcheater.com^
+||motionless-range.pro^
+||motionretire.com^
+||motionsablehostess.com^
+||motionspots.com^
+||motivessuggest.com^
+||motleyanybody.com^
+||motsardi.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^
+||moutcoverer.shop^
+||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^
+||mrgrekeroad.com^
+||mrjb7hvcks.com^
+||mrlscr.com^
+||mrmnd.com^
+||mrtnsvr.com^
+||mrtqjwrvtpj.com^
+||mrvio.com^
+||mryzroahta.com^
+||ms3t.club^
+||msads.net^
+||msehm.com^
+||msgose.com^
+||mshago.com^
+||msre2lp.com^
+||msrvt.net^
+||mt34iofvjay.com^
+||mtburn.com^
+||mtejadostvovn.com^
+||mthvjim.com^
+||mtkgyrzfygdh.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^
+||mufcrkk.com^
+||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^
+||mulsouloobsaiz.xyz^
+||multieser.info^
+||multimater.com^
+||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^
+||musclesadmonishment.com^
+||musclesprefacelie.com^
+||muscularcopiedgulp.com^
+||musedemeanouregyptian.com^
+||museummargin.com^
+||mushroomplainsbroadly.com^
+||musiccampusmanure.com^
+||musicianabrasiveorganism.com^
+||musicnote.info^
+||musselchangeableskier.com^
+||mustbehand.com^
+||mustdealingfrustration.com^
+||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^
+||mvmbfdfu.com^
+||mvmzlg.xyz^
+||mvnznqp.com^
+||mvujvxc.com^
+||mvvhwabeshu.xyz^
+||mvwslulukdlux.xyz^
+||mwazhey.com^
+||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^
+||mybestdc.com^
+||mybestnewz.com^
+||mybetterck.com^
+||mybetterdl.com^
+||mybettermb.com^
+||mybmrtrg.com^
+||mycamlover.com^
+||mycasinoaccounts.com^
+||mycdn.co^
+||mycdn2.co^
+||mycelesterno.com^
+||myckdom.com^
+||mycloudreference.com^
+||mycoolfeed.com^
+||mycoolnewz.com^
+||mycrdhtv.xyz^
+||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^
+||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^
+||myunderthfe.info^
+||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^
+||nabicbh.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^
+||nanborderrocket.com^
+||nancontrast.com^
+||nandtheathema.info^
+||nanesbewail.com^
+||nanfleshturtle.com^
+||nangalupeose.com^
+||nangelsaidthe.info^
+||nanhermione.com^
+||naoudodra.com^
+||napainsi.net^
+||napallergy.com^
+||naperyhostel.shop^
+||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^
+||naturalhealthsource.club^
+||naturalistsbumpmystic.com^
+||naturallyedaciousedacious.com^
+||naturebunk.com^
+||naturewhatmotor.com^
+||naubatodo.com^
+||naubme.info^
+||naucaish.net^
+||naufistuwha.com^
+||naughtynotice.pro^
+||naukegainok.net^
+||naulme.info^
+||naupouch.xyz^
+||naupsakiwhy.com^
+||naupseko.com^
+||nauthait.com^
+||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^
+||nctwoseln.xyz^
+||ncubadmavfp.com^
+||ncukankingwith.info^
+||ncwabgl.com^
+||ncz3u7cj2.com^
+||nczxuga.com^
+||ndandinter.hair^
+||ndaspiratiotyukn.com^
+||ndatgiicef.com^
+||ndaymidydlesswale.info^
+||nddpynonxw.xyz^
+||ndegj3peoh.com^
+||ndejhe73jslaw093.com^
+||ndenthaitingsho.com^
+||nderpurganismpr.info^
+||nderthfeo.info^
+||ndha4sding6gf.com^
+||nditingdecord.org^
+||ndjelsefd.com^
+||ndlesexwrecko.org^
+||ndpcnywsa.com^
+||ndpugkr.com^
+||ndqkxjo.com^
+||ndroip.com^
+||ndthensome.com^
+||ndymehnthakuty.com^
+||ndzksr.xyz^
+||ndzoaaa.com^
+||neads.delivery^
+||neahbutwehavein.info^
+||neandwillha.info^
+||nearestaxe.com^
+||nearestmicrowavespends.com^
+||nearestsweaty.com^
+||nearvictorydame.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^
+||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^
+||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^
+||nervierconfuse.click^
+||nervoustolsel.com^
+||nesfspublicate.info^
+||neshigreek.com^
+||nessainy.net^
+||nestledmph.com^
+||nestorscymlin.shop^
+||net.egravure.com^
+||netcatx.com^
+||netflopin.com^
+||netherinertia.life^
+||nethosta.com^
+||netpatas.com^
+||netrefer.co^
+||netstam.com^
+||netund.com^
+||neutralturbulentassist.com^
+||neuwiti.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-buzz.cc^
+||news-galuzo.cc^
+||news-getogo.com^
+||news-headlines.co^
+||news-jelafa.com^
+||news-jivera.com^
+||news-mefuba.cc^
+||news-nerahu.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^
+||newzmaker.me^
+||nexaapptwp.top^
+||nextmeon.com^
+||nextmillmedia.com^
+||nextpsh.top^
+||nexusbloom.xyz^
+||neyoxa.xyz^
+||nezygmobha.com^
+||nfctoroxi.xyz^
+||nfgxadlbfzuy.click^
+||nfjdxtfpclfh.com^
+||nfkd2ug8d9.com^
+||nfuwlooaodf.com^
+||nfuwpyx.com^
+||nfwivxk.com^
+||ngdxvnkovnrv.xyz^
+||ngegas.files.im^
+||ngfruitiesmatc.info^
+||ngfycrwwd.com^
+||ngineet.cfd^
+||ngjgnidajyls.xyz^
+||nglestpeoplesho.com^
+||nglmedia.com^
+||ngshospicalada.com^
+||ngsinspiringtga.info^
+||ngvcalslfbmtcjq.xyz^
+||ngvjaijgybkss.com^
+||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^
+||nicesthoarfrostsooner.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^
+||niggeusakebvkb.xyz^
+||nightbesties.com^
+||nightclubconceivedmanuscript.com^
+||nighter.club^
+||nightfallroad.com^
+||nighthereflewovert.info^
+||nightmarerelive.com^
+||nightspickcough.com^
+||nigmen.com^
+||nigroopheert.com^
+||nijaultuweftie.net^
+||nikkiexxxads.com^
+||niltibse.net^
+||nimhuemark.com^
+||nimrute.com^
+||ninancukanking.info^
+||nindsstudio.com^
+||nineteenlevy.com^
+||nineteenthdipper.com^
+||nineteenthpurple.com^
+||nineteenthsoftballmorality.com^
+||ninetyfitful.com^
+||ninetyninesec.com^
+||ninetypastime.com^
+||ningdblukzqp.com^
+||ninkorant.online^
+||ninnycoastal.com^
+||ninsu-tmc.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^
+||nixbsprhupgor.com^
+||niyimu.xyz^
+||nizarstream.xyz^
+||nizvimq.com^
+||njekohrpid.com^
+||njmhklddv.xyz^
+||njpaqnkhaxpwg.xyz^
+||nkewdzp.com^
+||nkfinsdg.com^
+||nkljaxdeoygatfw.xyz^
+||nkmsite.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^
+||nmkhvtnypwykfh.xyz^
+||nmkli.com^
+||nnightherefl.info^
+||nnowa.com^
+||nnxfiqgqdsoywwa.com^
+||nnxxjjhcwdfsbsa.xyz^
+||no2veeamggaseber.com^
+||noaderir.com^
+||noafoaji.xyz^
+||noahilum.net^
+||noapsovochu.net^
+||noaptauw.com^
+||nobbutaaru.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^
+||noltaudi.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^
+||nonsensethingresult.com^
+||nonstoppartner.de^
+||nontraditionally.rest^
+||nonuseslandmil.click^
+||noodledesperately.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^
+||notaloneathome.com^
+||notcotal.com^
+||notdyedfinance.com^
+||notebookbesiege.com^
+||noted-factor.pro^
+||notepastaparliamentary.com^
+||notepositivelycomplaints.com^
+||notesbook.in^
+||notesrumba.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^
+||notos-yty.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^
+||novembersightsoverhear.com^
+||novemberslantwilfrid.com^
+||novibet.partners^
+||novidash.com^
+||novitrk1.com^
+||novitrk4.com^
+||novitrk7.com^
+||novitrk8.com^
+||nowaoutujm-u.vip^
+||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^
+||npfpgcppp.com^
+||npkkpknlwaslhtp.xyz^
+||npprvby.com^
+||npracticalwhic.buzz^
+||nptauiw.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^
+||nrs6ffl9w.com^
+||nrtaimyrk.com^
+||nsaascp.com^
+||nsbmfllp.com^
+||nsdsvc.com^
+||nservantasrela.info^
+||nsfwadds.com^
+||nsjyfpo.com^
+||nskwqto.com^
+||nsmartad.com^
+||nsmpydfe.net^
+||nspmotion.com^
+||nspot.co^
+||nstoodthestatu.info^
+||nsultingcoe.net^
+||nszeybs.com^
+||ntdhfhpr-o.rocks^
+||ntedbycathyhou.com^
+||ntlcgevw-u.one^
+||ntlysearchingf.info^
+||ntmastsault.info^
+||ntmastsaultet.info^
+||ntoftheusysia.info^
+||ntoftheusysianedt.info^
+||ntoftheusysih.info^
+||ntomjlkjkp.com^
+||ntreeom.com^
+||ntrfr.leovegas.com^
+||ntrftrksec.com^
+||ntshp.space^
+||ntswithde.autos^
+||ntuplay.xyz^
+||ntv.io^
+||ntvk1.ru^
+||ntvpevents.com^
+||ntvpever.com^
+||ntvpforever.com^
+||ntvpinp.com^
+||ntvpwpush.com^
+||ntvsw.com^
+||ntxviewsinterfu.info^
+||ntygtomuj.com^
+||nubseech.com^
+||nucleo.online^
+||nudebenzoyl.digital^
+||nudesgirlsx.com^
+||nudgehydrogen.com^
+||nudgeworry.com^
+||nuerprwm.xyz^
+||nuevonoelmid.com^
+||nuftitoat.net^
+||nugrudsu.xyz^
+||nui.media^
+||nuisancehi.com^
+||nukeluck.net^
+||nuleedsa.net^
+||nulez.xyz^
+||null-point.com^
+||nullscateringinforms.com^
+||nullsglitter.com^
+||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^
+||nursecompellingsmother.com^
+||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^
+||nwejuljibczi.com^
+||nwemnd.com^
+||nwmnd.com^
+||nwq-frjbumf.today^
+||nwqandxa.com^
+||nwqqldlfvzcl.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^
+||nynqflcu.com^
+||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^
+||oackoubs.com^
+||oacoagne.com^
+||oadaiptu.com^
+||oadehibut.xyz^
+||oadrojoa.net^
+||oafairoadu.net^
+||oafqsofimps.com^
+||oaftaijo.net^
+||oagleeju.xyz^
+||oagnatch.com^
+||oagnolti.net^
+||oagoalee.xyz^
+||oagreess.net^
+||oagroucestou.net^
+||oahosaisaign.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^
+||oamoatch.com^
+||oamtorsa.net^
+||oanimsen.net^
+||oansaifo.net^
+||oaphoace.net^
+||oaphogekr.com^
+||oaphooftaus.com^
+||oapsoulreen.net^
+||oaraiwephoursou.net^
+||oardilin.com^
+||oarouwousti.com^
+||oarsparttimeparent.com^
+||oarssamgrandparents.com^
+||oarswithdraw.com^
+||oartoogree.com^
+||oartouco.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^
+||obduratewiggle.com^
+||obediencechainednoun.com^
+||obedientapologyinefficient.com^
+||obedientrock.com^
+||obedirectukly.info^
+||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^
+||obligebuffaloirresolute.com^
+||obliterateminingarise.com^
+||oblivionpie.com^
+||oblivionthreatjeopardy.com^
+||obnoxiouspatrolassault.com^
+||obouckie.com^
+||obr3.space^
+||obrom.xyz^
+||obscenityimplacable.com^
+||obscurejury.com^
+||observanceafterthrew.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^
+||occasion219.fun^
+||occdmioqlo.com^
+||occndvwqxhgeicg.xyz^
+||occums.com^
+||occupiedpace.com^
+||occurclaimed.com^
+||occurdefrost.com^
+||ocean-trk.com^
+||ocgbexwybtjrai.xyz^
+||ocheebou.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^
+||octopidroners.com^
+||octopod.cc^
+||octopuspop.com^
+||octroinewings.shop^
+||ocuwyfarlvbq.com^
+||ocxihhlqc.xyz^
+||ocypetediplont.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^
+||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^
+||ogetherefwukoul.info^
+||ogghpaoxwv.com^
+||oghqvffmnt.com^
+||oghyz.click^
+||ogicatius.com^
+||ogle-0740lb.com^
+||oglestajes.shop^
+||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^
+||oilbirdsqueaks.click^
+||oilwellsublot.top^
+||oinkedbowls.com^
+||ointmentapathetic.com^
+||ointmentbarely.com^
+||oiycak.com^
+||ojapanelm.xyz^
+||ojkduzbm.com^
+||ojmvywz.com^
+||ojoglir.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^
+||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^
+||oleinironed.top^
+||olenidpalter.shop^
+||olep.xyz^
+||olibes.com^
+||olineman.pro^
+||olivecough.com^
+||olivedinflats.space^
+||olivefail.com^
+||olkhtegk.com^
+||ollapodbrewer.top^
+||ollsukztoo.com^
+||olmsoneenh.info^
+||olnjitvizo.com^
+||olnoklmuxo.com^
+||ololenopoteretol.info^
+||olomonautcatho.info^
+||olq18dx1t.com^
+||olularhenewrev.info^
+||olvwnmnp.com^
+||olxoqmotw.com^
+||olxtqlyefo.xyz^
+||olxwweaf.com^
+||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^
+||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^
+||omitbailey.com^
+||omitcalculategalactic.com^
+||omitpollenending.com^
+||omjqukadtolg.com^
+||omkxadadsh.com^
+||omnatuor.com^
+||omni-ads.com^
+||omnidokingon.com^
+||omnitagjs.com^
+||omoonsih.net^
+||omouswoma.info^
+||omphantumpom.com^
+||omshedinjaor.com^
+||omvenusaurchan.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^
+||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^
+||ondajqfaqolmq.xyz^
+||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^
+||onkafxtiqcu.com^
+||onkavst.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^
+||onzazqarhmpi.com^
+||oo00.biz^
+||oobitsou.net^
+||oobsaurt.net^
+||oocmangamsaih.net^
+||oocmoaghurs.net^
+||oodalsarg.com^
+||oodrampi.com^
+||ooeciumuplift.click^
+||oofptbhbdb.com^
+||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^
+||oongouha.xyz^
+||oonsouque.com^
+||oopatet.com^
+||oophengeey.com^
+||oophijassaudral.xyz^
+||oophoame.xyz^
+||oophyteaparai.shop^
+||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^
+||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^
+||operativeperemptory.com^
+||operatorgullibleacheless.com^
+||opfourpro.org^
+||opgolan.com^
+||ophophiz.xyz^
+||ophvkau.com^
+||ophwypak.com^
+||opkinglerr.com^
+||opleshouldthink.com^
+||oplpectation.xyz^
+||opmxizgcacc.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^
+||oqddkgixmqhovv.xyz^
+||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^
+||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^
+||orlandowaggons.com^
+||orldwhoisquite.org^
+||orlowedonhisdhilt.info^
+||ormoimojl.xyz^
+||ormolusapiary.com^
+||ornamentbyechose.com^
+||ornatecomputer.com^
+||orpoobj.com^
+||orqrdm.com^
+||orquideassp.com^
+||orrwavakgqr.com^
+||ortwaukthwaeals.com^
+||oruxdwhatijun.info^
+||osadooffinegold.com^
+||osarmapa.net^
+||oscohkajcjz.com^
+||osdmuxzag.com^
+||osekwacuoxt.xyz^
+||osfrjut.com^
+||osfultrbriolenai.info^
+||osgsijvkoap.com^
+||oshanixot.com^
+||osharvrziafx.com^
+||oshoothoolo.com^
+||oskiwood.com^
+||osmeticjewlike.com^
+||osmosedshrined.top^
+||osmoticupbound.com^
+||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^
+||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^
+||otvlehf.com^
+||otwqvqla.com^
+||oubeliketh.info^
+||oubsooceen.net^
+||ouchruse.com^
+||oudoanoofoms.com^
+||oudseroa.com^
+||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^
+||oundhertobeconsi.com^
+||oungimuk.net^
+||oungoowe.xyz^
+||ounigaugsurvey.space^
+||ounobdlzzks.world^
+||ounsissoadry.net^
+||oupaumul.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^
+||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^
+||outflednailbin.com^
+||outfoxnapalms.com^
+||outgratingknack.com^
+||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^
+||outsimiseara.com^
+||outsliggooa.com^
+||outsmoke-niyaxabura.com^
+||outsohoam.com^
+||outstandingspread.com^
+||outstandingsubconsciousaudience.com^
+||outstantewq.info^
+||outtellhebenon.shop^
+||outtimburrtor.com^
+||outtunova.com^
+||outwhirlipedeer.com^
+||outwingullom.com^
+||outwishboody.com^
+||outwitridiculousresume.com^
+||outwoodeuropa.com^
+||outyanmegaom.com^
+||ouvertrenewed.com^
+||ouvrefth.shop^
+||ouwhejoacie.xyz^
+||ouzeelre.net^
+||ovaleithermansfield.com^
+||ovardu.com^
+||ovcgsnrwp.com^
+||ovdimin.buzz^
+||oveechoops.xyz^
+||ovenbifaces.cam^
+||overallfetchheight.com^
+||overboardbilingual.com^
+||overboardlocumout.com^
+||overcacneaan.com^
+||overcomecheck.com^
+||overcooked-construction.com^
+||overcrowdsillyturret.com^
+||overdates.com^
+||overdonealthough.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^
+||ovsdnhpigmtd.xyz^
+||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^
+||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^
+||oxmoonlint.com^
+||oxmopobypviuy.com^
+||oxmqzeszyo.com^
+||oxthrilled.com^
+||oxtracking.com^
+||oxtsale1.com^
+||oxvbfpwwewu.com^
+||oxxvikappo.com^
+||oxybe.com^
+||oxygenblobsglass.com^
+||oxygenpermissionenviable.com^
+||oxynticarkab.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^
+||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^
+||pacificvernonoutskirts.com^
+||packageeyeball.com^
+||pacquetmuysca.com^
+||paddlediscovery.com^
+||paddlemenu.com^
+||padma-fed.com^
+||padsabs.com^
+||padsans.com^
+||padsanz.com^
+||padsats.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^
+||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^
+||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^
+||pajamasgnat.com^
+||pajamasguests.com^
+||pajnutas.com^
+||palama2.co^
+||palaroleg.guru^
+||palatablelay.pro^
+||palatedaylight.com^
+||paleexamsletters.com^
+||paleogdeedful.top^
+||paletteantler.com^
+||palibs.tech^
+||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^
+||panicmiserableeligible.com^
+||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^
+||papawrefits.com^
+||papererweerish.top^
+||paphoolred.com^
+||papismkhedahs.com^
+||papmeatidigbo.com^
+||parachutecourtyardgrid.com^
+||parachuteeffectedotter.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^
+||parentingcalculated.com^
+||parentlargevia.com^
+||parentsatellitecheque.com^
+||paripartners.ru^
+||parishconfinedmule.com^
+||parishleft.com^
+||parishseparated.com^
+||parisjeroleinpg.com^
+||paritycreepercar.com^
+||paritywarninglargest.com^
+||parkcircularpearl.com^
+||parkdumbest.com^
+||parkedcountdownallows.com^
+||parkingcombstrawberry.com^
+||parkingridiculous.com^
+||parkurl.com^
+||parliamentarypublicationfruitful.com^
+||parliamentaryreputation.com^
+||parlorstudfacilitate.com^
+||parlouractivityattacked.com^
+||parnelfirker.com^
+||parolsdasein.click^
+||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^
+||partsfroveil.com^
+||parttimelucidly.com^
+||parttimeobdurate.com^
+||parttimesupremeretard.com^
+||parturemv.top^
+||partypartners.com^
+||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^
+||pattyheadlong.com^
+||pauchalopsin.com^
+||pauewr4cw2xs5q.com^
+||paularexarch.top^
+||paularrears.com^
+||paulastroid.com^
+||paulcorrectfluid.com^
+||pauptoolari.com^
+||paupupaz.com^
+||paussidsipage.com^
+||pavisordjerib.com^
+||pawbothcompany.com^
+||pawderstream.com^
+||pawditechapel.shop^
+||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^
+||pazashevy.com^
+||pazials.xyz^
+||pazzfun.com^
+||pbbqzqi.com^
+||pbcde.com^
+||pbdo.net^
+||pbfnyvl.com^
+||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^
+||pckybljxtarra.com^
+||pclk.name^
+||pcmclks.com^
+||pcqze.tech^
+||pctlwm.com^
+||pctsrv.com^
+||pdbqyzi.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^
+||peachrecess.com^
+||peachybeautifulplenitude.com^
+||peachytopless.com^
+||peachywaspish.com^
+||peacto.com^
+||peakclick.com^
+||peanutsfuscin.com^
+||pearterkubachi.top^
+||peasbishopgive.com^
+||pebadu.com^
+||pebbleoutgoing.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^
+||peer39.net^
+||peeredfoggy.com^
+||peeredgerman.com^
+||peeredplanned.com^
+||peeredstates.com^
+||peeringinvasion.com^
+||peerlesshallucinate.com^
+||peesteso.xyz^
+||peethach.com^
+||peethobo.com^
+||peevishaboriginalzinc.com^
+||peevishchasingstir.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^
+||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^
+||perechsupors.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^
+||personalityleftoverwhiskers.com^
+||perspectiveunderstandingslammed.com^
+||perspirationauntpickup.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^
+||pexkmaebfy.xyz^
+||pexuvais.net^
+||pezoomsekre.com^
+||pf34zdjoeycr.com^
+||pfactgmb.xyz^
+||pfiuyt.com^
+||pfmmzmdba.com^
+||pgaictlq.xyz^
+||pgapyygfpg.com^
+||pgezbuz.com^
+||pgjt26tsm.com^
+||pgmcdn.com^
+||pgmediaserve.com^
+||pgonews.pro^
+||pgorttohwo.info^
+||pgpartner.com^
+||pgssjxz.com^
+||pgssl.com^
+||pgwgoawpmo.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^
+||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^
+||phiduvuka.pro^
+||philadelphiadip.com^
+||philosophicalurgegreece.com^
+||philosophydictation.com^
+||phitchoord.com^
+||phkucgq.com^
+||phkwimm.com^
+||phloxsub73ulata.com^
+||phoackoangu.com^
+||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^
+||phonicsblitz.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^
+||pianistclomp.shop^
+||pianolaweeshee.top^
+||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^
+||pieceresponsepamphlet.com^
+||piecreatefragment.com^
+||pienbitore.com^
+||piercepavilion.com^
+||piercing-employment.pro^
+||pierisrapgae.com^
+||pierlinks.com^
+||pierrapturerudder.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^
+||pingerswrier.click^
+||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^
+||pipsol.net^
+||piqueendogen.com^
+||piquingherblet.shop^
+||pirouque.com^
+||pirtecho.net^
+||pisehiation.shop^
+||pishespied.top^
+||pisism.com^
+||piskaday.com^
+||pistolstumbled.com^
+||pistolterrificsuspend.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^
+||pixel-eu.jggegj-rtbix.top^
+||pixelhere.com^
+||pixelmuse.store^
+||pixelplay.pro^
+||pixelspivot.com^
+||pixfuture.net^
+||pixxur.com^
+||piypjmdsqpznhn.com^
+||pizzasocalled.com^
+||pizzlessclimb.top^
+||pjagilteei.com^
+||pjjpp.com^
+||pjnwmbz.com^
+||pjojddwlppfah.xyz^
+||pjqchcfwtw.com^
+||pjsos.xyz^
+||pjvartonsbewand.info^
+||pk0grqf29.com^
+||pk910324e.com^
+||pkhhyool.com^
+||pki87n.pro^
+||pkudawbkcl.com^
+||placardcapitalistcalculate.com^
+||placetobeforever.com^
+||placingcompany.com^
+||placingfinally.com^
+||placingharassment.com^
+||placingsolemnlyinexpedient.com^
+||plaicealwayspanther.com^
+||plaicecaught.com^
+||plainphilosophy.pro^
+||plainsnudge.com^
+||plaintivedance.pro^
+||plaintorch.com^
+||plainwarrant.com^
+||plandappsb.com^
+||planepleasant.com^
+||planet-vids.online^
+||planet7links.com^
+||planetarium-planet.com^
+||planetgrimace.com^
+||planetunregisteredrunaway.com^
+||planetvids.online^
+||planetvids.space^
+||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^
+||pleadsbox.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^
+||plntxgh.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^
+||plugrushusa.dsp.wtf^
+||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^
+||plungestumming.shop^
+||pluralpeachy.com^
+||plusungratefulinstruction.com^
+||plutothejewel.com^
+||pluvianuruguay.com^
+||plvwyoed.com^
+||plxnbwjtbr.com^
+||plxserve.com^
+||plyfoni.ru^
+||pmaficza.com^
+||pmc1201.com^
+||pmdnditvte.com^
+||pmetorealiukze.xyz^
+||pmkez.tech^
+||pmpubs.com^
+||pmsrvr.com^
+||pmwwedke.com^
+||pmxyzqm.com^
+||pmzer.com^
+||pncloudfl.com^
+||pncvaoh.com^
+||pnd.gs^
+||pneumoniaelderlysceptical.com^
+||pnouting.com^
+||pnperf.com^
+||pnsqsv.com^
+||pnuhondppw.com^
+||pnwawbwwx.com^
+||pnyf1.top^
+||pnyoyqulh.com^
+||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^
+||pointroll.com^
+||poisegel.com^
+||poisism.com^
+||poisonencouragement.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^
+||politicianbusplate.com^
+||politiciancuckoo.com^
+||polityimpetussensible.com^
+||pollpublicly.com^
+||pollutiongram.com^
+||polluxnetwork.com^
+||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^
+||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^
+||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^
+||portugueseletting.com^
+||portuguesetoil.com^
+||posewardenreligious.com^
+||posf.xyz^
+||poshhateful.com^
+||poshsplitdr.com^
+||poshyouthfulton.com^
+||positeasysembl.org^
+||positionavailreproach.com^
+||positioner.info^
+||positivejudge.com^
+||positivelysunday.com^
+||positivewillingsubqueries.com^
+||possessdolejest.com^
+||possessionsolemn.com^
+||possibilityformal.com^
+||possibilityfoundationwallpaper.com^
+||possibilityrespectivelyenglish.com^
+||possiblepencil.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^
+||poudrinnamaste.com^
+||poufaini.com^
+||pounceintention.com^
+||poundabbreviation.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^
+||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^
+||precisionnight.com^
+||preclknu.com^
+||precmd.com^
+||precursorinclinationbruised.com^
+||predatoryfilament.com^
+||predatorymould.com^
+||predatoryrucksack.com^
+||predicamentdisconnect.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^
+||prefershapely.com^
+||prefleks.com^
+||pregainskilly.shop^
+||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^
+||presidentialtumble.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^
+||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^
+||principledecliner.info^
+||principlessilas.com^
+||pringed.space^
+||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^
+||privateappealingsymphony.com^
+||privatedqualizebrui.info^
+||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^
+||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
+||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^
+||progressproceeding.com^
+||projectagora.net^
+||projectagora.tech^
+||projectagoralibs.com^
+||projectagoraservices.com^
+||projectagoratech.com^
+||projectscupcakeinternational.com^
+||projectwonderful.com^
+||prolatecyclus.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^
+||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^
+||prospercognomenoptional.com^
+||prosperent.com^
+||prosperitysemiimpediment.com^
+||prosperousdreary.com^
+||prosperousprobe.com^
+||prosperousunnecessarymanipulate.com^
+||prosthong.com^
+||prosumsit.com^
+||protagcdn.com^
+||protally.net^
+||protawe.com^
+||protectorincorporatehush.com^
+||protectyourdevices.com^
+||proteinfrivolousfertilised.com^
+||proteininnovationpioneer.com^
+||protestgrove.com^
+||protoawe.com^
+||protocolgroupgroups.com^
+||prototypeboats.com^
+||prototypewailrubber.com^
+||protrckit.com^
+||proudlysurly.com^
+||provedonefoldonefoldhastily.com^
+||provenpixel.com^
+||proverbadmiraluphill.com^
+||proverbbeaming.com^
+||proverbmariannemirth.com^
+||proverbnoncommittalvault.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^
+||prtord.com^
+||prtrackings.com^
+||prtydqs.com^
+||prudentfailingcomplicate.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^
+||psausuck.net^
+||psauwaun.com^
+||pschentinfile.com^
+||psclicks.com^
+||psdn.xyz^
+||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^
+||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^
+||psomsoorsa.com^
+||psomtenga.net^
+||psooltecmeve.net^
+||psoompou.xyz^
+||psoopirdifty.xyz^
+||psoopoakihou.com^
+||psoorgou.com^
+||psoorsen.com^
+||psoostelrupt.net^
+||psootaun.com^
+||psootchu.net^
+||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^
+||psychicendozoa.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^
+||ptensoghutsu.com^
+||ptersudisurvey.top^
+||ptewarin.net^
+||ptewauta.net^
+||ptexognouh.xyz^
+||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^
+||ptootsailrou.net^
+||ptotchie.xyz^
+||ptoubeeh.net^
+||ptouckop.xyz^
+||ptoudsid.com^
+||ptougeegnep.net^
+||ptouglaiksiky.net^
+||ptoujaust.com^
+||ptoumsid.net^
+||ptoupagreltop.net^
+||ptoushoa.com^
+||ptoutsexe.com^
+||ptowouse.xyz^
+||ptp22.com^
+||ptsixwereksbef.info^
+||ptstnews.pro^
+||ptsyhasifubi.buzz^
+||pttsite.com^
+||ptugnins.net^
+||ptugnoaw.net^
+||ptukasti.com^
+||ptulsauts.com^
+||ptumtaip.com^
+||ptuphotookr.com^
+||ptupsewo.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^
+||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^
+||puhrzvjuzb.com^
+||puhtml.com^
+||puitaexb.com^
+||pukimuki.xyz^
+||pukumongols.com^
+||puldhukelpmet.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^
+||punctualflopsubquery.com^
+||punctuationceiling.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^
+||purpleads.io^
+||purpleflag.net^
+||purplepatch.online^
+||purposelyharp.com^
+||purposelynextbinary.com^
+||purposeparking.com^
+||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^
+||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^
+||px3792.com^
+||pxls4gm.space^
+||pxltrck.com^
+||pxyepmwex.com^
+||pygopodwrytailbaskett.sbs^
+||pyknrhm5c.com^
+||pympbhxyhnd.xyz^
+||pyrincelewasgild.info^
+||pyrroylceriums.com^
+||pysfhgdpi.com^
+||pyxiscablese.com^
+||pyzwxkb.com^
+||pzdwscqipdbg.com^
+||pzmeblamivop.world^
+||pznhfofqtwkky.com^
+||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^
+||qaebaywbvvavj.top^
+||qaensksii.com^
+||qahssrxvelqeqy.xyz^
+||qajgarohwobh.com^
+||qajwizsifaj.com^
+||qaklbrqevbqbv.top^
+||qaklbrqevbzqz.top^
+||qakzfubfozaj.com^
+||qalscihrolwu.com^
+||qarewien.com^
+||qasforsalesrep.info^
+||qatsbesagne.com^
+||qatttuluhog.com^
+||qavgacsmegav.com^
+||qawzwkvleyjro.top^
+||qax1a3si.uno^
+||qazrvobkmqvmr.top^
+||qceatqoqwpza.com^
+||qcerujcajnme.com^
+||qckeumrwft.xyz^
+||qcvbtrtlmjdhvxe.xyz^
+||qcxhwrm.com^
+||qdfscelxyyem.club^
+||qdhrbget.click^
+||qdmil.com^
+||qdotzfy.com^
+||qebpwkxjz.com^
+||qebuoxn.com^
+||qehwgbwjmjvq.xyz^
+||qel-qel-fie.com^
+||qelqlunebz.com^
+||qeoj.qazrvobkmqvmr.top^
+||qerkbejqwqjkr.top^
+||qewwklaovmmw.top^
+||qf-ebeydt.top^
+||qfamlcfqhtla.com^
+||qfaqwxkclrwel.com^
+||qfdn3gyfbs.com^
+||qfgtepw.com^
+||qfiofvovgapc.com^
+||qfjherc.com^
+||qfoodskfubk.com^
+||qgerr.com^
+||qgevavwyafjf.com^
+||qgexkmi.com^
+||qglinlrtdfc.com^
+||qgwjydxo.com^
+||qgxbluhsgad.com^
+||qhcmspgkoaixup.com^
+||qhdtlgthqqovcw.xyz^
+||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^
+||qkqlqjjoyemw.top^
+||qksrv.cc^
+||qksrv.net^
+||qksrv1.com^
+||qksz.net^
+||qkyliljavzci.com^
+||qkyojtlabrhy.com^
+||qlfqkjluvz.com^
+||qlnkt.com^
+||qmaacxajsovk.com^
+||qmahepzo.one^
+||qmlrmaryeokqz.top^
+||qmxbqwbprwavac.xyz^
+||qmyzawzjkrrjb.top^
+||qn-5.com^
+||qnesnufjs.com^
+||qnhuxyqjv.com^
+||qnkqurpyntrs.xyz^
+||qnmesegceogg.com^
+||qnp16tstw.com^
+||qnsr.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^
+||qqguvmf.com^
+||qqjfvepr.com^
+||qqmhh.com^
+||qqqwes.com^
+||qqrxk.club^
+||qquhzi4f3.com^
+||qqurzfi.com^
+||qqyaarvtrw.xyz^
+||qr-captcha.com^
+||qrgip.xyz^
+||qrifhajtabcy.com^
+||qrkwvoomrbbrj.top^
+||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^
+||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^
+||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^
+||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^
+||quicksitting.com^
+||quickwest.pro^
+||quidclueless.com^
+||quietlybananasmarvel.com^
+||quilkinhulking.shop^
+||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^
+||quqliodl.com^
+||qutejo.xyz^
+||quwsncrlcwjpj.com^
+||quxsiraqxla.com^
+||quxwpwcwmmx.xyz^
+||quytsyru.com^
+||quzwteqzaabm.com^
+||qvikar.com^
+||qvjqbtbt.com^
+||qvtcigr.com^
+||qwaapgxfahce.com^
+||qwerfdx.com^
+||qwiarjayuffn.xyz^
+||qwivhkmuksjodtt.com^
+||qwkmiot.com^
+||qwlbvlyaklmjo.top^
+||qwoyfys.com^
+||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^
+||qylyknxkeep.com^
+||qymkbmjssadw.top^
+||qynmfgnu.xyz^
+||qyusgj.xyz^
+||qz-hjgrdqih.fun^
+||qz496amxfh87mst.com^
+||qzcjehp.com^
+||qzesmjv.com^
+||qzetnversitym.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^
+||raeoaxqxhvtxe.xyz^
+||raffleinsanity.com^
+||rafikfangas.com^
+||ragapa.com^
+||rageagainstthesoap.com^
+||raglassofrum.cc^
+||ragsbxhchr.xyz^
+||ragwviw.com^
+||raheglin.xyz^
+||rahmagtgingleaga.info^
+||rahxfus.com^
+||raideeshaili.net^
+||raigroashoan.net^
+||raijigrip.com^
+||raikijausa.net^
+||railroadfatherenlargement.com^
+||railroadlineal.com^
+||railroadmanytwitch.com^
+||railwayboringnasal.com^
+||rainchangedquaver.com^
+||raincoatbowedstubborn.com^
+||raincoatnonstopsquall.com^
+||rainmealslow.live^
+||rainwealth.com^
+||rainyautumnnews.com^
+||rainyfreshen.com^
+||raiseallocation.com^
+||raistiwije.net^
+||raivoufe.xyz^
+||rajabets.xyz^
+||rakiblinger.com^
+||rallydisprove.com^
+||ralphscrupulouscard.com^
+||ramblecursormaths.com^
+||rambobf.com^
+||rameepernyi.top^
+||rametbaygall.shop^
+||ramieuretal.com^
+||rammishruinous.com^
+||ramrodsmorals.top^
+||ranabreast.com^
+||rancheslava.shop^
+||ranchsatin.com^
+||rancorousjustin.com^
+||rancorousnoncommittalsomewhat.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^
+||ranmistaken.com^
+||ransomsection.com^
+||ransomwidelyproducing.com^
+||rantedcamels.shop^
+||raosmeac.net^
+||rapacitylikelihood.com^
+||rapaneaphoma.com^
+||rapepush.net^
+||raphanysteers.com^
+||raphidewakener.com^
+||rapidhits.net^
+||rapidhunchback.com^
+||rapidlybeaver.com^
+||rapidlypierredictum.com^
+||rapidshookdecide.com^
+||rapingdistil.com^
+||rapmqouaqpmir.com^
+||rapolok.com^
+||rapturemeddle.com^
+||rar-vpn.com^
+||rarestcandy.com^
+||rarrwcfe.com^
+||rascalbygone.com^
+||rashbarnabas.com^
+||rashlyblowfly.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^
+||raujouca.com^
+||raumipti.net^
+||raunooligais.net^
+||raupasee.xyz^
+||raupsica.net^
+||rausauboocad.net^
+||rausfml.com^
+||rausougo.net^
+||rauvoaty.net^
+||rauwoukauku.com^
+||ravalads.com^
+||ravalamin.com^
+||ravaquinal.com^
+||ravaynore.com^
+||ravedesignerobey.com^
+||ravekeptarose.com^
+||ravenousdrawers.com^
+||ravenperspective.com^
+||ravineagencyirritating.com^
+||raw-co.com^
+||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^
+||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^
+||rdsb2.club^
+||rdtk.io^
+||rdtlnutu.com^
+||rdtracer.com^
+||rdtrck2.com^
+||rdwmct.com^
+||rdxmjgp.com^
+||re-captha-version-3-243.buzz^
+||re-captha-version-3-263.buzz^
+||re-captha-version-3-29.top^
+||re-experiment.sbs^
+||reacheffecti.work^
+||reachmode.com^
+||reachpane.com^
+||readinessplacingchoice.com^
+||readiong.net^
+||readly-renterval.icu^
+||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^
+||reassurehintholding.com^
+||reate.info^
+||reatushaithal.com^
+||rebatelirate.top^
+||rebelfarewe.org^
+||rebelhaggard.com^
+||rebellionnaturalconsonant.com^
+||rebindskayoes.com^
+||rebosoyodle.com^
+||rebrew-foofteen.com^
+||recageddolabra.shop^
+||recalledmesnarl.com^
+||recalledriddle.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^
+||recklessaffluent.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^
+||record.guts.com^
+||record.rizk.com^
+||recordedthereby.com^
+||recordercourseheavy.com^
+||recordercrush.com^
+||recorderstruggling.com^
+||recordingadventurouswildest.com^
+||recoupsamakebe.com^
+||recovernosebleed.com^
+||recoverystrait.com^
+||recrihertrettons.com^
+||rectificationchurchill.com^
+||rectresultofthep.com^
+||recurseagin.com^
+||recycleliaison.com^
+||recyclinganewupdated.com^
+||recyclinganticipated.com^
+||recyclingbees.com^
+||recyclingproverbintroduce.com^
+||red-track.xyz^
+||redadisappoi.info^
+||redadisappointed.com^
+||redads.biz^
+||redaffil.com^
+||redbillecphory.com^
+||reddenlightly.com^
+||reddockbedman.com^
+||redeemforest.com^
+||redenyswallet.click^
+||redetaailshiletteri.com^
+||redfootchiros.click^
+||redfootcoclea.shop^
+||redheadinfluencedchill.com^
+||redheadpublicityjug.com^
+||redi.teengirl-pics.com^
+||redipslacca.top^
+||redirect-path1.com^
+||redirectflowsite.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^
+||refrigeratespinsterreins.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^
+||regnicmow.xyz^
+||regretfactor.com^
+||regretuneasy.com^
+||regrindroughed.click^
+||regrupontihe.com^
+||reguid.com^
+||regulationprivilegescan.top^
+||regulushamal.top^
+||rehvbghwe.cc^
+||rei9jc56oyqux0rcpcquqmm7jc5freirpsquqkope3n3axrjacg8ipolxvbm.codes^
+||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^
+||relriptodi.com^
+||reluctancefleck.com^
+||reluctanceghastlysquid.com^
+||reluctanceleatheroptional.com^
+||reluctantconfuse.com^
+||reluctantlycopper.com^
+||reluctantlyjackpot.com^
+||reluctantlysolve.com^
+||reluctantturpentine.com^
+||reluraun.com^
+||remaincall.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^
+||renaissancewednesday.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^
+||repsrowedpay.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^
+||rerpartmentm.info^
+||rertessesse.xyz^
+||reryn2ce.com^
+||reryn3ce.com^
+||rerynjia.com^
+||rerynjie.com^
+||rerynjua.com^
+||resalag.com^
+||rescanakhrot.shop^
+||rescueambassadorupward.com^
+||researchingdestroy.com^
+||researchingintentbilliards.com^
+||reseatkiddy.click^
+||reseenpeytrel.top^
+||resemblanceilluminatedcigarettes.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^
+||resinherjecling.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^
+||responsiveproportion.com^
+||responsiverender.com^
+||restabbingenologistwoollies.com^
+||restadrenaline.com^
+||restedfeatures.com^
+||restedsoonerfountain.com^
+||restights.pro^
+||restlesscompeldescend.com^
+||restlessconsequence.com^
+||restlessidea.com^
+||restorationpencil.com^
+||restoreinfilm.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^
+||retingexylogen.com^
+||retintsmillion.com^
+||retinueabash.com^
+||retiringspamformed.com^
+||retono42.us^
+||retortedattendnovel.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^
+||revisionplatoonhusband.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^
+||rewardjav128.fun^
+||rewardrush.life^
+||rewardsaffiliates.com^
+||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^
+||rfihub.com^
+||rfihub.net^
+||rfinidtirz.com^
+||rfity.com^
+||rfogqbystvgb.com^
+||rftslb.com^
+||rfuqsrnllqlmv.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^
+||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^
+||ridiculousegoismaspirin.com^
+||ridikoptil.net^
+||ridingdisguisessuffix.com^
+||ridleward.info^
+||ridmilestone.com^
+||riffingwiener.com^
+||rifjhukaqoh.com^
+||rifjynxoj-k.vip^
+||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^
+||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^
+||ripeautobiography.com^
+||ripencompatiblefreezing.com^
+||ripenstreet.com^
+||ripheeksirg.net^
+||ripplead.com^
+||ripplebuiltinpinching.com^
+||ripplecauliflowercock.com^
+||rirteelraibsou.net
+||rirteelraibsou.net^
+||rirtoojoaw.net^
+||risausso.com^
+||riscati.com^
+||riseshamelessdrawers.com^
+||riskelaborate.com^
+||riskhector.com^
+||riskymuzzlebiopsy.com^
+||rivacathood.com^
+||rivalpout.com^
+||rivatedqualizebruisi.info^
+||riverhit.com^
+||riverpush.com^
+||riversingratitudestifle.com^
+||riverstressful.com^
+||rivetrearrange.com^
+||rivne.space^
+||rixaka.com^
+||rixibe.xyz^
+||rjeruqs.com^
+||rjlkibvwgxiduq.com^
+||rjowzlkaz.today^
+||rjvfxxrsepwch.xyz^
+||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^
+||rmervvazooqzk.top^
+||rmhfrtnd.com^
+||rmndme.com^
+||rmshqa.com^
+||rmtckjzct.com^
+||rmuuspy.com^
+||rmwzbomjvqmjw.top^
+||rmxads.com^
+||rmyblerajazov.top^
+||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^
+||roacheenazak.com^
+||roadformedomission.com^
+||roadmappenal.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^
+||robsbogsrouse.com^
+||robspabah.com^
+||rocco-fvo.com^
+||rochesterbreedpersuade.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^
+||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^
+||rookretired.com^
+||rooksreused.website^
+||rookstashrif.shop^
+||rookuvabege.net^
+||roomersgluts.com^
+||roommateskinner.com^
+||roompowerfulprophet.com^
+||roomrentpast.com^
+||rooptawu.net^
+||rootderideflex.com^
+||rootleretip.top^
+||rootzaffiliates.com^
+||roovs.xyz^
+||ropeanresultanc.com^
+||ropebrains.com^
+||ropwilv.com^
+||roqeke.xyz^
+||roqiwno.com^
+||roredi.com^
+||roritchou.net^
+||rorserdy.com^
+||rose2919.com^
+||rosebrandy.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^
+||roumakie.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^
+||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^
+||rplhearvc.com^
+||rpmwhoop.com^
+||rppumxa.com^
+||rprapjc.com^
+||rprinc6etodn9kunjiv.com^
+||rpsoybm.com^
+||rpsukimsjy.com^
+||rptmoczqsf.com^
+||rpts.org^
+||rqazepammrl.com^
+||rqbqlwhlui.xyz^
+||rqdcusltmryapg.com^
+||rqhere.com^
+||rqnvci.com^
+||rqr97sfd.xyz^
+||rqsaxxdbt.com^
+||rqtrk.eu^
+||rqwel.com^
+||rqyebojlaawzj.top^
+||rreauksofthecom.xyz^
+||rreftyonkak.com^
+||rrgbjybt.com^
+||rrhscsdlwufu.xyz^
+||rrmlejvyqwzk.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^
+||rszimg.com^
+||rtb-media.me^
+||rtb.com.ru^
+||rtb1bid.com^
+||rtb42td.com^
+||rtb4lands.com^
+||rtbadshubmy.com^
+||rtbadsmenetwork.com^
+||rtbadsmya.com^
+||rtbadsmylive.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^
+||rthbycustomla.info^
+||rtihookier.top^
+||rtk.io^
+||rtmark.net^
+||rtnews.pro^
+||rtoukfareputfe.info^
+||rtphit.com^
+||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^
+||ruckerkithe.com^
+||ruckingefs.com^
+||rucmpbccrgbewma.com^
+||rudaglou.xyz^
+||rudderleisurelyobstinate.com^
+||ruddyred.pro^
+||rudimentarydelay.com^
+||ruefulauthorizedguarded.com^
+||ruefultest.com^
+||ruefuluphill.com^
+||rufadses.net^
+||ruftodru.net^
+||rugcrucial.com^
+||rugiomyh2vmr.com^
+||ruglhiahxam.com^
+||rugupheessupaik.net^
+||ruincrayfish.com^
+||ruinedpenal.com^
+||ruinedpersonnel.com^
+||ruinedtolerance.com^
+||ruinjan.com^
+||ruinnorthern.com^
+||rukanw.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^
+||runmixed.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^
+||rusticswollenbelonged.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^
+||rvddfchkj.xyz^
+||rvetreyu.net^
+||rviqayltwu.love^
+||rvotdlvpwmynan.xyz^
+||rvrpushserv.com^
+||rvvmynjd.love^
+||rwpgtlurfllti.com^
+||rwrkeqci.xyz^
+||rwtrack.xyz^
+||rwuannaxztux.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^
+||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^
+||sailorjav128.fun^
+||sailorlanceslap.com^
+||saintselfish.com^
+||saipeevit.net^
+||saiphoogloobo.net^
+||saipsoan.net^
+||saishook.com^
+||saiwhute.com^
+||sajewhee.xyz^
+||sakura-traffic.com^
+||salalromansh.com^
+||salamus1.lol^
+||salbraddrepilly.com^
+||salesoonerfurnace.com^
+||salestingoner.org^
+||salivamenupremise.com^
+||salivanmobster.com^
+||salivatreatment.com^
+||salleamebean.com^
+||sallyfundamental.com^
+||saltcardiacprotective.com^
+||saltconfectionery.com^
+||saltpairwoo.live^
+||saltsarchlyseem.com^
+||saltsupbrining.com^
+||salutationpersecutewindows.com^
+||salvagefloat.com^
+||samage-bility.icu^
+||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^
+||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^
+||saulsgullish.com^
+||saulttrailwaysi.info^
+||saumoupsaug.com^
+||saunaentered.com^
+||saunamilitarymental.com^
+||saunasupposedly.com^
+||sauptoacoa.com^
+||sauptowhy.com^
+||saurelwithsaw.shop^
+||saurfeued.com^
+||sauroajy.net^
+||sausagefaithfemales.com^
+||sausagegirlieheartburn.com^
+||sauwoaptain.com^
+||savableee.com^
+||savefromad.net^
+||savingsupervisorsalvage.com^
+||savinist.com^
+||savourethicalmercury.com^
+||savourmarinercomplex.com^
+||savvcsj.com^
+||sawdustreives.top^
+||saweathercock.info^
+||sawfluenttwine.com^
+||saworbpox.com^
+||sawsdaggly.com^
+||sayableconder.com^
+||saycaptain.com^
+||sayelo.xyz^
+||sayingconvicted.com^
+||sayingdentalinternal.com^
+||saylnk.com^
+||sb-stat1.com^
+||sb89347.com^
+||sbboppwsuocy.com^
+||sbfsdvc.com^
+||sbhight.com^
+||sblhp.com^
+||sbrakepads.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^
+||scapulaburgoo.click^
+||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^
+||schmoosspue.com^
+||scholarkeyboarddoom.com^
+||scholarsgrewsage.com^
+||scholarsslate.com^
+||schoolboyfingernail.com^
+||schoolmasterconveyedladies.com^
+||schoolnotwithstandingconfinement.com^
+||schoolunmoved.com^
+||schoonnonform.com^
+||schtoffdracma.com^
+||sciadopi5tysverticil1lata.com^
+||scidationgly.com^
+||sciencepoints.com^
+||scientific-doubt.com^
+||scientificdimly.com^
+||scisselfungus.com^
+||scissorsstitchdegrade.com^
+||scissorwailed.com^
+||scl6gc5l.site^
+||sclrnnp.com^
+||scnd-tr.com^
+||sconvtrk.com^
+||scoopauthority.com^
+||scoopmaria.com^
+||scootcomely.com^
+||scopefile.com^
+||scorchstrung.com^
+||score-feed.com^
+||scoreasleepbother.com^
+||scoredconnect.com^
+||scoreheadingbabysitting.com^
+||scormationwind.org^
+||scornphiladelphiacarla.com^
+||scorpiovirls.click^
+||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^
+||scriptcdn.net^
+||scriptvealpatronage.com^
+||scritchmaranta.shop^
+||scrollisolation.com^
+||scrollye.com^
+||scrootruncal.shop^
+||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^
+||sdg.fwtrck.com^
+||sdhfbvd.com^
+||sdhiltewasvery.info^
+||sdiatesupervis.com^
+||sdk4push.com^
+||sdkfjxjertertry.com^
+||sdkl.info^
+||sdmfyqkghzedvx.com^
+||sdxtxvq.com^
+||seaboblit.com^
+||seafoodclickwaited.com^
+||seafooddiscouragelavishness.com^
+||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^
+||seatsrehearseinitial.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^
+||securedvisit.com^
+||securegate.xyz^
+||securegate9.com^
+||securegfm.com^
+||secureleadsforever.com^
+||secureleadsrn.com^
+||securely-send.com^
+||securemoney.ru^
+||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^
+||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^
+||seizecrashsophia.com^
+||seizefortunesdefiant.com^
+||seizeshoot.com^
+||seizuretraumatize.com^
+||sekindo.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^
+||selornews.com^
+||selunemtr.online^
+||selwrite.com^
+||semblanceindulgebellamy.com^
+||semicircledata.com^
+||semicolonrichsieve.com^
+||semicolonsmall.com^
+||semiinfest.com^
+||seminalgaudy.click^
+||seminarcrackingconclude.com^
+||seminarentirely.com^
+||semqraso.net^
+||semsicou.net^
+||senatescouttax.com^
+||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^
+||sentinelp.com^
+||seo-overview.com^
+||separatelyweeping.com^
+||separatepattern.pro^
+||separationalphabet.com^
+||separationharmgreatest.com^
+||separationheadlight.com^
+||septads.store^
+||septaraneae.shop^
+||septemberautomobile.com^
+||septfd2em64eber.com^
+||septierpotrack.com^
+||sequelswosbird.com^
+||sequencestairwellseller.com^
+||ser678uikl.xyz^
+||seraphsklom.com^
+||serch26.biz^
+||serconmp.com^
+||serdaive.com^
+||sereanstanza.com^
+||sergeantmediocre.com^
+||serialembezzlementlouisa.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^
+||serversmatrixaggregation.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^
+||setupslum.com^
+||seullocogimmous.com^
+||sev4ifmxa.com^
+||seveelumus.com^
+||sevenbuzz.com^
+||sevenedgesteve.com^
+||sevenerraticpulse.com^
+||severelyexemplar.com^
+||severelywrittenapex.com^
+||sevierxx.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^
+||shaitchergu.net^
+||shaiwourtijogno.net^
+||shakamech.com^
+||shakingtacklingunpeeled.com^
+||shakoscoapt.top^
+||shakre.com^
+||shakydeploylofty.com^
+||shallarchbishop.com^
+||shallowbottle.pro^
+||shallowtwist.pro^
+||shalroazoagee.net^
+||shameful-leader.com^
+||shameless-sentence.pro^
+||shamelessappellation.com^
+||shamelessgoodwill.com^
+||shamelessnullneutrality.com^
+||shamepracticegloomily.com^
+||shanaurg.net^
+||shanorin.com^
+||shapedhomicidalalbert.com^
+||shapelcounset.xyz^
+||shaperswhorts.shop^
+||shardycacalia.shop^
+||share-server.com^
+||sharecash.org^
+||sharedmarriage.com^
+||sharegods.com^
+||shareitpp.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^
+||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^
+||shehikj.com^
+||shelfoka.com^
+||shelourdoals.net^
+||sheltermilligrammillions.com^
+||shelveflang.click^
+||shemalesofhentai.com^
+||shenouth.com^
+||sheoguekibosh.top^
+||shepeekr.net^
+||shepherdalmightyretaliate.com^
+||sherryfaithfulhiring.com^
+||sheschemetraitor.com^
+||shexawhy.net^
+||shfewojrmxpy.xyz^
+||shfsdvc.com^
+||shiaflsteaw.com^
+||shieldbarbecueconcession.com^
+||shieldspecificationedible.com^
+||shiepvfjd.xyz^
+||shifoanse.com^
+||shiftclang.com^
+||shifthare.com^
+||shiftwholly.com^
+||shikroux.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^
+||shomsouw.xyz^
+||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^
+||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^
+||shrojxouelny.xyz^
+||shrubjessamy.com^
+||shrubsnaturalintense.com^
+||shrweea.lat^
+||shsqacmzzz.com^
+||shticksyahuna.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^
+||si1ef.com^
+||siberiabecrush.com^
+||sibilantsuccess.com^
+||sicilywring.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^
+||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^
+||sinkingspicydemure.com^
+||sinkingswap.com^
+||sinlovewiththemo.info^
+||sinmufar.com^
+||sinnerobtrusive.com^
+||sinproductors.org^
+||sinsoftoaco.net^
+||sinterfumescomy.org^
+||sinusshough.top^
+||sinwebads.com^
+||sionscormation.org^
+||sionwops.click^
+||siphdcwglypz.tech^
+||sipibowartern.com^
+||sippansy.com^
+||sirdushi.xyz^
+||sireundermineoperative.com^
+||siruperunlinks.com^
+||sirwcniydewu.com^
+||sisewepod.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^
+||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^
+||skeliccater.shop^
+||skenaiaefaldy.com^
+||sketbhang.guru^
+||sketchinferiorunits.com^
+||sketchjav182.fun^
+||sketchyaggravation.com^
+||sketchyrecycleimpose.com^
+||sketchystairwell.com^
+||sketfarinha.shop^
+||skewserer.com^
+||skidgleambrand.com^
+||skierastonishedforensics.com^
+||skiingsettling.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^
+||skinnynovembertackle.com^
+||skinssailing.com^
+||skiofficerdemote.com^
+||skipdissatisfactionengland.com^
+||skipperx.net^
+||skirmishbabencircle.com^
+||skirtastelic.shop^
+||skirtimprobable.com^
+||skivingepileny.top^
+||skltrachqwbd.com^
+||sklxqcam.com^
+||skohssc.cfd^
+||skolvortex.com^
+||skuligpzifan.com^
+||skulldesperatelytransfer.com^
+||skullhalfway.com^
+||skullmagnets.com^
+||skunscold.top^
+||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^
+||slangysulkies.shop^
+||slantdecline.com^
+||slapexcitedly.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^
+||slickgrapes.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^
+||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^
+||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^
+||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^
+||smrtgs.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^
+||snhtvtp.com^
+||sninancukanki.com^
+||snipersex.com^
+||snippystowstool.com^
+||snitchtidying.com^
+||snlpclc.com^
+||snobdilemma.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^
+||so-gr3at3.com^
+||so1cool.com^
+||so333o.com^
+||soadaupaila.net^
+||soadicithaiy.net^
+||soaheeme.net^
+||soakcompassplatoon.com^
+||soalonie.com^
+||soaneefooy.net^
+||soaperdeils.com^
+||soaphokoul.xyz^
+||soaphoupsoas.xyz^
+||soapsudkerfed.com^
+||soathouchoa.xyz^
+||soawousa.xyz^
+||sobakenchmaphk.com^
+||sobbingservingcolony.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^
+||socxqrsbwxwyee.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^
+||softonicads.com^
+||softpopads.com^
+||softspace.mobi^
+||softwa.cfd^
+||softwares2015.com^
+||softyjahveh.shop^
+||soglaptaicmaurg.xyz^
+||sograirsoa.net^
+||soholfit.com^
+||soilenthusiasmshindig.com^
+||soilthesaurus.com^
+||sokitosa.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^
+||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^
+||soommezail.com^
+||soonlint.com^
+||soonpersuasiveagony.com^
+||soonstrongestquoted.com^
+||soopsulo.xyz^
+||soorkylarixin.com^
+||soosooka.com^
+||sootconform.com^
+||sootlongermacaroni.com^
+||sootpluglousy.com^
+||soovoaglab.net^
+||sopalk.com^
+||sophieshemol.shop^
+||sophisticatedround.pro^
+||sophomoreadmissible.com^
+||sophomoreclassicoriginally.com^
+||sophomorelink.com^
+||sordimtaulee.com^
+||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^
+||soundingdisastereldest.com^
+||soundingthunder.com^
+||souptightswarfare.com^
+||soupy-user.com^
+||souraivo.xyz^
+||sourcecodeif.com^
+||sourceconvey.com^
+||sourishpuler.com^
+||sourne.com^
+||southmailboxdeduct.com^
+||southolaitha.com^
+||southsturdy.com^
+||souvamoo.net^
+||souvenirresponse.com^
+||souvenirsconsist.com^
+||sovereigngoesintended.com^
+||sovietransom.com^
+||sovietsdryers.top^
+||sowfairytale.com^
+||sowfootsolent.com^
+||sowoltairtoom.net^
+||sowp.cloud^
+||soyincite.com^
+||soytdpb.com^
+||sozzlypeavies.com^
+||spaceshipads.com^
+||spaceshipgenuine.com^
+||spacetraff.com^
+||spacetraveldin.com^
+||spaciouslanentablelanentablepigs.com^
+||spadeandloft.com^
+||spaderonium.com^
+||spadsync.com^
+||spankalternate.com^
+||spannercopyright.com^
+||sparkerfarding.click^
+||sparkle-industries-i-205.site^
+||sparkleunwelcomepleased.com^
+||sparkrainstorm.host^
+||sparkstudios.com^
+||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^
+||specificallythesisballot.com^
+||specificmedia.com^
+||specificunfortunatelyultimately.com^
+||specifiedbloballowance.com^
+||specifiedinspector.com^
+||specimenparents.com^
+||specimensgrimly.com^
+||spectaclescirculation.com^
+||spectaculareatablehandled.com^
+||spectacularlovely.com^
+||spectato.com^
+||spediumege.com^
+||speeb.com^
+||speechanchor.com^
+||speechfountaindigestion.com^
+||speedilycartrigeglove.com^
+||speedilyeuropeanshake.com^
+||speedingbroadcastingportent.com^
+||speedsupermarketdonut.com^
+||speirskinged.shop^
+||spellingunacceptable.com^
+||spendslaughing.com^
+||spentdrugfrontier.com^
+||spentjerseydelve.com^
+||sperans-beactor.com^
+||spheredkapas.com^
+||spiceethnic.com^
+||spicy-combination.pro^
+||spicy-effect.com^
+||spicygirlshere.life^
+||spikearsonembroider.com^
+||spikedelishah.com^
+||spikethat.xyz^
+||spilldemolitionarrangement.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^
+||spletbailees.shop^
+||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^
+||sportsmanmeaning.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^
+||sprangsugar.com^
+||sprayearthy.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^
+||squatcowarrangement.com^
+||squeaknicheentangled.com^
+||squealaviationrepeatedly.com^
+||squeezesharedman.com^
+||squintopposed.com^
+||squirrelformatapologise.com^
+||squirtsuitablereverse.com^
+||sr7pv7n5x.com^
+||sragegedand.org^
+||srbtztegq.today^
+||srcsmrtgs.com^
+||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^
+||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^
+||stalerestaurant.com^
+||stalkerlagunes.shop^
+||stallionshootimmigrant.com^
+||stallionsmile.com^
+||stallsmalnutrition.com^
+||staltoumoaze.com^
+||stammerail.com^
+||stammerdescriptionpoetry.com^
+||stampsmindlessscrap.com^
+||standgruff.com^
+||standpointdriveway.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^
+||startercost.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^
+||statestockingsconfession.com^
+||statewilliamrate.com^
+||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^
+||staureez.net^
+||stavegroove.com^
+||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^
+||stealcurtainsdeeprooted.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^
+||stellar-dating2.fun^
+||stellarmingle.store^
+||stelsarg.net^
+||stemboastfulrattle.com^
+||stemmedgerres.click^
+||stemredeem.com^
+||stemsshutdown.com^
+||stenadewy.pro^
+||stenchyouthful.com^
+||step-step-go.com^
+||stepchateautolerance.com^
+||stepkeydo.com^
+||steppedengender.com^
+||steppequotationinspiring.com^
+||stereomagiciannoun.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^
+||stilaikr.com^
+||stillfolder.com^
+||stimaariraco.info^
+||stimtavy.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^
+||stoachaigog.com^
+||stoadivap.com^
+||stoaglauksargoo.xyz^
+||stoagnejums.net^
+||stoagouruzostee.net^
+||stoaphalti.com^
+||stoardeebou.xyz^
+||stoashou.net^
+||stoasstriola.shop^
+||stockingplaice.com^
+||stockingsight.com^
+||stocksinvulnerablemonday.com^
+||stogiescounter.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^
+||stootsee.xyz^
+||stootsou.net^
+||stopaggregation.com^
+||stopapaumari.com^
+||stopformal.com^
+||stophurtfulunconscious.com^
+||stoppageeverydayseeing.com^
+||stopperlovingplough.com^
+||stopsoverreactcollations.com^
+||storage-ad.com^
+||storagecelebrationchampion.com^
+||storageimagedisplay.com^
+||storagelassitudeblend.com^
+||storagewitnessotherwise.com^
+||storehighlystrongtheproduct.vip^
+||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^
+||stoutsinkles.shop^
+||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^
+||strandedprobable.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^
+||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^
+||strodemorallyhump.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^
+||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^
+||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.empressleak.biz^
+||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^
+||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^
+||subwayporcelainrunning.com^
+||subzerocuisse.top^
+||succeedingpeacefully.com^
+||succeedprosperity.com^
+||success-news.net^
+||successcuff.com^
+||successionfireextinguisher.com^
+||successionflimsy.com^
+||suchasricew.info^
+||suchcesusar.org^
+||suchroused.com^
+||suckae.xyz^
+||suckfaintlybooking.com^
+||suctionautomobile.com^
+||suctionpoker.com^
+||suddenvampire.com^
+||suddslife.com^
+||sudroockols.xyz^
+||sudvclh.com^
+||suesuspiciousin.com^
+||suffarilbf.com^
+||sufferingtail.com^
+||sufferinguniversalbitter.com^
+||suffertreasureapproval.com^
+||suffixinstitution.com^
+||suffixreleasedvenison.com^
+||sugardistanttrunk.com^
+||sugaryambition.pro^
+||suggest-recipes.com^
+||suggestedasstrategic.com^
+||suggestnotegotistical.com^
+||sugogawmg.xyz^
+||suhelux.com^
+||suirtan.com^
+||suitedeteriorate.com^
+||suitedtack.com^
+||suiteighteen.com^
+||sukcheatppwa.com^
+||sukultingecauy.info^
+||sulideshalfman.click^
+||sulkvulnerableexpecting.com^
+||sullageprofre.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^
+||sunglassesmentallyproficient.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^
+||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^
+||swampexpulsionegypt.com^
+||swan-swan-goose.com^
+||swanbxca.com^
+||swansinksnow.com^
+||swarfamlikar.com^
+||swarmpush.com^
+||swarthyamong.com^
+||swarthymacula.com^
+||swatad.com^
+||swaycomplymishandle.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^
+||sweltdiasper.shop^
+||swelteringcrazy.pro^
+||sweptbroadarchly.com^
+||swesomepop.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^
+||swwpush.com^
+||swzydgm.com^
+||sxlflt.com^
+||sy2h39ep8.com^
+||sya9yncn3q.com^
+||sycockmnioid.top^
+||sydneygfpink.com^
+||syenergyflexibil.com^
+||syeniteexodoi.com^
+||syinga.com^
+||syiwgwsqwngrdw.xyz^
+||sykfmgu.com^
+||syllableliking.com^
+||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^
+||syndicatedsearch.goog^
+||syndromeentered.com^
+||syndromegarlic.com^
+||synonymcuttermischievous.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^
+||systemhostess.com^
+||systemleadb.com^
+||sytqxychwk.xyz^
+||syyycc.com^
+||szgaikk.com^
+||szkzvqs.com^
+||szpjpzi.com^
+||szqxnpcqnzl.com^
+||szqxvo.com^
+||szreismz.world^
+||t.uc.cn^
+||t0gju20fq34i.com^
+||t2lgo.com^
+||t4yv0sj9u8ja.shop^
+||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^
+||tacopush.ru^
+||tacticmuseumbed.com^
+||tacticsadamant.com^
+||tacticschangebabysitting.com^
+||tacticsjoan.com^
+||tadadamads.com^
+||tadamads.com^
+||taetsiainfall.shop^
+||tagalodrome.com^
+||tagd-otmhf.world^
+||taghaugh.com^
+||tagloognain.xyz^
+||tagmai.xyz^
+||tagoutlookignoring.com^
+||tagroors.com^
+||tagruglegni.net^
+||tahrsli.com^
+||tahwox.com^
+||taicheetee.com^
+||taichnewcal.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^
+||tanglesoonercooperate.com^
+||tangpuax.xyz^
+||tanhelpfulcuddle.com^
+||tanivanprevented.com^
+||tankahjussion.shop^
+||taosiz.xyz^
+||taovgsy.com^
+||taoyinbiacid.com^
+||taozgpkjzpdtgr.com^
+||tapchibitcoin.care^
+||tapdb.net^
+||tapeabruptlypajamas.com^
+||tapestrygenus.com^
+||tapestrymob.com^
+||tapewherever.com^
+||tapioni.com^
+||tapixesa.pro^
+||tapjoyads.com^
+||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^
+||tarrepierce.click^
+||tarrilyathenee.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^
+||tattepush.com^
+||tauaddy.com^
+||taucaphoful.net^
+||taugookoaw.net^
+||tauphaub.net^
+||tauvoojo.net^
+||taxconceivableseafood.com^
+||taxismaned.top^
+||taxissunroom.com^
+||taxitesgyal.top^
+||tazichoothis.com^
+||tazkiaonu.click^
+||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^
+||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^
+||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^
+||techniciancocoon.com^
+||technoratimedia.com^
+||technoshadows.com^
+||techourtoapingu.com^
+||techreviewtech.com^
+||tecominchisel.com^
+||tecuil.com^
+||tedhilarlymcken.org^
+||tediousgorgefirst.com^
+||tediouswavingwhiskey.com^
+||tedtaxi.com^
+||tedtug.com^
+||teeglimu.com^
+||teemmachinerydiffer.com^
+||teemooge.net^
+||teenagerapostrophe.com^
+||teensexgfs.com^
+||teentitsass.com^
+||teepoomo.xyz^
+||teestoagloupaza.net^
+||teetusee.xyz^
+||tefrjctjwuu.com^
+||tefuse.com^
+||tegleebs.com^
+||tegronews.com^
+||teicdn.com^
+||teinlbw.com^
+||teknologia.co^
+||teksishe.net^
+||tektosfolic.com^
+||tel-tel-fie.com^
+||telechargementdirect.net^
+||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^
+||temperaturemarvelcounter.com^
+||tempergleefulvariability.com^
+||temperickysmelly.com^
+||temperrunnersdale.com^
+||templa.xyz^
+||templeoffendponder.com^
+||temporarytv.com^
+||tenchesjingly.shop^
+||tend-new.com^
+||tenderlywomblink.com^
+||tendernessknockout.com^
+||tendonsjogger.top^
+||tenoneraliners.top^
+||tenourcagy.com^
+||tensagesic.com^
+||tensasscarify.com^
+||tenseapprobation.com^
+||tensorsbancos.com^
+||tentativenegotiate.com^
+||tenthgiven.com^
+||tenthsfrumpy.com^
+||tentioniaukmla.info^
+||tentmess.com^
+||tentubu.xyz^
+||tenutoboma.click^
+||tepysilscpm.xyz^
+||terabigyellowmotha.info^
+||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^
+||tetherslapillo.click^
+||tetrdracausa.com^
+||tetrylscullion.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^
+||tgel2ebtx.ru^
+||tgktlgyqsffx.xyz^
+||tgolived.com^
+||thaculse.net^
+||thagegroom.net^
+||thagrals.net^
+||thagroum.net^
+||thaichashootu.net^
+||thaickoo.net^
+||thaickoofu.net^
+||thaigapousty.net^
+||thaiheq.com^
+||thaimoul.net^
+||thairoob.com^
+||thaistiboa.com^
+||thaithawhokr.net^
+||thaitingsho.info^
+||thale-ete.com^
+||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^
+||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^
+||thenceextremeeyewitness.com^
+||thenceshapedrugged.com^
+||thenewstreams.com^
+||thenfulfilearnestly.com^
+||thengeedray.xyz^
+||thenicenewz.com^
+||theod-omq.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^
+||therapistpopulationcommentary.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^
+||thetaweblink.com^
+||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^
+||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^
+||thinkingpresentimenteducational.com^
+||thinksuggest.org^
+||thinnertrout.com^
+||thinnerwishingeccentric.com^
+||thinpaltrydistrust.com^
+||thinperspectivetales.com^
+||thinrabbitsrape.com^
+||thiraq.com^
+||third-tracking.com^
+||thirteenvolunteerpit.com^
+||thirtycabook.com^
+||thirtyeducate.com^
+||thiscdn.com^
+||thisiswaldo.com^
+||thisisyourprize.site^
+||thivelunliken.com^
+||thizecmeeshumum.net^
+||thjadeau.com^
+||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^
+||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^
+||thuangreith.shop^
+||thubanoa.com^
+||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^
+||ticalfelixstownru.info^
+||tichoake.xyz^
+||ticielongsuched.com^
+||ticketnegligence.com^
+||ticketpantomimevirus.com^
+||ticketsfrustratingrobe.com^
+||ticketsrubbingroundabout.com^
+||ticketswinning.com^
+||ticklefell.com^
+||tickleinclosetried.com^
+||tickleorganizer.com^
+||tickmatureparties.com^
+||ticrite.com^
+||tictacfrison.com^
+||tictastesnlynot.com^
+||tidaltv.com^
+||tideairtight.com^
+||tidenoiseless.com^
+||tidint.pro^
+||tidy-mark.com^
+||tidyinteraction.pro^
+||tidyllama.com^
+||tiepinsespials.top^
+||tigainareputaon.info^
+||tightendescendantcuddle.com^
+||tighterinfluenced.com^
+||tighternativestraditional.com^
+||tigipurcyw.com^
+||tiglonhominy.top^
+||tignuget.net^
+||tigroulseedsipt.net^
+||tiktakz.xyz^
+||tilesmuzarab.com^
+||tillinextricable.com^
+||tiltgardenheadlight.com^
+||tilttrk.com^
+||tiltwin.com^
+||timcityinfirmary.com^
+||time4news.net^
+||timecrom.com^
+||timeforagreement.com^
+||timelymongol.com^
+||timeone.pro^
+||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^
+||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^
+||titiesgnawers.shop^
+||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^
+||tlrkcj17.de^
+||tlsmluxersi.com^
+||tm5kpprikka.com^
+||tmb5trk.com^
+||tmenfhave.info^
+||tmh4pshu0f3n.com^
+||tmnsstf.com^
+||tmrjmp.com^
+||tmulppw.com^
+||tmwsiaoqlzi.com^
+||tmztcfp.com^
+||tnaczwecikco.online^
+||tncred.com^
+||tnctufo.com^
+||tneca.com^
+||tnpads.xyz^
+||toadcampaignruinous.com^
+||toaglegi.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^
+||tocometentage.shop^
+||tocontraceptive.com^
+||toddlecausebeeper.com^
+||toddlespecialnegotiate.com^
+||toeapesob.com^
+||toenailannouncehardworking.com^
+||toenailplaywright.com^
+||toenailtrishaw.com^
+||toffeeallergythrill.com^
+||toffeebigot.com^
+||toffeecollationsdogcollar.com^
+||togenron.com^
+||togetherballroom.com^
+||toglooman.com^
+||togothitaa.com^
+||togranbulla.com^
+||tohechaustoox.net^
+||toiletallowingrepair.com^
+||toiletpaper.life^
+||tokenads.com^
+||tokofyttes.com^
+||toksoudsoab.net^
+||tollcondolences.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^
+||toojaipi.net^
+||toojeestoone.net^
+||tookiroufiz.net^
+||toolspaflinch.com^
+||toolughitilagu.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^
+||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^
+||torattatachan.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^
+||totalfreshwords.com^
+||totallyplaiceaxis.com^
+||totalnicefeed.com^
+||totalwowblog.com^
+||totalwownews.com^
+||totemcash.com^
+||totentacruelor.com^
+||totersoutpay.com^
+||totlnkbn.com^
+||totlnkcl.com^
+||totogetica.com^
+||touaz.xyz^
+||touched35one.pro^
+||touchyeccentric.com^
+||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^
+||towardcorporal.com^
+||towardsflourextremely.com^
+||towardsturtle.com^
+||towardwhere.com^
+||towerdesire.com^
+||towersalighthybrids.com^
+||towerslady.com^
+||towersresent.com^
+||townifybabbie.top^
+||townrusisedpriva.org^
+||townrusisedprivat.info^
+||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^
+||tqrjlqt.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^
+||tracker-2.com^
+||tracker-sav.space^
+||tracker-tds.info
+||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.adexprtz.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^
+||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^
+||traversefloral.com^
+||travidia.com^
+||trawibosxlc.com^
+||trawlsshally.top^
+||traydungeongloss.com^
+||traymute.com^
+||trayrubbish.com^
+||trayzillion.com^
+||trazgki.com^
+||trblocked.com^
+||trbnltfhghm.com^
+||trc85.com^
+||trccmpnlnk.com^
+||trck.wargaming.net^
+||trckswrm.com^
+||trcktr.com^
+||trdnewsnow.net^
+||treacherouscarefully.com^
+||treadhospitality.com^
+||treasonemphasis.com^
+||treasureantennadonkey.com^
+||treasureralludednook.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^
+||treklizard.com^
+||trellian.com^
+||trembleday.com^
+||tremblingbunchtechnique.com^
+||tremorhub.com^
+||trenchpoor.net^
+||trendmouthsable.com^
+||trenhsasolc.com^
+||trenhsmp.com^
+||trenpyle.com^
+||trentjesno.com^
+||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^
+||tributesexually.com^
+||tricemortal.com^
+||tricklesmartdiscourage.com^
+||trickvealwagon.com^
+||trickynationalityturn.com^
+||triedstrickenpickpocket.com^
+||trienestooth.com^
+||trigami.com^
+||trikerboughs.com^
+||trim-goal.com^
+||trimpagkygg.com^
+||trimpur.com^
+||trimregular.com^
+||tripledeliveryinstance.com^
+||triplescrubjenny.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^
+||trkr.technology^
+||trkrdel.com^
+||trkrspace.com^
+||trksmorestreacking.com^
+||trktnc.com^
+||trkunited.com^
+||trlxcf05.com^
+||trmit.com^
+||trmobc.com^
+||trmzum.com^
+||trocarssubpool.shop^
+||trodspivery.com^
+||trokemar.com^
+||trolleydemocratic.com^
+||trolleytool.com^
+||trollsvide.com^
+||trololopush2023push.com^
+||trombocrack.com^
+||tronads.io^
+||troopsassistedstupidity.com^
+||troopseruptionfootage.com^
+||tropaiariskful.top^
+||tropbikewall.art^
+||troublebrought.com^
+||troubledcontradiction.com^
+||troubleextremityascertained.com^
+||troublesomeleerycarry.com^
+||troutgorgets.com^
+||trpool.org^
+||trpop.xyz^
+||trsbmiw.com^
+||trtjigpsscmv9epe10.com^
+||truanet.com^
+||truantsnarestrand.com^
+||truazka.xyz^
+||trucelabwits.com^
+||trucemallow.website^
+||trulydevotionceramic.com^
+||trulysuitedcharges.com^
+||trumppuffy.com^
+||trumpsurgery.com^
+||trumpthisaccepted.com^
+||truoptik.com^
+||trust.zone^
+||trustaffs.com^
+||trustbummler.com^
+||trustedachievementcontented.com^
+||trustedcpmrevenue.com^
+||trustedgatetocontent.com^
+||trustedpeach.com^
+||trustedzone.info^
+||trustflayer1.online^
+||trusting-offer.com^
+||trustmaxonline.com^
+||trustworthyturnstileboyfriend.com^
+||trusty-research.com^
+||trustyable.com^
+||trustyfine.com^
+||trustzonevpn.info^
+||trutheyesstab.com^
+||truthfulanomaly.com^
+||truthfulplanninggrasp.com^
+||truthhascudgel.com^
+||truthvexedben.com^
+||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^
+||tsy-jnugwavj.love^
+||tsyfnhd.com^
+||tsyndicate.com^
+||ttbm.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^
+||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^
+||tumri.net^
+||tumultmarten.com^
+||tumultuserscheek.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^
+||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^
+||twewmykfe.com^
+||twi-hjritecl.world^
+||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^
+||twrencesprin.info^
+||twrugkpqkvit.com^
+||twsylxp.com^
+||twtad.com^
+||twtdkzg.com^
+||twvybupqup.xyz^
+||txbwpztu-oh.site^
+||txeefgcutifv.info^
+||txgeszx.com^
+||txjhmbn.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^
+||typgodaovzh.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^
+||tytlementwre.info^
+||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^
+||uaiqkjkw.com^
+||uavbgdw.com^
+||uawvmni.com^
+||ubbfpm.com^
+||ubbkfvtfmztilo.com^
+||ubdmfxkh.com^
+||ubeestis.net^
+||ubertyguberla.shop^
+||ubilinkbin.com^
+||ubish.com^
+||uboungera.com^
+||ucationinin.info^
+||ucbedayxxqpyuo.xyz^
+||ucconn.live^
+||ucheephu.com^
+||uclrlydjewxcl.xyz^
+||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^
+||ufzanvc.com^
+||ugailidsay.xyz^
+||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^
+||uidhealth.com^
+||uidsync.net^
+||uilzwzx.com^
+||uimserv.net^
+||uingroundhe.com^
+||uiphk.one^
+||ujautifuleed.xyz^
+||ujmkqrnhfio.com^
+||ujscdn.com^
+||ujtgtmj.com^
+||ujxrfkhsiss.xyz^
+||ujznabh.com^
+||uk08i.top^
+||ukankingwithea.com^
+||ukcomparends.pro^
+||ukdtzkc.com^
+||ukenthasmeetu.com^
+||ukentsiwoulukdlik.info^
+||ukgzavrhc.com^
+||ukindwouldmeu.com^
+||ukizeiasninan.info^
+||ukloxmchcdnn.com^
+||ukmlastityty.info^
+||ukmlastitytyeastf.com^
+||ukqibzitix.com^
+||ukrkskillsombine.info^
+||uksjogersamyre.com^
+||ukskxmh.com^
+||uksofthecomp.com^
+||ukzoweq.com^
+||ul8seok7w5al.com^
+||ulaiwhiw.xyz^
+||ulathana.com^
+||uldlikukemyfueu.com^
+||uldmakefeagr.info^
+||ulesufeism.shop^
+||ulesxbo.com^
+||ulheaddedfearing.com^
+||ulmoyc.com^
+||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^
+||umggxggvv.com^
+||umhlnkbj.xyz^
+||umjcamewiththe.info^
+||umoxomv.icu^
+||umpedshumal.com^
+||umqmxawxnrcp.com^
+||umtchdhkrx.com^
+||umtudo.com^
+||umumallowecouldl.info^
+||unacceptableperfection.com^
+||unaces.com^
+||unafeed.com^
+||unamplespalax.com^
+||unanimousbrashtrauma.com^
+||unarbokor.com^
+||unasonoric.com^
+||unattractivehastypendulum.com^
+||unauthorizedsufficientlysensitivity.com^
+||unavailableprocessionamazingly.com^
+||unawaredisk.com^
+||unawarehistory.pro^
+||unbearablepulverizeinevitably.com^
+||unbeastskilled.shop^
+||unbeedrillom.com^
+||unbelievableheartbreak.com^
+||unbelievableinnumerable.com^
+||unbelievablesuitcasehaberdashery.com^
+||unbelievablydemocrat.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^
+||uncoverarching.com^
+||uncrobator.com^
+||uncrownarmenic.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^
+||understandingspurt.com^
+||understandskinny.com^
+||understatedworking.com^
+||understatementimmoderate.com^
+||understoodadmiredapprove.com^
+||understoodeconomicgenetic.com^
+||undertakinghomeyegg.com^
+||undertakingmight.com^
+||underwarming.com^
+||underwaterbirch.com^
+||underwilliameliza.com^
+||undiesthumb.com^
+||undoneabated.shop^
+||undooptimisticsuction.com^
+||undressregionaladdiction.com^
+||undubirprourass.com^
+||unelekidan.com^
+||unemploymentinstinctiverite.com^
+||unequalbrotherhermit.com^
+||unequaled-department.pro^
+||unequaledchair.com^
+||unevenobjective.com^
+||unevenregime.com^
+||unfairgenelullaby.com^
+||unfaithfulgoddess.com^
+||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^
+||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^
+||unluxioer.com^
+||unmantyker.com^
+||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^
+||unseeligates.top^
+||unseenrazorcaptain.com^
+||unseenreport.com^
+||unseenshingle.com^
+||unsettledfederalrefreshing.com^
+||unshellbrended.com^
+||unsigilyphor.com^
+||unskilfulwalkerpolitician.com^
+||unskilledexamples.com^
+||unsnareparroty.com^
+||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^
+||unusualbrainlessshotgun.com^
+||unusuallynonfictionconsumption.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^
+||up.stickertable.com^
+||up2cdn.com^
+||up4u.me^
+||upaicpa.com^
+||uparceuson.com^
+||upbemzagunkppj.com^
+||upbriningleverforecast.com^
+||upclipper.com^
+||upcomingmonkeydolphin.com^
+||upcurlsreid.website^
+||updaight.com^
+||update-it-now.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^
+||uplucarioon.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^
+||upstairswellnewest.com^
+||upstandingmoscow.com^
+||upsups.click^
+||uptafashib.com^
+||uptechnologys.com^
+||uptightdecreaseclinical.com^
+||uptightfirm.com^
+||uptightimmigrant.com^
+||uptightyear.com^
+||uptimecdn.com^
+||uptownrecycle.com^
+||upuplet.net^
+||upush.co^
+||upwardbodies.com^
+||upwardsbenefitmale.com^
+||upwardsdecreasecommitment.com^
+||upzekroman.com^
+||uqbcz.today^
+||uqecqpnnzt.online^
+||uqmmfpr.com^
+||uqqmj868.xyz^
+||uranismunshore.com^
+||urauvipsidu.com^
+||urbanjazzsecretion.com^
+||urechar.com^
+||urgedhearted.com^
+||urgentlyfeerobots.com^
+||urgentprotections.com^
+||urimnugocfr.com^
+||urinebladdernovember.com^
+||urinousbiriba.com^
+||urkbgdfhuc.global^
+||urldelivery.com^
+||urlgone.com^
+||urlhausa.com^
+||urllistparding.info^
+||urmavite.com^
+||urmilan.info^
+||urocyoncabrit.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^
+||usheredbruting.top^
+||ushnjobwcvpebcj.xyz^
+||ushoofop.com^
+||ushzfap.com^
+||usingantecedent.com^
+||usisedprivatedqu.com^
+||usix-udlnseb.space^
+||usjbwvtqwv.com^
+||usounoul.com^
+||ust-ad.com^
+||usuallyaltered.com^
+||usuaryyappish.com^
+||usurv.com^
+||usvsnuxhfbn.com^
+||uswardwot.com^
+||usxabwaiinnu.com^
+||ut13r.online^
+||ut13r.site^
+||ut13r.space^
+||utarget.co.uk^
+||utarget.pro^
+||utarget.ru^
+||utecsfi.com^
+||uthorner.info^
+||uthounie.com^
+||utilitypresent.com^
+||utilitysafe-view.info^
+||utilitytied.com^
+||utilizedshoe.com^
+||utilizeimplore.com^
+||utilizepersonalityillegible.com^
+||utillib.xyz^
+||utl-1.com^
+||utlicyweaabdbj.xyz^
+||utm-campaign.com^
+||utmostsecond.com^
+||utndln.com^
+||utokapa.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^
+||uwfcqtdb.xyz^
+||uwjhzeb.com^
+||uwlzsfo.com^
+||uwmlmhcjmjvuqy.xyz^
+||uwoaptee.com^
+||uwougheels.net^
+||ux782mkgx.com^
+||uyiteasacomsys.info^
+||uyjxzvu.com^
+||uzauxaursachoky.net^
+||uzdhsjuhrw.com^
+||uzvcffe-aw.vip^
+||v124mers.com^
+||v2cigs.com^
+||v6rxv5coo5.com^
+||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^
+||vagilunger.com^
+||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^
+||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^
+||vanishedentrails.com^
+||vanishedpatriot.com^
+||vanityassassinationsobbing.com^
+||vapedia.com^
+||vapjcusfua.com^
+||vapourfertile.com^
+||vapourwarlockconveniences.com^
+||vaptoangix.com^
+||vaqykqeoeaywm.top^
+||varasbrijkt.com^
+||varechphugoid.com^
+||variabilityproducing.com^
+||variablespestvex.com^
+||variablevisualforty.com^
+||variationaspenjaunty.com^
+||variationsradio.com^
+||variedpretenceclasped.com^
+||variedslimecloset.com^
+||variedsubduedplaice.com^
+||varietiesassuage.com^
+||varietiesplea.com^
+||varietyofdisplayformats.com^
+||varietypatrice.com^
+||variousanyplaceauthorized.com^
+||variouscreativeformats.com^
+||variousformatscontent.com^
+||variouspheasantjerk.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^
+||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^
+||vbhuivr.com^
+||vbozbkzvyzloy.top^
+||vbrbgki.com^
+||vbrusdiifpfd.com^
+||vbthecal.shop^
+||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^
+||vectorsnearby.top^
+||vedropeamwou.com^
+||veephoboodouh.net^
+||veepteero.com^
+||veeqlly.com^
+||veeredfunt.top^
+||veezudeedou.net^
+||vegetablesparrotplus.com^
+||vegetationadmirable.com^
+||vegetationartcocoa.com^
+||vegetationplywoodfiction.com^
+||vehiclepatsyacacia.com^
+||vehosw.com^
+||veilsuccessfully.com^
+||veincartrigeforceful.com^
+||veinourdreams.com^
+||vekseptaufin.com^
+||velocecdn.com^
+||velocitycdn.com^
+||velocitypaperwork.com^
+||veluredcipo.click^
+||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^
+||ventrequmus.com^
+||ventualkentineda.info^
+||venturead.com^
+||ventureclamourtotally.com^
+||venturepeasant.com^
+||venueitemmagic.com^
+||venulaeriggite.com^
+||venusfritter.com^
+||veoxphl.com^
+||verandahcrease.com^
+||vereforhedidno.info^
+||vergi-gwc.com^
+||verifiablevolume.com^
+||verify-human.b-cdn.net^
+||veristouh.net^
+||vernementsec.info^
+||verneukdottle.shop^
+||verninchange.com^
+||vernondesigninghelmet.com^
+||vernongermanessence.com^
+||vernonspurtrash.com^
+||veronalhaf.com^
+||verrippleshi.info^
+||verse-content.com^
+||versedarkenedhusky.com^
+||versinehopper.com^
+||versionsfordisplay.com^
+||verticallydeserve.com^
+||verticallyrational.com^
+||verwh.com^
+||verygoodminigames.com^
+||veryn1ce.com^
+||verysilenit.com^
+||vespymedia.com^
+||vessoupy.com^
+||vestalsabuna.shop^
+||vestigeencumber.com^
+||vesuvinaqueity.top^
+||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^
+||vfjydbpywqwe.xyz^
+||vfl81ea28aztw7y3.pro^
+||vflouksffoxmlnk.xyz^
+||vfthr.com^
+||vfuqivac.com^
+||vfvdsati.com^
+||vfyhwapi.com^
+||vfzqtgr.com^
+||vg4u8rvq65t6.com^
+||vg876yuj.click^
+||vgfhycwkvh.com^
+||vgqxnajvciers.com^
+||vhdbohe.com^
+||vheoggjiqaz.com^
+||vhkgzudn.com^
+||vhngny-cfwm.life^
+||vhrtgvzcmrfoo.com^
+||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^
+||vibrantvale.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^
+||vidsfull.online^
+||vidsfull.space^
+||vidshouse.online^
+||vidsplanet.online^
+||vidsplanet.space^
+||viennafeedman.click^
+||vieva.xyz^
+||view-flix.com^
+||viewablemedia.net^
+||viewagendaanna.com^
+||viewclc.com^
+||viewedcentury.com^
+||viewerebook.com^
+||viewerwhateversavour.com^
+||viewlnk.com^
+||viewscout.com^
+||viewsoz.com^
+||viewyentreat.guru^
+||vigilantprinciple.pro^
+||vigorouslymicrophone.com^
+||vigourmotorcyclepriority.com^
+||vigsole.com^
+||vihub.ru^
+||viiahdlc.com^
+||viiaoqke.com^
+||viiavjpe.com^
+||viibest.com^
+||viicqujz.com^
+||viicylmb.com^
+||viiczfvm.com^
+||viiddai.com^
+||viidirectory.com^
+||viidsyej.com^
+||viifixi.com^
+||viifogyp.com^
+||viiguqam.com^
+||viihloln.com^
+||viiiaypg.com^
+||viiigle.com^
+||viiioktg.com^
+||viiith.com^
+||viiithia.com^
+||viiiyskm.com^
+||viijan.com^
+||viikttcq.com^
+||viimfua.com^
+||viimgupp.com^
+||viimksyi.com^
+||viioxx.com^
+||viiphciz.com^
+||viipilo.com^
+||viippugm.com^
+||viiqqou.com^
+||viiqxpnb.com^
+||viirift.com^
+||viirkagt.com^
+||viiruc.com^
+||viitgb.com^
+||viitqvjx.com^
+||viivedun.com^
+||viiyblva.com^
+||vijcwykceav.com^
+||vijkc.top^
+||vikaez.xyz^
+||vikuhiaor.com^
+||vilereasoning.com^
+||vilerebuffcontact.com^
+||viliaff.com^
+||villagepalmful.com^
+||villagerprolific.com^
+||villagerreporter.com^
+||vilmgins.com^
+||vilpujzmyhu.com^
+||vimaxckc.com^
+||vincentagrafes.top^
+||vindicosuite.com^
+||vindictivegrabnautical.com^
+||vinegardaring.com^
+||vingartistictaste.com^
+||vinosedermol.com^
+||vintageperk.com^
+||vintagerespectful.com^
+||violatedroppompey.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^
+||vipcaptcha.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^
+||virginyoungestrust.com^
+||virtuallythanksgivinganchovy.com^
+||virtualroecrisis.com^
+||virtue1266.fun^
+||virtuereins.com^
+||virtuousescape.pro^
+||visariomedia.com^
+||viscountquality.com^
+||visfirst.com^
+||visiads.com^
+||visibilitycrochetreflected.com^
+||visibleevil.com^
+||visiblegains.com^
+||visiblejoseph.com^
+||visiblemeasures.com^
+||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^
+||vitrifywarman.click^
+||viurl.fun^
+||viviendoefelizz.online^
+||viwjsp.info^
+||viwvamotrnu.com^
+||vizierspavan.com^
+||vizoalygrenn.com^
+||vizofnwufqme.com^
+||vizoredcheerly.com^
+||vizpwsh.com^
+||vjdciu.com^
+||vjlyljbjjmley.top^
+||vjugz.com^
+||vkeagmfz.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^
+||voicerdefeats.com^
+||voidmodificationdough.com^
+||vokaunget.xyz^
+||vokjslngw.xyz^
+||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^
+||vooptikoph.net^
+||vooruvou.com^
+||vooshagy.net^
+||vootapoago.com^
+||voovoacivoa.net^
+||voredi.com^
+||vorlagesmudged.click^
+||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^
+||vroomedbedroll.shop^
+||vrplynsfcr.xyz^
+||vrtzads.com^
+||vruvvdxfzb.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^
+||vtveyowwjvz.com^
+||vu-kgxwyxpr.online^
+||vudaiksaidy.com^
+||vudkgwfk.xyz^
+||vudoutch.com^
+||vuftouks.com^
+||vufzuld.com^
+||vugnubier.com^
+||vugpakba.com^
+||vuidccfq.life^
+||vuiluaz.xyz^
+||vulgarmilletappear.com^
+||vulnerablebreakerstrong.com^
+||vulnerablepeevestendon.com^
+||vulsubsaugrourg.net^
+||vupoupay.com^
+||vupteerairs.net^
+||vuqcteyi.com^
+||vuqufo.uno^
+||vursoofte.net^
+||vuvacu.xyz^
+||vuvcroguwtuk.com^
+||vv8h9vyjgnst.com^
+||vvabjoqaamezj.top^
+||vvehvch.com^
+||vvewkbleeebez.top^
+||vvpojbsibm.xyz^
+||vvprcztaw.com^
+||vvvvdbrrt.com^
+||vwagkipi.com^
+||vwchbsoukeq.xyz^
+||vwegihahkos.com^
+||vwinagptucpa.com^
+||vwioxxra.com^
+||vwpttkoh.xyz^
+||vwuiefsgtvixw.xyz^
+||vwwzygltq.com^
+||vxorjza.com^
+||vyfrxuytzn.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^
+||wabblydungari.click^
+||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^
+||waiterregistrydelusional.com^
+||waitheja.net^
+||waiting.biz^
+||waitumaiwy.xyz^
+||waiwiboonubaup.xyz^
+||wakemessyantenna.com^
+||wakenprecox.com^
+||wakenssponged.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^
+||waltzprescriptionplate.com^
+||wanalnatnwto.com^
+||wanderingchimneypainting.com^
+||wangfenxi.com^
+||wangrocery.pro^
+||wanigandoited.shop^
+||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^
+||wardhunterwaggoner.com^
+||warehouseassistedsprung.com^
+||warehousecanneddental.com^
+||warehousestoragesparkling.com^
+||warfarerewrite.com^
+||warilycommercialconstitutional.com^
+||warilydigestionauction.com^
+||warindifferent.com^
+||warisonrescuer.shop^
+||warliketruck.com^
+||warlockstallioniso.com^
+||warlockstudent.com^
+||warm-course.pro^
+||warmerdisembark.com^
+||warmupstenuti.shop^
+||warnmessage.com^
+||warnothnayword.shop^
+||warrantpiece.com^
+||warriorflowsweater.com^
+||warsabnormality.com/pixel/pure
+||warsabnormality.com^
+||warscoltmarvellous.com^
+||warumbistdusoarm.space^
+||wary-corner.com^
+||warycsrm.com^
+||wasanasosetto.com^
+||washedgrimlyhill.com^
+||washingchew.com^
+||washingoccasionally.com^
+||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^
+||watchgelads.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^
+||waveclks.com^
+||wavedfrailentice.com^
+||wavedprincipal.com^
+||waveelectbarn.com^
+||waverdisembroildisembroildeluge.com^
+||waxapushlite.com^
+||waxworksprotectivesuffice.com^
+||wayfarerfiddle.com^
+||wayfgwbipgiz.com^
+||waymarkgentiin.com^
+||waymentriddel.com^
+||wazaki.xyz^
+||wazctigribhy.com^
+||wazzeyzlobbj.top^
+||wbdds.com^
+||wbdqwpu.com^
+||wbidder.online^
+||wbidder2.com^
+||wbidder3.com^
+||wbidder311072023.com^
+||wbidr.com^
+||wbilvnmool.com^
+||wbkfklsl.com^
+||wboptim.online^
+||wboux.com^
+||wbowoheflewroun.info^
+||wbsads.com^
+||wcaahlqr.xyz^
+||wcadfvvwbbw.xyz^
+||wcbxugtfk.com^
+||wcdxpxugsrk.xyz^
+||wcgcddncqveiqia.xyz^
+||wcigmepzygad.com^
+||wcmcs.net^
+||wcnhhqqueu.com^
+||wcoaswaxkrt.com^
+||wcpltnaoivwob.xyz^
+||wcqtgwsxur.xyz^
+||wct.link^
+||wcuolmojkzir.com^
+||wdavrzv.com^
+||wdohhlagnjzi.com^
+||wdsoqece.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^
+||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^
+||weedfowlsgram.com^
+||weedieritched.shop^
+||weednewspro.com^
+||weejaugest.net^
+||week1time.com^
+||weekendchinholds.com^
+||weeklideals.com^
+||weensnandow.com^
+||weensydudler.com^
+||weephuwe.xyz^
+||weepingheartache.com^
+||weepingpretext.com^
+||weeprobbery.com^
+||weethery.com^
+||weeweesozoned.com^
+||weewhunoamo.xyz^
+||weezoptez.net^
+||wefoonsaidoo.com^
+||wegeeraitsou.xyz^
+||wegetpaid.net^
+||wegotmedia.com^
+||wehaveinourd.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^
+||westernhungryadditions.com^
+||westernwhetherowen.com^
+||wet-maybe.pro^
+||wetlinepursuing.com^
+||wetnesstommer.com^
+||wetpeachcash.com^
+||wetryprogress.com^
+||wetsireoverload.com^
+||wewaixor.com^
+||wewearegogogo.com^
+||wextap.com^
+||wfcs.lol^
+||wffbdim.com^
+||wfnetwork.com^
+||wfodwkk.com^
+||wfredir.net^
+||wg-aff.com^
+||wgchrrammzv.com^
+||wggqzhmnz.com^
+||wgmojebreax.com^
+||whackresolved.com^
+||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^
+||whalerkentia.com^
+||whamauft.com^
+||whampamp.com^
+||whandpolista.com^
+||wharployn.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^
+||whenevererupt.com^
+||whenolri.com^
+||where-to.shop^
+||where.com^
+||wherebyinstantly.com^
+||whereres.com^
+||whereuponcomicsraft.com^
+||wherevertogo.com^
+||wherticewhee.com^
+||wherunee.com^
+||whetin.com^
+||wheysferoher.top^
+||whhasymvi.com^
+||whiboubs.com^
+||whiceega.com^
+||whichcandiedhandgrip.com^
+||whidoutounseegn.xyz^
+||whileinferioryourself.com^
+||whilieesrogs.top^
+||whilroacix.com^
+||whilstrorty.com^
+||whimpercategory.com^
+||whimsicalcoat.com^
+||whinemalnutrition.com^
+||whippedfreezerbegun.com^
+||whippetahunt.shop^
+||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^
+||whoartairg.com^
+||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^
+||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^
+||whufteekoam.com^
+||whugeestauva.com^
+||whugesto.net^
+||whuhough.xyz^
+||whulrima.xyz^
+||whulsaux.com^
+||whupsoza.xyz^
+||whutchey.com^
+||whuzucot.net^
+||whyl-laz-i-264.site^
+||wibtntmvox.com^
+||wicdn.cloud^
+||wichauru.xyz^
+||wickedhumankindbarrel.com^
+||wicopymastery.com^
+||wideaplentyinsurance.com^
+||wideeyed-painting.com^
+||widerdaydream.com^
+||widerperspire.com^
+||widerrose.com^
+||widgetbucks.com^
+||widgetly.com^
+||widow5blackfr.com^
+||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^
+||willingnesslookheap.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^
+||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^
+||winsimpleprizes.life^
+||winslinks.com^
+||winternewsnow.name^
+||winterolivia.com^
+||wintjaywolf.org^
+||wintrck.com^
+||winzefarrel.com^
+||wipedhypocrite.com^
+||wipeilluminationlocomotive.com^
+||wipepeepcyclist.com^
+||wipowaxe.com^
+||wiremembership.com^
+||wirenth.com^
+||wiringsensitivecontents.com^
+||wirrttnlmumsak.xyz^
+||wirsilsa.net^
+||wirtooxoajet.net^
+||wisfriendshad.info^
+||wishesantennarightfully.com^
+||wishjus.com^
+||wishoblivionfinished.com^
+||wishoutergrown.com^
+||wister.biz^
+||wistfulcomet.com^
+||witalfieldt.com^
+||withblaockbr.org^
+||withdrawcosmicabundant.com^
+||withdrawdose.com^
+||withdrawwantssheep.com^
+||withdrewparliamentwatery.com^
+||withearamajo.info^
+||withenvisagehurt.com^
+||withholdrise.com^
+||withmefeyaukna.com^
+||withnimmunger.com^
+||withyouryretye.info^
+||witnessedcompany.com^
+||witnessedworkerplaid.com^
+||witnessjacket.com^
+||witnessremovalsoccer.com^
+||witnesssellingoranges.com^
+||witnesssimilarindoors.com^
+||wittilyfrogleg.com^
+||wivtuhoftat.com^
+||wizardscharityvisa.com^
+||wizardunstablecommissioner.com^
+||wizkrdxivl.com^
+||wizssgf.com^
+||wjct3s8at.com^
+||wjvavwjyaso.com^
+||wka4jursurf6.com^
+||wkamwqkbaomev.top^
+||wkblbmrdkox.com^
+||wkcwtmsbrmbka.com^
+||wkmorvzqjmqbj.top^
+||wkoocuweg.com^
+||wkpgetvhidtj.com^
+||wkqcnkstso.com^
+||wkwqljwykoamr.top^
+||wkwqljwykorov.top^
+||wl-cornholio.com^
+||wlafx4trk.com^
+||wlen1bty92.pro^
+||wlezpeqlxu.com^
+||wllqotfmkhlhx.xyz^
+||wlrkcefll.com^
+||wlyfiii.com^
+||wlzzwzekkbkaj.top^
+||wma.io^
+||wmadmht.com^
+||wmaoxrk.com^
+||wmbbsat.com^
+||wmccd.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^
+||wmpuem.com^
+||wmtten.com^
+||wmudsraxwj.xyz^
+||wmwwmbjkqomr.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^
+||wocwibkfutrj.com^
+||woefifty.com^
+||woejh.com^
+||woespoke.com^
+||woevr.com^
+||wogglehydrae.com^
+||wokenoptionalcohabit.com^
+||wokeshootdisreputable.com^
+||wokm8isd4zit.com^
+||wokseephishopty.net^
+||wolaufie.com^
+||wollycanoing.com^
+||wolqundera.com^
+||wolsretet.net^
+||wolve.pro^
+||womadsmart.com^
+||womanedbooze.top^
+||womangathering.com^
+||wombalayah.com^
+||wombierfloc.com^
+||wombjingle.com^
+||womenvocationanxious.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^
+||woppishdonned.click^
+||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^
+||workeddecay.com^
+||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^
+||worthlessanxiety.pro^
+||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^
+||wouldtalkbust.com^
+||woushucaug.com^
+||wouvista.com^
+||wovensur.com^
+||wow-click.click^
+||wowcalmnessdumb.com^
+||wowkydktwnyfuo.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^
+||wraithyupswept.shop^
+||wrapdime.com^
+||wrappeddimensionimpression.com^
+||wrappedhalfwayfunction.com^
+||wrappedproduct.com^
+||wrathful-alternative.com^
+||wrathyblesmol.com^
+||wrdnaunq.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^
+||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^
+||wtyankriwnza.com^
+||wuchaurteed.com^
+||wuci1.xyz^
+||wuckaity.com^
+||wuczmaorkqaz.com^
+||wudr.net^
+||wuefmls.com^
+||wugroansaghadry.com^
+||wukoulnhdlu.info^
+||wumufama.com^
+||wunishamjch.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^
+||wxhiojortldjyegtkx.bid^
+||wxqbopca-i.global^
+||wxseedslpi.com^
+||wyeczfx.com^
+||wyglyvaso.com^
+||wyhifdpatl.com^
+||wyjjqoqlfjtbbr.com^
+||wyjkqvtgwmjqb.xyz^
+||wymymep.com^
+||wynather.com^
+||wynvalur.com^
+||wysasys.com^
+||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^
+||xahttwmfmyji.com^
+||xalienstreamx.com^
+||xameleonads.com^
+||xapads.com^
+||xavitithnga.buzz^
+||xavronwave76.site^
+||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^
+||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^
+||xenosmussal.com^
+||xenylclio.com^
+||xeoprwhhiuig.xyz^
+||xevbjycybvb.xyz^
+||xfahjal.com^
+||xfdmihlzrmks.com^
+||xfileload.com^
+||xfwblpomxc.com^
+||xfxssqakis.com^
+||xg-jbpmnru.online^
+||xgdljiasdo.xyz^
+||xgihlgcfuu.com^
+||xgraph.net^
+||xgroserhkug.com^
+||xgtfptm.com^
+||xhbulmpl.com^
+||xhcouznqwhwas.com^
+||xhhaakxn.xyz^
+||xhmnbvn.com^
+||xhpzrfj.com^
+||xhvaqgs.com^
+||xhwwcif.com^
+||xhzz3moj1dsd.com^
+||xijgedjgg5f55.com^
+||ximybkpxwu.com^
+||xineday.com^
+||xipteq.com^
+||xiqougw.com^
+||xitesa.uno^
+||xjefqrxric.com^
+||xjfqqyrcz.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^
+||xlcceiswfsntpp.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^
+||xpaavmvkc.xyz^
+||xpollo.com^
+||xporn.in^
+||xppedxgjxcajuae.xyz^
+||xpxsfejcf.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^
+||xuiqxlhqyo.com^
+||xukpqemfs.com^
+||xukpresesmr.info^
+||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^
+||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^
+||xxxxmopcldm.com^
+||xycstlfoagh.xyz^
+||xydbpbnmo.com^
+||xylidinzeuxite.shop^
+||xylomavivat.com^
+||xyooepktyy.xyz^
+||xysgfqnara.xyz^
+||xyz0k4gfs.xyz^
+||xzezapozghp.com^
+||xzqpz.com^
+||xzvdfjp.com^
+||y06ney2v.xyz^
+||y1jxiqds7v.com^
+||y1zoxngxp.com^
+||y8z5nv0slz06vj2k5vh6akv7dj2c8aj62zhj2v7zj8vp0zq7fj2gf4mv6zsb.me^
+||yacurlik.com^
+||yahuu.org^
+||yakvssigg.xyz^
+||yalittlewallo.info^
+||yallarec.com^
+||yankbecoming.com^
+||yapclench.com^
+||yapdiscuss.com^
+||yapforestsfairfax.com^
+||yapunderstandsounding.com^
+||yapzoa.xyz^
+||yardr.net^
+||yarlnk.com^
+||yashi.com^
+||yauperstote.top^
+||yausbprxfft.xyz^
+||yavaflocker.shop^
+||yavli.com^
+||yawcoynag.com^
+||yaxgszv.com^
+||yazuda.xyz^
+||ybdpikjigmyek.com^
+||ybhyziittfg.com^
+||ybnksajy.com^
+||ybriifs.com^
+||ybs2ffs7v.com^
+||ybtkzjm.com^
+||yceml.net^
+||ycpwdvsmtn.com^
+||ydagjjgqxmrlqjj.xyz^
+||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^
+||yeebpadqk.com^
+||yeesihighlyre.info^
+||yeggscuvette.com^
+||yelamjklnckyio.xyz^
+||yellochloed.shop^
+||yellowacorn.net^
+||yellowblue.io^
+||yellowish-yesterday.pro^
+||yellowishmixture.pro^
+||yellsurpass.com^
+||yernbiconic.com^
+||yes-messenger.com^
+||yesgwyn.com^
+||yesmessenger.com^
+||yespetor.com^
+||yeswplearning.info^
+||yeticbtgfpbgpfd.xyz^
+||yetshape.com^
+||yetterslave.com^
+||yfefdlv.com^
+||yfgrxkz.com^
+||yfinwemk.com^
+||yfkflfa.com^
+||yflexibilitukydt.com^
+||yftpnol.com^
+||yfzrotbxdbz.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^
+||yhzqxgmhehm.com^
+||yibivacaji.com^
+||yicixvmgmhpvbcl.xyz^
+||yidbyhersle.xyz^
+||yiejvik.com^
+||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^
+||ykdnbbzxmiqkye.com^
+||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^
+||yndmorvwdfuk.com^
+||yneaimn.com^
+||ynfhnbjsl.xyz^
+||ynhmwyt.com^
+||ynklendr.online^
+||ynonymlxtqisyka.xyz^
+||ynrije.com^
+||yoads.net^
+||yobaxqnj.com^
+||yoc-adserver.com^
+||yochelbeant.com^
+||yocksniacins.com^
+||yodelalloxan.shop^
+||yogacomplyfuel.com^
+||yogaprimarilyformation.com^
+||yogar2ti8nf09.com^
+||yohavemix.live^
+||yoibbka.com^
+||yokeeroud.com^
+||yoksamhain.com^
+||yolkhandledwheels.com^
+||yomeno.xyz^
+||yonabrar.com^
+||yonazurilla.com^
+||yonelectrikeer.com^
+||yonhelioliskor.com^
+||yonomastara.com^
+||yonsandileer.com^
+||yoomanies.com^
+||yopard.com^
+||yoredi.com^
+||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^
+||youruntie.com^
+||yourwebbars.com^
+||yourwownews.com^
+||yourwownewz.com^
+||youservit.com^
+||youthfulcontest.pro^
+||youtube.local^
+||youtubecenter.net^
+||yowlnibble.shop^
+||yoyadsdom.com^
+||ypkljvp.com^
+||yplqr-fnh.space^
+||yprocedentwith.com^
+||yptjqrlbawn.xyz^
+||yqeuu.com^
+||yqmxfz.com^
+||yr9n47004g.com^
+||yrbnfoys.com^
+||yremovementxvi.org^
+||yrhnw7h63.com^
+||yrincelewasgiw.info^
+||yrmqfojomlwh.com^
+||yrvzqabfxe.com^
+||yrwqquykdja.com^
+||ysesials.net^
+||yshhfig.com^
+||yterxv.com^
+||ytgngedq.xyz^
+||ythjhk.com^
+||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^
+||yunshipei.com^
+||yupfiles.net^
+||yuppads.com^
+||yuppyads.com^
+||yuriembark.com^
+||yusiswensaidoh.info^
+||yuuchxfuutmdyyd.xyz^
+||yvmads.com^
+||yvoria.com^
+||yvvmnkmbf.com^
+||yvzgazds6d.com^
+||yweowwmomqnbwj.com^
+||ywfbjvmsw.com^
+||ywgpkjg.com^
+||ywopyohpihnkppc.xyz^
+||ywpdobsvqlchvrl.com^
+||ywronwasthetron.com^
+||ywvjyxp.com^
+||yx-ads6.com^
+||yxajqsrsij.com^
+||yxuytpfe-t.icu^
+||yxzpmixn.com^
+||yy9s51b2u05z.com^
+||yycdbemrvsfihb.com^
+||yyceztc8.click^
+||yydwkkxhjb.com^
+||yyjvimo.com^
+||yyselrqpyu.com^
+||yzfjlvqa.com^
+||z-eaazoov.top^
+||z0il3m3u2o.pro^
+||z54a.xyz^
+||z5x.net^
+||zaamgqlgdhac.love^
+||zabanit.xyz^
+||zachunsears.com^
+||zacleporis.com^
+||zaemi.xyz^
+||zagtertda.com^
+||zagvee.com^
+||zaicistafaish.xyz^
+||zaigaphy.net^
+||zaihxti.com^
+||zaikasoatie.xyz^
+||zailoanoy.com^
+||zaimads.com^
+||zaishaptou.com^
+||zaiteegraity.net^
+||zaithootee.com^
+||zaiveeneefol.com^
+||zaiwihouje.com^
+||zaizaigut.net^
+||zajukrib.net^
+||zakruxxita.com^
+||zakurdedso.net^
+||zaltaumi.net^
+||zamioculcas2.org^
+||zangaisempo.net^
+||zangocash.com^
+||zanoogha.com^
+||zaparena.com^
+||zaphakesleigh.com^
+||zaphararidged.com^
+||zapunited.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^
+||zcaappcthktx.com^
+||zchtpzu.com^
+||zcode12.me^
+||zcode7.me^
+||zcoptry.com^
+||zcswet.com^
+||zdkgxeeykuhs.today^
+||zeads.com^
+||zealotillustrate.com^
+||zealouscompassionatecranny.com^
+||zealsalts.com^
+||zebeaa.click^
+||zeebaith.xyz^
+||zeebestmarketing.com^
+||zeechoog.net^
+||zeechumy.com^
+||zeeduketa.net^
+||zeekaihu.net^
+||zeemacauk.com^
+||zeemaustoops.xyz^
+||zeepartners.com^
+||zeephouh.com^
+||zeepteestaub.com^
+||zeeshith.net^
+||zeewhaih.com^
+||zegnoogho.xyz^
+||zekeeksaita.com^
+||zel-zel-fie.com^
+||zelatorpukka.com^
+||zelllwrite.com^
+||zelrasty.net^
+||zemydreamsauk.com^
+||zemywwm.com^
+||zenaidapier.click^
+||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^
+||zestpocosin.com^
+||zestyparticular.pro^
+||zetadeo.com^
+||zeusadx.com^
+||zewkj.com^
+||zexardoussesa.net^
+||zeyappland.com^
+||zeydoo.com^
+||zeypreland.com^
+||zfeaubp.com^
+||zferral.com^
+||zfvsnpir-cxx.buzz^
+||zgsqnyb.com^
+||zhaner.xyz^
+||zhyivocrjeplby.com^
+||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^
+||zincypalmy.top^
+||zinipx.xyz^
+||zinniafianced.com^
+||zinovu.com^
+||zipakrar.com^
+||ziphay.com^
+||zipheeda.xyz^
+||ziphoumt.net^
+||zipinaccurateoffering.com^
+||zippercontinual.com^
+||zipradarindifferent.com^
+||zirdough.net^
+||zirdrax.com^
+||zirkiterocklay.com^
+||zisboombah.net^
+||zishezetchadsi.net^
+||zitaptugo.com^
+||zitchaug.xyz^
+||zitchuhoove.com^
+||zivtux.com^
+||zixokseelta.com^
+||ziyhd.fun^
+||zizoxozoox.com^
+||zizulw.org^
+||zjdac.com^
+||zjpwrpo.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^
+||zmrrjyyeqamrb.top^
+||zmwbrza.com^
+||zmysashrep.com^
+||znaptag.com^
+||zncbitr.com^
+||znvlfef.com^
+||zoachoar.net^
+||zoachops.com^
+||zoagfst.com^
+||zoagreejouph.com^
+||zoagremo.net^
+||zoaheeth.com^
+||zoaneeptaithe.net^
+||zoaptaup.com^
+||zoapteewoo.com^
+||zoawufoy.net^
+||zodiacdinner.com^
+||zodiacranbehalf.com^
+||zoeaegyral.com^
+||zoeaethenar.com^
+||zofitsou.com^
+||zog.link^
+||zograughoa.net^
+||zogrepsili.com^
+||zoiefwqhcaczun.com^
+||zokaukree.net^
+||zokqlomzymkvb.top^
+||zokrodes.com^
+||zombistinfuls.shop^
+||zombyfairfax.com^
+||zonealta.com^
+||zonupiza.com^
+||zooglaptob.net^
+||zoogripi.com^
+||zoogroocevee.xyz^
+||zoojepsainy.com^
+||zoologicalviolatechoke.com^
+||zoologyhuntingblanket.com^
+||zoopoptiglu.xyz^
+||zoopsame.com^
+||zoozishooh.com^
+||zorango.com^
+||zougreek.com^
+||zouloafi.net^
+||zounaishuphaucu.xyz^
+||zouphuru.net^
+||zoutubephaid.com^
+||zoutufoostou.com^
+||zouzougri.net^
+||zovidree.com^
+||zoykzjaqaalwq.top^
+||zpbpenn.com^
+||zpgetworker11.com^
+||zpilkesyasa.com^
+||zpipacuz-lfa.vip^
+||zplfwuca.com^
+||zpreland.com^
+||zprelandappslab.com^
+||zprelandings.com^
+||zprofuqkssny.com^
+||zqjklzajmmwq.top^
+||zqjljeyqbejrb.top^
+||zqksqsjupnb.com^
+||zqmblmebyvkjz.top^
+||zqmmtbwqymhrru.com^
+||zqpztal.com^
+||zqvvzrlzallvj.top^
+||zqwe.ru^
+||zrmtrm.com^
+||zrqsmcx.top^
+||zrtfsoz.com^
+||zsfbumz.com^
+||zshyudl.com^
+||zsjvzsm-s.fun^
+||zsxeymv.com^
+||ztfzskpc.com^
+||ztrack.online^
+||zttgwpb.com^
+||ztumuvofzbfe.com^
+||ztxhxby.com^
+||zubajuroo.com^
+||zubivu.com^
+||zubojcnubadk.com^
+||zucks.net^
+||zuclcijzua.com^
+||zudjdiy.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^
+||zvvqprcjjnh.com^
+||zvwhrc.com^
+||zvzmzrarkvqyb.top^
+||zwaar.net^
+||zwnoeqzsuz.com^
+||zwqzxh.com^
+||zwsxsqp.com^
+||zwunpyyqhp.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^
+||zymessuppl.top^
+||zymjzwyyjyvb.top^
+||zypenetwork.com^
+||zzaqqwecd.lat^
+||zzhyebbt.com^
+||zzyjpmh.com^
+! Anti-drainer eth phishing
+||99bithcoins.com^
+||altenlayer.com^
+||antenta.site^
+||appdevweb.com^
+||car-cra.sh^
+||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
+||alfa-track.info^$document
+||alfa-track2.site^$document
+||algg.site^$document
+||allsportsflix.$document
+||alpenridge.top^$document
+||alpine-vpn.com^$document
+||amnioteunteem.click^$document
+||amusementchillyforce.com^$document
+||anacampaign.com^$document
+||aneorwd.com^$document
+||antaresarcturus.com^$document
+||antcixn.com^$document
+||antjgr.com^$document
+||applifysolutions.net^$document
+||appointeeivyspongy.com^$document
+||approved.website^$document
+||appspeed.monster^$document
+||ardsklangr.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
+||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
+||bhlom.com^$document
+||bincatracs.com^$document
+||binomtrcks.site^$document
+||bitdefender.top^$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
+||brenn-wck.com^$document
+||builtrussism.top^$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
+||choogeet.net^$document
+||choudairtu.net^$document
+||cleanmypc.click^$document
+||clixwells.com^$document
+||clkromtor.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
+||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
+||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
+||engardemuang.top^$document
+||epsashoofil.net^$document
+||errolandtessa.com^$document
+||escortlist.pro^$document
+||eventfulknights.com^$document
+||excellingvista.com^$document
+||exclkplat.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
+||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
+||gotrackier.com^$document
+||graigloapikraft.net^$document
+||graitsie.com^$document
+||grfpr.com^$document
+||grobuveexeb.net^$document
+||gtbdhr.com^$document
+||guardedrook.cc^$document
+||gxfiledownload.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
+||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
+||isolatedovercomepasted.com^
+||iyfbodn.com^$document
+||jaclottens.live^$document
+||jeroud.com^$document
+||jggegj-rtbix.top^$document
+||jhsnshueyt.click^$document
+||jlodgings.com^$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
+||ku42hjr2e.com^$document
+||lamplynx.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
+||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
+||mytiris.com^$document
+||nan0cns.com^$document
+||nauwheer.net^$document
+||navigatingnautical.xyz^$document
+||nestorscymlin.shop^$document
+||netrefer.co^$document
+||news-jivera.com^$document
+||nexaapptwp.top^$document
+||nightbesties.com^$document
+||nigroopheert.com^$document
+||nindsstudio.com^$document
+||niwluvepisj.site^$document
+||noncepter.com^$document
+||nontraditionally.rest^$document
+||noolt.com^$document
+||noopking.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
+||omgt3.com^$document
+||omguk.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=*&edition=$document
+||optargone-2.online^$document
+||optimalscreen1.online^$document
+||optnx.com^$document
+||optvz.com^$document
+||ossfloetteor.com^$document
+||otbackstage2.online^$document
+||otoadom.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
+||poozifahek.com^$document
+||popcash.net^$document
+||poperblocker.com^$document
+||popmyads.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
+||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
+||redirectflowsite.com^$document
+||redirectingat.com^$document
+||remv43-rtbix.top^$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
+||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
+||sionwops.click^$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
+||sprinlof.com^$document
+||spuppeh.com^$document
+||srvpcn.com^$document
+||srvtrck.com^$document
+||stake.com/*&clickId=$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
+||tacopush.ru^$document
+||takemybackup.co^$document
+||targhe.info^$document
+||tatrck.com^$document
+||tbao684tryo.com^$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
+||tidyllama.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
+||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
+||trksmorestreacking.com^$document
+||trpool.org^$document
+||try.opera.com^$document
+||tsyndicate.com^$document
+||tubecup.net^$document
+||twigwisp.com^$document
+||tyqwjh23d.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
+||vbthecal.shop^$document
+||vetoembrace.com^$document
+||vezizey.xyz^$document
+||vfgte.com^$document
+||viiczfvm.com^$document
+||viiiyskm.com^$document
+||viippugm.com^$document
+||viirkagt.com^$document
+||viitqvjx.com^$document
+||violationphysics.click^$document
+||vizoalygrenn.com^$document
+||vmmcdn.com^$document
+||vnte9urn.click^$document
+||volleyballachiever.site^$document
+||voluumtrk.com^$document
+||vpn-offers.org^$document
+||waisheph.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
+||xdownloadright.com^$document
+||xlivrdr.com^$document
+||xml-clickurl.com^$document
+||xoilactv123.gdn^$document
+||xoilactvcj.cc^$document
+||xstalkx.ru^$document
+||xszpuvwr7.com^$document
+||yohavemix.live^$document
+||youradexchange.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^$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
+||admedit.net^$third-party
+||admedo.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
+||adstean.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
+||adtelligent.com^$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.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
+||altcoin.care^$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
+||aralego.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
+||bestcontentfood.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
+||digiadzone.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
+||eskimi.com^$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
+||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
+||nextmillmedia.com^$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
+||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
+||sap-traffic.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
+||skyactivate.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
+||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
+||stocker.bonnint.net^$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/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
+||28d591da.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
+||3a2e.site^$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.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
+||0redirb.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
+||abundantsurroundvacation.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
+||achievebeneficial.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
+||adblockerapp.com^$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
+||adsandcomputer.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
+||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
+||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
+||agapi-fwz.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
+||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
+||alpha-news.org^$popup
+||alpheratzscheat.top^$popup
+||alpine-vpn.com^$popup
+||alpinedrct.com^$popup
+||alreadyballetrenting.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
+||amnioteunteem.click^$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
+||arielpri2nce8ss09.com^$popup
+||arkdcz.com^$popup
+||armedtidying.com^$popup
+||arminius.io^$popup
+||armourhardilytraditionally.com^$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
+||bateaernes.top^$popup
+||batheunits.com^$popup
+||baypops.com^$popup
+||bayshorline.com^$popup
+||bbccn.org^$popup
+||bbcrgate.com^$popup
+||bbrdbr.com^$popup
+||bbuni.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
+||bestconvertor.club^$popup
+||bestgames-2022.com^$popup
+||bestgirls4fuck.com^$popup
+||bestmoviesflix.xyz^$popup
+||bestonlinecasino.club^$popup
+||bestowsubplat.top^$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
+||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
+||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
+||blackandwhite-temporary.com^$popup
+||blacklinknow.com^$popup
+||blacklinknowss.co^$popup
+||blacknesskeepplan.com^$popup
+||blancoshrimp.com^$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
+||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
+||capableimpregnablehazy.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
+||certainlydisparagewholesome.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
+||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
+||commodityallengage.com^$popup
+||compassionaterough.pro^$popup
+||complementimpassable.com^$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
+||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
+||dblueclaockbro.info^$popup
+||dc-feed.com^$popup
+||dc-rotator.com^$popup
+||ddbhm.pro^$popup
+||dddomainccc.com^$popup
+||debaucky.com^$popup
+||decencyjessiebloom.com^$popup
+||deckedsi.com^$popup
+||declareave.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-ready.net^$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
+||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
+||elltheprecise.org^$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
+||ewoodandwaveo.com^$popup
+||exaltationinsufficientintentional.com^$popup
+||excellingvista.com^$popup
+||exclkplat.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
+||ezhefg9gbhgh10.com^$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
+||feudsherbane.click^$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
+||firnebmike.live^$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
+||flelgwe.site^$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
+||foldingclassified.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
+||forgotingolstono.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
+||freeevpn.info^$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
+||getalinkandshare.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
+||getshowads.com^$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
+||giftedbrevityinjured.com^$popup
+||gillstaught.com^$popup
+||girlstaste.life^$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
+||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
+||grapseex.com^$popup
+||gratifiedmatrix.com^$popup
+||grauglak.com^$popup
+||grazingmarrywomanhood.com^$popup
+||greatbonushere.top^$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
+||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
+||hammamjersey.click^$popup
+||hammerhewer.top^$popup
+||handbaggather.com^$popup
+||handgripvegetationhols.com^$popup
+||hangnailamplify.com^$popup
+||haoelo.com^$popup
+||harassmentgrowl.com^$popup
+||harshlygiraffediscover.com^$popup
+||hatsamevill.org^$popup
+||hatwasallokmv.info^$popup
+||hauchiwu.com^$popup
+||haveflat.com^$popup
+||havegrosho.com^$popup
+||hazoopso.net^$popup
+||hbloveinfo.com^$popup
+||hdcommunity.online^$popup
+||headirtlseivi.org^$popup
+||heavenfull.com^$popup
+||heavenly-landscape.com^$popup
+||heefothust.net^$popup
+||heeraiwhubee.net^$popup
+||hehighursoo.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
+||hh33zv49zemn.top^$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
+||hoggershumblie.top^$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
+||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
+||inhabityoungenter.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
+||instructoralphabetoverreact.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
+||jalopeffray.top^$popup
+||jamchew.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
+||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
+||jillbuildertuck.com^$popup
+||jjcwq.site^$popup
+||jjmrmeovo.world^$popup
+||jlodgings.com^$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
+||jowyylrzbqmb.top^$popup
+||jpgtrk.com^$popup
+||jqtree.com^$popup
+||jrpkizae.com^$popup
+||js-check.com^$popup
+||jsmentry.com^$popup
+||jsmptjmp.com^$popup
+||jubsaugn.com^$popup
+||juiceadv.com^$popup
+||juicyads.com^$popup
+||jukseeng.net^$popup
+||jump-path1.com^$popup
+||jump2.top^$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
+||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
+||kkjuu.xyz^$popup
+||kmisln.com^$popup
+||kmyunderthf.info^$popup
+||knockoutantipathy.com^$popup
+||koazowapsib.net^$popup
+||kocairdo.net^$popup
+||kogutcho.net^$popup
+||kolkwi4tzicraamabilis.com^$popup
+||koogreep.com^$popup
+||korexo.com^$popup
+||kotikinar2ko8tiki09.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
+||l4meet.com^$popup
+||lacquerreddeform.com^$popup
+||ladiesforyou.net^$popup
+||ladrecaidroo.com^$popup
+||lalofilters.website^$popup
+||lamplynx.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
+||lickinggetting.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
+||liliy9aydje10.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
+||livestormy.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
+||midgetincidentally.com^$popup
+||migrantspiteconnecting.com^$popup
+||milksquadronsad.com^$popup
+||millustry.top^$popup
+||mimosaavior.top
+||mimosaavior.top^$popup
+||mindedcarious.com^$popup
+||miniaturecomfortable.com^$popup
+||miniglobalcitizens.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
+||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
+||motherhoodlimiteddetest.com^$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
+||mudfishatabals.com^$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
+||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
+||nindscity.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
+||nonremid.com^$popup
+||nontraditionally.rest^$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
+||ntsiwoulukdli.org^$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
+||nxtpsh.com^$popup
+||nyadra.com^$popup
+||nylonnickel.xyz^
+||nylonnickel.xyz^$popup
+||nymphdate.com^$popup
+||o18.click^$popup
+||o333o.com^$popup
+||oackoubs.com^$popup
+||oagnolti.net^$popup
+||oalsauwy.net^$popup
+||oaphoace.net^$popup
+||oataltaul.com^$popup
+||objectionsdomesticatednagging.com^$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
+||oftheseveryh.org^$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
+||omciecoa37tw4.com^$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
+||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
+||oneqanatclub.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
+||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
+||outwingullom.com^$popup
+||ovardu.com^$popup
+||ovdimin.buzz^$popup
+||overallfetchheight.com^$popup
+||overcrowdsillyturret.com^$popup
+||oversolosisor.com^$popup
+||ovogofteonafterw.info^$popup
+||ow5a.net^$popup
+||owingsorthealthy.com^$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
+||palama2.co^$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
+||peacockshudder.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
+||phaurtuh.net^$popup
+||pheekoamek.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
+||pianolaweeshee.top^$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
+||platitudezeal.com^$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
+||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
+||prawnsimply.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
+||pushclk.com^$popup
+||pushking.net^$popup
+||pushmobilenews.com^$popup
+||pushub.net^$popup
+||pushwelcome.com^$popup
+||pussl3.com^$popup
+||pussl48.com^$popup
+||putchumt.com^$popup
+||putfeablean.org^$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
+||rallantynethebra.com^$popup
+||ranabreast.com^$popup
+||rankpeers.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
+||redirectlinker.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
+||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
+||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
+||rewardrush.life^$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
+||rigelbetelgeuse.top^$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
+||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
+||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
+||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
+||seatsrehearseinitial.com^$popup
+||secthatlead.com^$popup
+||secureclickers.com^$popup
+||securecloud-smart.com^$popup
+||securecloud-sml.com^$popup
+||secureclouddt-cd.com^$popup
+||securedsmcd.com^$popup
+||securegate9.com^$popup
+||securegfm.com^$popup
+||secureleadsrn.com^$popup
+||securesmrt-dt.com^$popup
+||sedatenerves.com^$popup
+||sedodna.com^$popup
+||seethisinaction.com^$popup
+||selfemployedbalconycane.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
+||sionwops.click^$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
+||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
+||specialityharmoniousgypsy.com^$popup
+||specialtymet.com^$popup
+||speednetwork14.com^$popup
+||speedsupermarketdonut.com^$popup
+||spellingunacceptable.com^$popup
+||spendcrazy.net^$popup
+||sperans-beactor.com^$popup
+||spicygirlshere.life^$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
+||ssdwellsgrpo.info^$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
+||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
+||suddenvampire.com^$popup
+||suddslife.com^$popup
+||suggest-recipes.com^$popup
+||sulkvulnerableexpecting.com^$popup
+||sulseerg.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
+||syringeitch.com^$popup
+||syrsple2se8nyu09.com^$popup
+||systeme-business.online^$popup
+||systemleadb.com^$popup
+||szqxvo.com^$popup
+||t2lgo.com^$popup
+||tacopush.ru^$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
+||tcare.today^$popup
+||tdspa.top^$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
+||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
+||tignuget.net^$popup
+||tilttrk.com^$popup
+||tiltwin.com^$popup
+||timeoutwinning.com^$popup
+||timot-cvk.info^$popup
+||tingswifing.click^$popup
+||tinsus.com^$popup
+||tintedparticular.com^$popup
+||titaniumveinshaper.com^$popup
+||titlerwilhelm.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
+||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
+||tooaastandhei.info^$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
+||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
+||track.wargaming-aff.com^$popup
+||track4ref.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
+||transmitterincarnatebastard.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
+||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
+||truthwassadl.org^$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
+||vbozbkzvyzloy.top^$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
+||venuewasadi.org^$popup
+||verandahcrease.com^$popup
+||vergi-gwc.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
+||viicasu.com^$popup
+||viiczfvm.com^$popup
+||viidirectory.com^$popup
+||viidsyej.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
+||wadmargincling.com^$popup
+||waframedia5.com^$popup
+||wahoha.com^$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
+||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
+||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
+||widow5blackfr.com^$popup
+||wifescamara.click^$popup
+||wigetmedia.com^$popup
+||wigsynthesis.com^$popup
+||wildestelf.com^$popup
+||win-myprize.top^$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
+||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
+||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
+||yonmasqueraina.com^$popup
+||yonsandileer.com^$popup
+||yophaeadizesave.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.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
+||masterbate.pro^$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
+||mncvjhg.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
+||nummobile.com^$third-party
+||oconner.biz^$third-party
+||offaces-butional.com^$third-party
+||ohmygosh.info^
+||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
+||pnperf.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
+||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
+||goaffmy.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
+||juicyads.com^$popup
+||kaizentraffic.com^$popup
+||libedgolart.com^$popup
+||lncredlbiedate.com^$popup
+||misspkl.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/
+||1022332207.rsc.cdn77.org^
+||1035289788.rsc.cdn77.org^
+||1080872514.rsc.cdn77.org^
+||10945-2.s.cdn15.com^
+||10945-5.s.cdn15.com^
+||1104547249.rsc.cdn77.org^
+||1187531871.rsc.cdn77.org^
+||1208344341.rsc.cdn77.org^
+||1217263230.rsc.cdn77.org^
+||123-stream.org^
+||1246271433.rsc.cdn77.org^
+||1277775325.rsc.cdn77.org^
+||1297881075.rsc.cdn77.org^
+||1437953666.rsc.cdn77.org^
+||1529462937.rsc.cdn77.org^
+||1548164934.rsc.cdn77.org^
+||1675450967.rsc.cdn77.org^
+||1736253261.rsc.cdn77.org^
+||1768426654.rsc.cdn77.org^
+||1777452258.rsc.cdn77.org^
+||1841793143.rsc.cdn77.org^
+||1932195014.rsc.cdn77.org^
+||1wnurc.com^
+||1xlite-016702.top^
+||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^
+||adaptv.advertising.com^
+||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-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.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/
+||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.mangakl.su^
+||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/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^
+||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
+||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-
+||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.profitsence.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^
+||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^
+||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^
+||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^
+||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^
+||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^
+||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^
+||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^
+||d2xng9e6gymuzr.cloudfront.net^
+||d2y8ttytgze7qt.cloudfront.net^
+||d2yeczd6cyyd0z.cloudfront.net^
+||d2ykons4g8jre6.cloudfront.net^
+||d2ywv53s25fi6c.cloudfront.net^
+||d2z51a9spn09cw.cloudfront.net^
+||d2zbpgxs57sg1k.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/
+||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^
+||d3ep3jwb1mgn3k.cloudfront.net^
+||d3eub2e21dc6h0.cloudfront.net^
+||d3evio1yid77jr.cloudfront.net^
+||d3eyi07eikbx0y.cloudfront.net^
+||d3f1m03rbb66gy.cloudfront.net^
+||d3f1wcxz2rdrik.cloudfront.net^
+||d3f4nuq5dskrej.cloudfront.net^
+||d3ff60r8himt67.cloudfront.net^
+||d3flai6f7brtcx.cloudfront.net^
+||d3frqqoat98cng.cloudfront.net^
+||d3g4s1p0bmuj5f.cloudfront.net^
+||d3g5ovfngjw9bw.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^
+||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^
+||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^
+||dn0qt3r0xannq.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^
+||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^
+||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
+||1x001.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
+||adrotator.se^$popup
+||ads.planetwin365affiliate.com^$popup,third-party
+||adserving.unibet.com^$popup
+||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
+||browsekeeper.com^$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
+||luckyforbet.com^$popup
+||mackeeperaffiliates.com^$popup
+||meetonliine.com^$popup
+||mmentorapp.com^$popup
+||my-promo7.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
+||poperblocker.com^$popup
+||popgoldblocker.info^$popup
+||premium-news-for.me^$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
+||refpamjeql.top^$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/
+||3xtraffic.com/ads/
+||3xtraffic.com/common/000/cads/
+||4fcams.com/in/?track=$subdocument,third-party
+||4tube.com/iframe/$third-party
+||69games.xxx/ajax/skr?
+||a.aylix.xyz^
+||a.cemir.site^
+||a.debub.site^
+||a.fimoa.xyz^
+||a.groox.xyz^
+||a.herto.xyz^
+||a.hymin.xyz^
+||a.jamni.xyz^
+||a.lakmus.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^
+||ag.palmtube.net^
+||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.
+||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/
+||awempt.com/embed/
+||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^
+||bbb.dagobert33.xyz^
+||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.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^
+||elitepaysites.com/ae-banners/
+||endorico.com/js/pu_zononi.js
+||endorico.com/Smartlink/
+||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
+||hardbritlads.com/banner/
+||hardcoreluv.com/hmt.gif
+||hcjs.nv7s.com/dewijzyo/
+||hdpornphotos.com/images/728x180_
+||hdpornphotos.com/images/banner_
+||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
+||javguru.gggsss.site^
+||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/
+||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/
+||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
+||offersuperhub.com/landing/$popup,third-party
+||porngames.adult^*=$popup,third-party
+||prelanding3.cuntempire.com/?utm_$popup
+||tgp1.brazzersnetwork.com^$popup
+||tm-offers.gamingadult.com^$popup
+||together2night.com^$popup
+||tour.mrskin.com^$popup,third-party
+||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
+||1337x.vpnonly.site^
+||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.twdcgrid.com^
+||adsbb.depositfiles.com^
+||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
+||animeland.tv/zenny/
+||anisearch.com/amazon
+||aontent.powzers.lol^
+||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
+||bioinformatics.org/images/ack_banners/
+||bit.com.au/scripts/js_$script
+||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^
+||bontent.powzers.lol^
+||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/
+||clarity.amperwave.net/gateway/getmediavast.php$xmlhttprequest
+||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
+||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/
+||content.powzerz.lol^
+||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/
+||designtaxi.com/js/dt-seo.js
+||designtaxi.com/small-dt.php$subdocument
+||detectiveconanworld.com/images/support-us-brave.png
+||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/
+||dontent.powzers.lol^
+||dontent.powzerz.lol^
+||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^
+||eontent.powzerz.lol^
+||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
+||familylawweek.co.uk/bin_1/
+||fastapi.tiangolo.com/img/sponsors/$image
+||fauceit.com/Roulette-(728x90).jpg
+||fentent.stre4mplay.one^
+||fentent.streampiay.fun^
+||fentent.streampiay.me^
+||file-upload.site/page.js
+||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
+||fontent.powzers.lol^
+||fontent.powzerz.lol^
+||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
+||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^
+||gentent.streampiay.fun^
+||getconnected.southwestwifi.com/ads_video.xml
+||globovision.com/js/ads-home.js
+||gocdkeys.com/images/background
+||gogoanime.me/zenny/
+||gontent.powzers.lol^
+||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^
+||hentent.streampiay.fun^
+||hideip.me/src/img/rekl/
+||hltv.org/partnerimage/$image
+||hltv.org/staticimg/*?ixlib=
+||holyfamilyradio.org/banners/
+||homeschoolmath.net/a/
+||hontent.powzers.lol^
+||hontent.powzerz.lol^
+||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^
+||ientent.streampiay.fun^
+||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.accesstra.de^
+||imp.pixiv.net^
+||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
+||iontent.powzerz.lol^
+||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^
+||jentent.streampiay.fun^
+||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^
+||kentent.streampiay.fun^
+||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
+||kontent.powzerz.lol^
+||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
+||lontent.powzerz.lol^
+||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
+||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/
+||montent.powzers.lol^
+||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/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
+||nontent.powzers.lol^
+||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/
+||oontent.powzers.lol^
+||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
+||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_
+||pontent.powzers.lol^
+||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.vip/sab_
+||puzzle-slant.com/images/ad/
+||pwinsider.com/advertisement/
+||qontent.powzers.lol^
+||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
+||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
+||sontent.powzers.lol^
+||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/
+||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
+||tontent.powzers.lol^
+||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/
+||vidstream.pro/AB/pioneersuspectedjury.com/
+||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/
+||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|~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=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
+! 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
+||aontent.powzers.lol^$popup
+||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
+||dontent.powzerz.lol^$popup
+||eentent.streampiay.me^$popup
+||eontent.powzerz.lol^$popup
+||facebook.com/ads/ig_redirect/$popup,domain=instagram.com
+||fentent.stre4mplay.one^$popup
+||fentent.streampiay.fun^$popup
+||fentent.streampiay.me^$popup
+||flashtalking.com^$popup,domain=twitch.tv
+||flaticon.com/edge/banner/$popup
+||fontent.powzerz.lol^$popup
+||gentent.stre4mplay.one^$popup
+||gentent.streampiay.fun^$popup
+||gg.bet^$popup,domain=cq-esports.com
+||hentent.streampiay.fun^$popup
+||hltv.org^*=|$popup,domain=hltv.org
+||hqq.tv/out.php?$popup
+||hurawatch.ru/?$popup
+||ientent.stre4mplay.one^$popup
+||ientent.streampiay.fun^$popup
+||iontent.powzerz.lol^$popup
+||jentent.streampiay.fun^$popup
+||jpg.church/*.php?cat$popup
+||kentent.stre4mplay.one^$popup
+||kentent.streampiay.fun^$popup
+||kissanimeonline.com/driectlink$popup
+||kontent.powzerz.lol^$popup
+||link.advancedsystemrepairpro.com^$popup
+||listentoyt.com/button/$popup
+||listentoyt.com/vidbutton/$popup
+||mercurybest.com^$popup,domain=hltv.org
+||montent.powzers.lol^$popup
+||mp3-convert.org/p$popup
+||nontent.powzers.lol^$popup
+||notube.cc/p/$popup
+||notube.fi/p/$popup
+||notube.im/p/$popup
+||notube.io/p/$popup
+||notube.net/p/$popup
+||oontent.powzers.lol^$popup
+||pinoymovies.es/links/$popup
+||pontent.powzers.lol^$popup
+||qontent.pouvideo.cc^$popup
+||rentalcars.com/?affiliateCode=$popup,domain=seatguru.com
+||rontent.powzers.lol^$popup
+||routeumber.com^$popup,domain=hltv.org
+||rx.link^$popup,domain=uploadgig.com
+||sendspace.com/defaults/sendspace-pop.html$popup
+||skycheats.com^$popup,domain=elitepvpers.com
+||t.co^$popup,domain=hltv.org
+||tontent.powzers.lol^$popup
+||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/
+||33serve.bussyhunter.com^
+||3movs.com/2ff/
+||3movs.xxx/2ff/
+||3naked.com/nb/
+||3prn.com/even/ok.js
+||429men.com/zdoink/
+||478789.everydayporn.co^
+||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/
+||61serve.everydayporn.co^
+||777av.cc/og/
+||8boobs.com/flr.js
+||8muses.com/banner/
+||a.seksohub.com^
+||aa.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
+||cover.ydgal.com/axfile/
+||creative.live.bestjavporn.com^
+||creative.live.javhdporn.net^
+||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
+||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/
+||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
+||pornve.sexyadsrun.com^
+||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^$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/
+||s.bussyhunter.com^
+||s.everydayporn.co^
+||scatxxxporn.com/static/images/banners/
+||schoolasiagirls.net/ban/
+||scoreland.*/tranny.jpg
+||sdhentai.com/marketing/
+||see.xxx/pccznwlnrs/
+||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
+||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?
+||upcdn.site/huoUTQ9.js
+||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^
+||youjizz.com/KWIKY*.mp4$rewrite=abp-resource:blank-mp4,domain=youjizz.com
+||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
+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###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
+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
+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
+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
+leo.org###adv-wbanner
+linuxblog.io###advads_ad_widget-3
+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
+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
+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,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
+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
+wral.com###exco
+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
+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
+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
+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
+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
+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
+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
+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
+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
+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
+homedepot.com###sponsored-standard-banner-nucleus
+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
+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
+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
+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
+quora.com##.PageContentsLayout___StyledBox-d2uxks-0 > .q-box > .q-sticky > .qu-pb--medium
+chronicle.com##.PageHeaderMegaHat
+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
+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
+simkl.com##.SimklTVDetailEpisodeLinksItemHref
+ultimate-guitar.com##.SiteWideBanner
+thedailybeast.com##.Sizer
+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
+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,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
+getpocket.com##.a1cawpek
+chordify.net##.a1p2y5ib
+informer.com##.a2
+wmtips.com##.a3f17
+getpocket.com##.a47c4wn
+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
+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,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,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.at,tripadvisor.be,tripadvisor.ca,tripadvisor.ch,tripadvisor.cl,tripadvisor.cn,tripadvisor.co,tripadvisor.co.id,tripadvisor.co.il,tripadvisor.co.kr,tripadvisor.co.nz,tripadvisor.co.uk,tripadvisor.co.za,tripadvisor.com,tripadvisor.com.ar,tripadvisor.com.au,tripadvisor.com.br,tripadvisor.com.eg,tripadvisor.com.gr,tripadvisor.com.hk,tripadvisor.com.mx,tripadvisor.com.my,tripadvisor.com.pe,tripadvisor.com.ph,tripadvisor.com.sg,tripadvisor.com.tr,tripadvisor.com.tw,tripadvisor.com.ve,tripadvisor.com.vn,tripadvisor.de,tripadvisor.dk,tripadvisor.es,tripadvisor.fr,tripadvisor.ie,tripadvisor.in,tripadvisor.it,tripadvisor.jp,tripadvisor.nl,tripadvisor.pt,tripadvisor.ru,tripadvisor.se,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
+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
+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,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,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
+downloads.digitaltrends.com##.ad-kargo
+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
+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
+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,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
+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
+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,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
+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
+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,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
+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,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
+dev.to##.billboard[data-type-of="external"]
+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
+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
+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
+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,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
+telegraph.co.uk##.commercial-unit
+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
+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
+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
+news24.com##.featured-category
+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
+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,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,gatewaynews.co.za,gayexpress.co.nz,gematsu.com,hamodia.com,islandecho.co.uk,jacksonvillefreepress.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,womensagenda.com.au##.g
+marionmugshots.com##.g-1
+marionmugshots.com##.g-3
+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\]
+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
+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
+mamieastuce.com##.k39oyi
+qz.com##.k3mqd
+news12.com##.kBEazG
+ticketmaster##.kOwduY
+easypet.com##.kadence-conversion-inner
+plagiarismchecker.co##.kaka
+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
+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
+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
+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\]
+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##.min-h-\[250px\].mx-auto.w-full.hidden.my-1.lg\:flex.center-children
+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
+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
+kickassanimes.io##.mt-6.rs
+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
+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
+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
+getpocket.com##.paarv6m
+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,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
+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
+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
+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
+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
+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
+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
+greatandhra.com##.sortable-item_top_add123
+khmertimeskh.com##.sow-slider-image
+freeonlineapps.net##.sp
+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
+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
+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
+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
+bostonglobe.com##.stick_1200--tablet
+ar15.com##.stickers
+kathmandupost.com##.sticky--bottom
+healthing.ca##.sticky-ad-spacer-desktop
+religionnews.com##.sticky-ad-white-space
+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,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\]
+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
+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
+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
+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
+tripadvisor.at,tripadvisor.be,tripadvisor.ca,tripadvisor.ch,tripadvisor.cl,tripadvisor.cn,tripadvisor.co,tripadvisor.co.id,tripadvisor.co.il,tripadvisor.co.kr,tripadvisor.co.nz,tripadvisor.co.uk,tripadvisor.co.za,tripadvisor.com,tripadvisor.com.ar,tripadvisor.com.au,tripadvisor.com.br,tripadvisor.com.eg,tripadvisor.com.gr,tripadvisor.com.hk,tripadvisor.com.mx,tripadvisor.com.my,tripadvisor.com.pe,tripadvisor.com.ph,tripadvisor.com.sg,tripadvisor.com.tr,tripadvisor.com.tw,tripadvisor.com.ve,tripadvisor.com.vn,tripadvisor.de,tripadvisor.dk,tripadvisor.es,tripadvisor.fr,tripadvisor.ie,tripadvisor.in,tripadvisor.it,tripadvisor.jp,tripadvisor.nl,tripadvisor.pt,tripadvisor.ru,tripadvisor.se##.txxUo
+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
+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##.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
+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
+coralspringstalk.com##.wpbdp-listings-widget-list
+tejanonation.net##.wpcnt
+americanfreepress.net,sashares.co.za##.wppopups-whole
+theregister.com##.wptl
+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
+wunderground.com##AD-TRIPLE-BOX
+haxnode.net##[action^="//href.li/?"]
+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"]
+wsj.com##[aria-label="Sponsored Offers"]
+blackbeltmag.com##[aria-label="Wix Monetize with AdSense"]
+giantfood.com,giantfoodstores.com,martinsfoods.com##[aria-label^="Sponsored"]
+economictimes.indiatimes.com##[class*="-ad-"]
+thehansindia.com##[class*="-ad-"]:not(#inside_post_content_ad_1_before)
+collegedunia.com##[class*="-ad-slot"]
+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"]
+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"]
+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]
+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"]
+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"]
+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"]
+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]
+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"]
+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/"]
+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"]
+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/"]
+cnx-software.com##[href^="https://url2.cnx-software.com/"]
+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/"]
+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"]
+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-"]
+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,sitepoint.com,tld-list.com##[rel*="sponsored"]
+warecracks.com,websiteoutlook.com##[rel="nofollow"]
+metro.co.uk##[rel="sponsored"]
+wccftech.com##[rel^="sponsored"]
+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)"]
+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,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/"]
+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/"]
+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/"]
+inquirer.net##a[href^="https://ruby.inquirer.net/"]
+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##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,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/"]
+winaero.com##aside.sidebar > section:not([id^="custom_html-"]).widget_custom_html
+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
+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"]
+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"]
+opentable.ae,opentable.ca,opentable.co.th,opentable.co.uk,opentable.com,opentable.com.au,opentable.com.mx,opentable.de,opentable.es,opentable.hk,opentable.ie,opentable.it,opentable.jp,opentable.nl,opentable.sg##div[data-promoted="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"]
+basschat.co.uk,momondo.at,momondo.be,momondo.ca,momondo.ch,momondo.cl,momondo.co.nz,momondo.co.uk,momondo.co.za,momondo.com,momondo.com.ar,momondo.com.au,momondo.com.br,momondo.com.co,momondo.com.pe,momondo.com.tr,momondo.cz,momondo.de,momondo.dk,momondo.ee,momondo.es,momondo.fi,momondo.fr,momondo.hk,momondo.ie,momondo.in,momondo.it,momondo.mx,momondo.nl,momondo.no,momondo.pl,momondo.pt,momondo.ro,momondo.se,momondo.tw,momondo.ua##div[data-resultid$="-sponsored"]
+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-"]
+namu.wiki##div[id][class]:empty
+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;"]
+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;"]
+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
+tellows-au.com,tellows-tr.com,tellows.at,tellows.be,tellows.co,tellows.co.nz,tellows.co.uk,tellows.co.za,tellows.com,tellows.com.br,tellows.cz,tellows.de,tellows.es,tellows.fr,tellows.hu,tellows.in,tellows.it,tellows.jp,tellows.mx,tellows.net,tellows.nl,tellows.org,tellows.pl,tellows.pt,tellows.se,tellows.tw##li > .comment-body[style*="min-height: 250px;"]
+cgpress.org##li > div[id^="cgpre-"]
+bestbuy.com##li.embedded-sponsored-listing
+cultbeauty.co.uk,dermstore.com,skinstore.com##li.sponsoredProductsList
+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##li[class*="sponsored-"]
+linkedin.com##li[data-is-sponsored="true"]
+duckduckgo.com,duckduckgogg42xjoc72x3sjasowoarfbgcmvfimaftt6twagswzczad.onion##li[data-layout="products"]
+duckduckgo.com##li[data-layout="products_middle"]
+opentable.ae,opentable.ca,opentable.co.th,opentable.co.uk,opentable.com,opentable.com.au,opentable.com.mx,opentable.de,opentable.es,opentable.hk,opentable.ie,opentable.it,opentable.jp,opentable.nl,opentable.sg##li[data-promoted="true"]
+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])
+americanfreepress.net##p > [href] > img
+ft.com##pg-slot
+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"]
+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"]
+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
+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)
+winaero.com###content p:has(~ ins.adsbygoogle)
+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)
+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###videoContainer:has(> [id^="videoContent-videoad-"])
+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-"])
+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)
+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)
+thenewdaily.com.au##.border-grey-300:has(> [data-ad-id])
+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)
+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)
+insidehpc.com##.featured-728x90-ad
+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)
+canberratimes.com.au##.h-\[50px\]
+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)
+yovizag.com##.jeg_column:has(> .jeg_wrapper > .jeg_ad)
+motortrend.com##.justify-center:has(.nativo-news)
+fortune.com##.jzcxNo
+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,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)
+nysun.com##.mr-\[-50vw\]
+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)
+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)
+douglas.at,douglas.be,douglas.ch,douglas.cz,douglas.de,douglas.es,douglas.hr,douglas.hu,douglas.it,douglas.nl,douglas.pl,douglas.pt,douglas.ro,douglas.si,douglas.sk##.product-grid-column:has(.product-tile__sponsored)
+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"])
+decisiondeskhq.com##.publirAds
+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"])
+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"])
+douglas.at,douglas.be,douglas.ch,douglas.cz,douglas.de,douglas.es,douglas.hr,douglas.hu,douglas.it,douglas.nl,douglas.pl,douglas.pt,douglas.ro,douglas.si,douglas.sk##.swiper-slide:has(button[data-testid="sponsored-button"])
+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)
+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"])
+dotesports.com##.wp-block-gamurs-article-tile:has-text(Sponsored)
+bestbuy.ca##.x-productListItem:has([data-automation="sponsoredProductLabel"])
+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)
+skyscanner.com##[class^="FlightsResults"] > div:has([class^="Sponsored"])
+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/"])
+motor1.com##[data-m1-ad-label]
+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;"])
+manomano.co.uk,manomano.de,manomano.es,manomano.fr,manomano.it##a[href^="/"][href*="?product_id="]:has(.ur6iYv)
+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)
+winaero.com##aside > .widget_text:has(.adsbygoogle)
+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)
+skyscanner.com,skyscanner.net##div > a:has(div[class^="DefaultBanner_sponsorshipRow"])
+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)
+douglas.at,douglas.be,douglas.ch,douglas.cz,douglas.de,douglas.es,douglas.hr,douglas.hu,douglas.it,douglas.nl,douglas.pl,douglas.pt,douglas.ro,douglas.si,douglas.sk##div.product-grid-column:has(button[data-testid="sponsored-button"])
+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"])
+skyscanner.com,skyscanner.net##div:has(> a[data-testid="inline-brand-banner"])
+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"])
+skyscanner.com##div[class^="ItineraryInlinePlusWrapper_"]:has(button[class^="SponsoredInfoButton_"])
+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"])
+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/"])
+90min.com##figure:has(> div > #mm-player-placeholder-large-screen)
+nex-software.com##h4:has(a[href$="/reimage"])
+bing.com##li.b_algo:has(> [class="b_caption"] > p.b_overflow2)
+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)
+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"])
+tripadvisor.at,tripadvisor.be,tripadvisor.ca,tripadvisor.ch,tripadvisor.cl,tripadvisor.cn,tripadvisor.co,tripadvisor.co.id,tripadvisor.co.il,tripadvisor.co.kr,tripadvisor.co.nz,tripadvisor.co.uk,tripadvisor.co.za,tripadvisor.com,tripadvisor.com.ar,tripadvisor.com.au,tripadvisor.com.br,tripadvisor.com.eg,tripadvisor.com.gr,tripadvisor.com.hk,tripadvisor.com.mx,tripadvisor.com.my,tripadvisor.com.pe,tripadvisor.com.ph,tripadvisor.com.sg,tripadvisor.com.tr,tripadvisor.com.tw,tripadvisor.com.ve,tripadvisor.com.vn,tripadvisor.de,tripadvisor.dk,tripadvisor.es,tripadvisor.fr,tripadvisor.ie,tripadvisor.in,tripadvisor.it,tripadvisor.jp,tripadvisor.nl,tripadvisor.pt,tripadvisor.ru,tripadvisor.se##section[data-automation$="_AdPlaceholder"]:has(.txxUo)
+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.com#?#[data-automation="crossSellShelf"] div:has(> span:-abp-contains(Sponsored))
+tripadvisor.com#?#[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.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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###nav-swmslot
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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###sc-rec-bottom
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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###sc-rec-right
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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###similarities_feature_div:has(span.sponsored_label_tap_space)
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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###sponsoredProducts2_feature_div
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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###sponsoredProducts_feature_div
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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###typ-recommendations-stripe-1
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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###typ-recommendations-stripe-2
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##.amzn-safe-frame-container
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##.dp-widget-card-deck:has([data-ad-placement-metadata])
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##.s-result-item:has([data-ad-feedback])
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##.s-result-item:has(div.puis-sponsored-label-text)
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##.s-result-list > .a-section:has(.sbv-ad-content-container)
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##.sbv-video-single-product
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##[cel_widget_id*="-creative-desktop_loom-desktop-"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div.s-inner-result-item > div.sg-col-inner:has(a.puis-sponsored-label-text)
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id*="Deals3Ads"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id*="_ad-placements-"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id*="desktop-dp-"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id="sp-orderdetails-desktop-carousel_desktop-yo-orderdetails_0"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id="sp-orderdetails-mobile-list_mobile-yo-orderdetails_0"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id="sp-pop-mobile-carousel_mobile-yo-postdelivery_0"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id="sp-rhf-desktop-carousel_desktop-rhf_0"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id="sp-shiptrack-desktop-carousel_desktop-yo-shiptrack_0"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id="sp-shiptrack-mobile-list_mobile-yo-shiptrack_0"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id="sp-typ-mobile-carousel_mobile-typ-carousels_2"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id="sp_phone_detail_thematic"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id="typ-ads"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id^="LEFT-SAFE_FRAME-"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id^="MAIN-FEATURED_ASINS_LIST-"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id^="adplacements:"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id^="multi-brand-"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[cel_widget_id^="sp-desktop-carousel_handsfree-browse"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[class*="SponsoredProducts"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[class*="_dpNoOverflow_"][data-idt]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[data-a-carousel-options*="\\\"isSponsoredProduct\\\":\\\"true\\\""]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[data-ad-id]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[data-cel-widget="sp-rhf-desktop-carousel_desktop-rhf_1"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[data-cel-widget="sp-shiptrack-desktop-carousel_desktop-yo-shiptrack_0"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[data-cel-widget^="multi-brand-video-mobile_DPSims_"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[data-cel-widget^="multi-card-creative-desktop_loom-desktop-top-slot_"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[data-csa-c-painter="sp-cart-mobile-carousel-cards"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[data-csa-c-slot-id^="loom-mobile-brand-footer-slot_hsa-id-"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[data-csa-c-slot-id^="loom-mobile-top-slot_hsa-id-"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##div[id^="sp_detail"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##span[cel_widget_id^="MAIN-FEATURED_ASINS_LIST-"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##span[cel_widget_id^="MAIN-loom-desktop-brand-footer-slot_hsa-id-CARDS-"]
+amazon.ae,amazon.ca,amazon.cn,amazon.co.jp,amazon.co.uk,amazon.com,amazon.com.au,amazon.com.be,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##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.at,expedia.be,expedia.ca,expedia.ch,expedia.co.id,expedia.co.in,expedia.co.jp,expedia.co.kr,expedia.co.nz,expedia.co.th,expedia.co.uk,expedia.com,expedia.com.ar,expedia.com.au,expedia.com.br,expedia.com.hk,expedia.com.my,expedia.com.ph,expedia.com.sg,expedia.com.tw,expedia.com.vn,expedia.de,expedia.dk,expedia.es,expedia.fi,expedia.fr,expedia.ie,expedia.it,expedia.mx,expedia.net,expedia.nl,expedia.no,expedia.se,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.at,expedia.be,expedia.ca,expedia.ch,expedia.co.id,expedia.co.in,expedia.co.jp,expedia.co.kr,expedia.co.nz,expedia.co.th,expedia.co.uk,expedia.com,expedia.com.ar,expedia.com.au,expedia.com.br,expedia.com.hk,expedia.com.my,expedia.com.ph,expedia.com.sg,expedia.com.tw,expedia.com.vn,expedia.de,expedia.dk,expedia.es,expedia.fi,expedia.fr,expedia.ie,expedia.it,expedia.mx,expedia.net,expedia.nl,expedia.no,expedia.se,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.at,expedia.be,expedia.ca,expedia.ch,expedia.co.id,expedia.co.in,expedia.co.jp,expedia.co.kr,expedia.co.nz,expedia.co.th,expedia.co.uk,expedia.com,expedia.com.ar,expedia.com.au,expedia.com.br,expedia.com.hk,expedia.com.my,expedia.com.ph,expedia.com.sg,expedia.com.tw,expedia.com.vn,expedia.de,expedia.dk,expedia.es,expedia.fi,expedia.fr,expedia.ie,expedia.it,expedia.mx,expedia.net,expedia.nl,expedia.no,expedia.se,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.at,expedia.be,expedia.ca,expedia.ch,expedia.co.id,expedia.co.in,expedia.co.jp,expedia.co.kr,expedia.co.nz,expedia.co.th,expedia.co.uk,expedia.com,expedia.com.ar,expedia.com.au,expedia.com.br,expedia.com.hk,expedia.com.my,expedia.com.ph,expedia.com.sg,expedia.com.tw,expedia.com.vn,expedia.de,expedia.dk,expedia.es,expedia.fi,expedia.fr,expedia.ie,expedia.it,expedia.mx,expedia.net,expedia.nl,expedia.no,expedia.se,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.at,expedia.be,expedia.ca,expedia.ch,expedia.co.id,expedia.co.in,expedia.co.jp,expedia.co.kr,expedia.co.nz,expedia.co.th,expedia.co.uk,expedia.com,expedia.com.ar,expedia.com.au,expedia.com.br,expedia.com.hk,expedia.com.my,expedia.com.ph,expedia.com.sg,expedia.com.tw,expedia.com.vn,expedia.de,expedia.dk,expedia.es,expedia.fi,expedia.fr,expedia.ie,expedia.it,expedia.mx,expedia.net,expedia.nl,expedia.no,expedia.se,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.at,expedia.be,expedia.ca,expedia.ch,expedia.co.id,expedia.co.in,expedia.co.jp,expedia.co.kr,expedia.co.nz,expedia.co.th,expedia.co.uk,expedia.com,expedia.com.ar,expedia.com.au,expedia.com.br,expedia.com.hk,expedia.com.my,expedia.com.ph,expedia.com.sg,expedia.com.tw,expedia.com.vn,expedia.de,expedia.dk,expedia.es,expedia.fi,expedia.fr,expedia.ie,expedia.it,expedia.mx,expedia.net,expedia.nl,expedia.no,expedia.se,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.at,expedia.be,expedia.ca,expedia.ch,expedia.co.id,expedia.co.in,expedia.co.jp,expedia.co.kr,expedia.co.nz,expedia.co.th,expedia.co.uk,expedia.com,expedia.com.ar,expedia.com.au,expedia.com.br,expedia.com.hk,expedia.com.my,expedia.com.ph,expedia.com.sg,expedia.com.tw,expedia.com.vn,expedia.de,expedia.dk,expedia.es,expedia.fi,expedia.fr,expedia.ie,expedia.it,expedia.mx,expedia.net,expedia.nl,expedia.no,expedia.se,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.ae,skyscanner.at,skyscanner.ca,skyscanner.ch,skyscanner.co.id,skyscanner.co.il,skyscanner.co.in,skyscanner.co.kr,skyscanner.co.nz,skyscanner.co.th,skyscanner.co.za,skyscanner.com,skyscanner.com.au,skyscanner.com.br,skyscanner.com.eg,skyscanner.com.hk,skyscanner.com.mx,skyscanner.com.my,skyscanner.com.ph,skyscanner.com.sa,skyscanner.com.sg,skyscanner.com.tr,skyscanner.com.tw,skyscanner.com.ua,skyscanner.com.vn,skyscanner.cz,skyscanner.de,skyscanner.dk,skyscanner.es,skyscanner.fi,skyscanner.fr,skyscanner.gg,skyscanner.hu,skyscanner.ie,skyscanner.it,skyscanner.jp,skyscanner.net,skyscanner.nl,skyscanner.no,skyscanner.pk,skyscanner.pl,skyscanner.pt,skyscanner.qa,skyscanner.ro,skyscanner.se,tianxun.com##div[aria-label="Sponsored"]
+skyscanner.ae,skyscanner.at,skyscanner.ca,skyscanner.ch,skyscanner.co.id,skyscanner.co.il,skyscanner.co.in,skyscanner.co.kr,skyscanner.co.nz,skyscanner.co.th,skyscanner.co.za,skyscanner.com,skyscanner.com.au,skyscanner.com.br,skyscanner.com.eg,skyscanner.com.hk,skyscanner.com.mx,skyscanner.com.my,skyscanner.com.ph,skyscanner.com.sa,skyscanner.com.sg,skyscanner.com.tr,skyscanner.com.tw,skyscanner.com.ua,skyscanner.com.vn,skyscanner.cz,skyscanner.de,skyscanner.dk,skyscanner.es,skyscanner.fi,skyscanner.fr,skyscanner.gg,skyscanner.hu,skyscanner.ie,skyscanner.it,skyscanner.jp,skyscanner.net,skyscanner.nl,skyscanner.no,skyscanner.pk,skyscanner.pl,skyscanner.pt,skyscanner.qa,skyscanner.ro,skyscanner.se,tianxun.com##div[class^="ItineraryInlinePlusWrapper_container"]
+! ad insertition https://chromewebstore.google.com/detail/idgpnmonknjnojddfkpgkljpfnnfcklj
+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.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###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###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
+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
+uproxx.com###upx-mm-player-wrap
+sportskeeda.com###video-player-container--
+onlyinyourstate.com###video1-1
+newseveryday.com###vplayer_large
+tvline.com##._video_ti56x_1
+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
+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
+bringmethenews.com,mensjournal.com,thestreet.com##.is-fallback-player
+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
+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
+appleinsider.com##.primis-ad-wrap
+iheart.com##.provider-stn
+pedestrian.tv##.recent-jobs-widget
+kidspot.com.au##.secondary-video
+pedestrian.tv##.sticky-item-group
+playbuzz.com##.stickyplayer-container
+the-express.com##.stn-video-container
+si.com##.style_hfl21i-o_O-style_uhlm2
+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
+carbuzz.com,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
+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^="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/"]
+yahoo.com##li[data-test-locator="stream-related-ad-item"]
+! youtube
+youtube.com###masthead-ad
+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
+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.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###tads[aria-label]
+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.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###tadsb[aria-label]
+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.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##.OcdnDb
+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.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##.OcdnDb + .PbZDve
+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.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##.OcdnDb + .PbZDve + .m6QErb
+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.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##.OcdnDb + .fp2VUc
+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.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##.commercial-unit-desktop-rhs:not(.mnr-c)
+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.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##.commercial-unit-mobile-top > div[data-pla="1"]
+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.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##.cu-container
+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.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##.ltJjte
+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.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##.uEierd
+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.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##a[href^="/aclk?sa="][href*="&adurl=&placesheetAdFix=1"]
+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.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##a[href^="/aclk?sa="][href*="&adurl=&placesheetAdFix=1"] + button
+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.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##a[href^="https://www.googleadservices.com/pagead/aclk?"]
+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.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##body#yDmH0d [data-is-promoted="true"]
+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.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##c-wiz[jsrenderer="YTTf6c"] > .bhapoc.oJeWuf[jsname="bN97Pc"][data-ved]
+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.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##div.FWfoJ > div[jsname="Nf35pd"] > div[class="R09YGb ilovz"]
+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.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##div.sh-sr__shop-result-group[data-hveid]:has(g-scrolling-carousel)
+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.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##div[data-ads-title="1"]
+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.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##div[data-attrid="kc:/local:promotions"]
+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.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##div[data-crl="true"][data-id^="CarouselPLA-"]
+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.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##div[data-is-ad="1"]
+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.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##div[data-is-promoted-hotel-ad="true"]
+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.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##div[data-section-type="ads"]
+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.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##div[jsdata*="CarouselPLA-"][data-id^="CarouselPLA-"]
+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.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##div[jsdata*="SinglePLA-"][data-id^="SinglePLA-"]
+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.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##html[itemtype="http://schema.org/SearchResultsPage"] #cnt div[class$="sh-sr__bau"]
+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.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##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.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com###resultWrapper > div > div > [role="button"][tabindex="0"] > .yuAt-pres-rounded
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##.Dp1L
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##.EvBR
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##.IZSg-mod-banner
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##.J8jg:has(.J8jg-provider-ad-badge)
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##.YnaR
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##.ev1_-results-list > div > div > div > div.G-5c[role="tab"][tabindex="0"] > .yuAt-pres-rounded
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##.ev1_-results-list > div > div > div > div[data-resultid$="-sponsored"]
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##.nqHv-pres-three:has(div.nqHv-logo-ad-wrapper)
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##.resultsList > div > div > div > div.G-5c[role="tab"][tabindex="0"] > .yuAt-pres-rounded
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##.resultsList > div > div > div > div[data-resultid$="-sponsored"]
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##.zZcm-pres-three
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##div.PzK0-pres-default
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##div.YTRJ[role="button"][tabindex="0"] > .yuAt-pres-rounded
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##div[class*="-ad-card"]
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##div[class*="-adInner"]
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##div[data-resultid]:has(a.IZSg-adlink)
+checkfelix.com,kayak.ae,kayak.bo,kayak.ch,kayak.cl,kayak.co.cr,kayak.co.id,kayak.co.in,kayak.co.jp,kayak.co.kr,kayak.co.th,kayak.co.uk,kayak.co.ve,kayak.com,kayak.com.ar,kayak.com.au,kayak.com.br,kayak.com.co,kayak.com.do,kayak.com.ec,kayak.com.gt,kayak.com.hk,kayak.com.hn,kayak.com.mx,kayak.com.my,kayak.com.ni,kayak.com.pa,kayak.com.pe,kayak.com.ph,kayak.com.pr,kayak.com.py,kayak.com.sv,kayak.com.tr,kayak.com.uy,kayak.de,kayak.dk,kayak.es,kayak.fr,kayak.ie,kayak.it,kayak.nl,kayak.no,kayak.pl,kayak.pt,kayak.sa,kayak.se,kayak.sg,swoodoo.com##div[id^="inline-1-"]
+! *** easylist:easylist/easylist_specific_hide_abp.txt ***
+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"])
+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,maxi.ca,newfoundlandgrocerystores.ca,nofrills.ca,provigo.ca,realcanadiansuperstore.ca,valumart.ca,yourindependentgrocer.ca,zehrs.ca#?#.chakra-linkbox:-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)
+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)
+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)
+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)
+quora.com#?#.q-sticky:-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))
+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)))
+shipt.com#?#li[class$="eBAnBw"]:-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)
+! top-level domain wildcard
+walmart.*#?#div > div[io-id]:-abp-contains(Sponsored)
+! aglint-disable-next-line
+euronews.com###o-site-hr__leaderboard-wallpaper.u-show-for-xlarge {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
+javgg.net###adlink
+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
+drtuber.com###video_list_banner
+dofap.com###video_overlay_banner
+hentaiplay.net###video_overlays
+redtube.com###video_right_col > .clearfix
+thisav.com###vjs-banner-container
+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.party,coomer.su,kemono.party,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,love4porn.com,marawaresearch.com,mobilepornmovies.com,mypornstarbook.net,pichunter.com,thisav.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,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
+fapnfuck.com,onlyppv.com,thotcity.su,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##.happy-player-beside
+sexseeimage.com##.happy-player-under
+sexseeimage.com,thisav.me##.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
+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
+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.com,missav.ws,missav123.com,missav789.com,myav.com##.lg\:block
+missav.ai,missav.com,missav.ws,missav123.com,missav789.com,myav.com##.lg\:hidden
+videosdemadurasx.com##.link
+xxxvogue.net##.link-adv
+escortnews.eu,topescort.com##.link-buttons-container
+fapnfuck.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,bravotube.net,camvideos.tv,cluset.com,deviants.com,dixyporn.com,fapnfuck.com,hello.porn,javcab.com,katestube.com,pornicom.com,sleazyneasy.com,videocelebs.net,vikiporn.com,vjav.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]
+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;"]
+missav.ai,missav.com,missav.ws,missav123.com,missav789.com,myav.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.com,missav.ws,missav123.com,missav789.com,myav.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.com,missav.ws,missav123.com,missav789.com,myav.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;"])
+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=zeebiz.com
+@@||ads.pubmatic.com/AdServer/js/pwtSync/$script,subdocument,domain=dnaindia.com|independent.co.uk|wionews.com
+@@||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=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
+@@||cbs.com^$generichide
+@@||cdpn.io^$generichide
+@@||chatgpt.com^$generichide
+@@||cloud.google.com^$generichide
+@@||codepen.io^$generichide
+@@||codesandbox.io^$generichide
+@@||contacts.google.com^$generichide
+@@||curiositystream.com^$generichide
+@@||deezer.com^$generichide
+@@||discord.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
+@@||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|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|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|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.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|devclass.com|digitaltrends.com|edy.rakuten.co.jp|epaper.timesgroup.com|euronews.com|filmweb.pl|formularywatch.com|games.coolgames.com|gearpatrol.com|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|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|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
+@@||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
+@@||allpornstream.com/api/ads?type=thumbnail$~third-party
+@@||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 ***
\ No newline at end of file
diff --git a/packages/adblocker_manager/lib/adblocker_manager.dart b/packages/adblocker_manager/lib/adblocker_manager.dart
new file mode 100644
index 0000000..e4a7fda
--- /dev/null
+++ b/packages/adblocker_manager/lib/adblocker_manager.dart
@@ -0,0 +1,6 @@
+export 'package:adblocker_core/adblocker_core.dart';
+
+export 'src/config/filter_config.dart';
+export 'src/config/filter_type.dart';
+export 'src/exception/filter_exception.dart';
+export 'src/filter_manager.dart';
diff --git a/packages/adblocker_manager/lib/src/config/filter_config.dart b/packages/adblocker_manager/lib/src/config/filter_config.dart
new file mode 100644
index 0000000..4112919
--- /dev/null
+++ b/packages/adblocker_manager/lib/src/config/filter_config.dart
@@ -0,0 +1,17 @@
+import 'package:adblocker_manager/src/config/filter_type.dart';
+
+/// Configuration for the AdblockFilterManager
+class FilterConfig {
+
+ /// Creates a new [FilterConfig] instance
+ ///
+ /// [filterTypes] must not be empty
+ FilterConfig({
+ required this.filterTypes,
+ }) : assert(
+ filterTypes.isNotEmpty,
+ 'At least one filter type must be specified',
+ );
+ /// List of filter types to be used
+ final List filterTypes;
+}
diff --git a/packages/adblocker_manager/lib/src/config/filter_type.dart b/packages/adblocker_manager/lib/src/config/filter_type.dart
new file mode 100644
index 0000000..28ce559
--- /dev/null
+++ b/packages/adblocker_manager/lib/src/config/filter_type.dart
@@ -0,0 +1,8 @@
+/// Supported filter types for ad blocking
+enum FilterType {
+ /// EasyList filter type
+ easyList,
+
+ /// AdGuard filter type
+ adGuard,
+}
diff --git a/packages/adblocker_manager/lib/src/exception/filter_exception.dart b/packages/adblocker_manager/lib/src/exception/filter_exception.dart
new file mode 100644
index 0000000..f27693e
--- /dev/null
+++ b/packages/adblocker_manager/lib/src/exception/filter_exception.dart
@@ -0,0 +1,20 @@
+/// Base class for all filter-related exceptions
+class FilterException implements Exception {
+
+ /// Creates a new [FilterException]
+ FilterException(this.message, [this.error]);
+ /// Error message
+ final String message;
+
+ /// Optional error that caused this exception
+ final Object? error;
+
+ @override
+ String toString() =>
+ 'FilterException: $message${error != null ? '\nCaused by: $error' : ''}';
+}
+
+/// Exception thrown when filter initialization fails
+class FilterInitializationException extends FilterException {
+ FilterInitializationException(super.message, [super.error]);
+}
diff --git a/packages/adblocker_manager/lib/src/filter_manager.dart b/packages/adblocker_manager/lib/src/filter_manager.dart
new file mode 100644
index 0000000..8ce66a1
--- /dev/null
+++ b/packages/adblocker_manager/lib/src/filter_manager.dart
@@ -0,0 +1,87 @@
+import 'package:adblocker_manager/adblocker_manager.dart';
+import 'package:flutter/services.dart';
+
+/// Manager class that handles multiple ad-blocking filters
+class AdblockFilterManager {
+ final List _filters = [];
+ bool _isInitialized = false;
+
+ /// Initializes the filter manager with the given configuration
+ ///
+ /// Throws [FilterInitializationException] if initialization fails
+ Future init(FilterConfig config) async {
+ try {
+ _filters.clear();
+
+ for (final filterType in config.filterTypes) {
+ final filter = await _createFilter(filterType);
+ _filters.add(filter);
+ }
+
+ _isInitialized = true;
+ } catch (e) {
+ throw FilterInitializationException('Failed to initialize filters', e);
+ }
+ }
+
+ /// Creates a filter instance based on the filter type
+ Future _createFilter(FilterType type) async {
+ final filter = AdblockerFilter.createInstance();
+ switch (type) {
+ case FilterType.easyList:
+ await filter.init(
+ await rootBundle.loadString(
+ 'packages/adblocker_manager/assets/easylist.txt',
+ ),
+ );
+ return filter;
+ case FilterType.adGuard:
+ await filter.init(
+ await rootBundle.loadString(
+ 'packages/adblocker_manager/assets/adguard_base.txt',
+ ),
+ );
+ return filter;
+ }
+ }
+
+ /// Checks if a resource should be blocked
+ ///
+ /// Returns true if any filter indicates the resource should be blocked
+ bool shouldBlockResource(String url) {
+ _checkInitialization();
+
+ // Return true if any filter says to block
+ return _filters.any((filter) => filter.shouldBlockResource(url));
+ }
+
+ /// Gets CSS rules for the given website
+ ///
+ /// Returns a list of unique CSS rules from all filters
+ List getCSSRulesForWebsite(String domain) {
+ _checkInitialization();
+
+ // Combine unique rules from all filters
+ final rules = {};
+ for (final filter in _filters) {
+ rules.addAll(filter.getCSSRulesForWebsite(domain));
+ }
+ return rules.toList();
+ }
+
+ /// Gets all resource rules from all filters
+ List getAllResourceRules() {
+ _checkInitialization();
+
+ return _filters.expand((filter) => filter.getAllResourceRules()).toList();
+ }
+
+ /// Checks if the manager is initialized
+ void _checkInitialization() {
+ if (!_isInitialized) {
+ throw FilterException(
+ 'AdblockFilterManager is not initialized. Call init() first.',
+ );
+ }
+ }
+}
diff --git a/packages/adblocker_manager/pubspec.yaml b/packages/adblocker_manager/pubspec.yaml
new file mode 100644
index 0000000..e5ed943
--- /dev/null
+++ b/packages/adblocker_manager/pubspec.yaml
@@ -0,0 +1,20 @@
+name: adblocker_manager
+description: "Manager package for handling multiple ad-blocking filters"
+version: 1.0.0
+homepage: https://github.com/islamdidarmd/flutter_adblocker_webview
+
+environment:
+ sdk: ^3.7.0
+ flutter: '>=3.29.0'
+
+resolution: workspace
+
+dependencies:
+ adblocker_core: ^0.1.0
+ flutter:
+ sdk: flutter
+
+flutter:
+ assets:
+ - assets/adguard_base.txt
+ - assets/easylist.txt
diff --git a/pubspec.yaml b/pubspec.yaml
index 271806b..1e48c46 100644
--- a/pubspec.yaml
+++ b/pubspec.yaml
@@ -2,20 +2,24 @@ name: adblocker_webview
description: A webview for flutter with adblocking capability. It's currently based on Flutter InAppWebview Plugin.
repository: https://github.com/islamdidarmd/flutter_adblocker_webview
issue_tracker: https://github.com/islamdidarmd/flutter_adblocker_webview/issues
-version: 1.2.0
+version: 2.0.0
homepage: https://github.com/islamdidarmd/flutter_adblocker_webview
environment:
- sdk: '>=3.0.0 <4.0.0'
+ sdk: ^3.7.0
+
+workspace:
+ - packages/adblocker_core
+ - packages/adblocker_manager
dependencies:
+ adblocker_manager: ^1.0.0
flutter:
sdk: flutter
-
- flutter_cache_manager: ^3.3.1
- flutter_inappwebview: ^5.8.0
+ webview_flutter: ^4.10.0
dev_dependencies:
flutter_test:
sdk: flutter
+ test: ^1.21.0
very_good_analysis: ^5.1.0
diff --git a/test/adblocker_webview_test.dart b/test/adblocker_webview_test.dart
index cdee121..6692c59 100644
--- a/test/adblocker_webview_test.dart
+++ b/test/adblocker_webview_test.dart
@@ -1,14 +1,39 @@
import 'package:adblocker_webview/adblocker_webview.dart';
-import 'package:adblocker_webview/src/adblocker_webview_controller_impl.dart';
import 'package:flutter_test/flutter_test.dart';
-import 'fakes/fake_adblocker_repository_impl.dart';
-
void main() {
- test('Test controller initializes successfully', () async {
- final AdBlockerWebviewController instance = AdBlockerWebviewControllerImpl(
- repository: FakeAdBlockerRepositoryImpl(),
+ group('AdBlockerWebview', () {
+ late AdBlockerWebviewController controller;
+
+ setUp(() {
+ controller = AdBlockerWebviewController.instance;
+ });
+
+ testWidgets('throws assertion error when both url and htmlData provided', (
+ tester,
+ ) async {
+ expect(
+ () => AdBlockerWebview(
+ url: Uri.parse('https://example.com'),
+ initialHtmlData: 'Test',
+ shouldBlockAds: true,
+ adBlockerWebviewController: controller,
+ ),
+ throwsAssertionError,
+ );
+ });
+
+ testWidgets(
+ 'throws assertion error when neither url nor htmlData provided',
+ (tester) async {
+ expect(
+ () => AdBlockerWebview(
+ shouldBlockAds: true,
+ adBlockerWebviewController: controller,
+ ),
+ throwsAssertionError,
+ );
+ },
);
- await instance.initialize();
});
}
diff --git a/test/fakes/fake_adblocker_repository_impl.dart b/test/fakes/fake_adblocker_repository_impl.dart
deleted file mode 100644
index a21c9db..0000000
--- a/test/fakes/fake_adblocker_repository_impl.dart
+++ /dev/null
@@ -1,13 +0,0 @@
-import 'package:adblocker_webview/src/domain/entity/host.dart';
-import 'package:adblocker_webview/src/domain/repository/adblocker_repository.dart';
-
-///ignore_for_file: avoid-top-level-members-in-tests
-class FakeAdBlockerRepositoryImpl implements AdBlockerRepository {
- @override
- Future> fetchBannedHostList() async {
- return [
- const Host(authority: 'xyz.com'),
- const Host(authority: 'abc.com'),
- ];
- }
-}