├── .gitattributes ├── .github └── workflows │ ├── dead-domains-check.yml │ ├── hosts-file-generation.yaml │ └── hosts-generation.py ├── .husky ├── install.mjs ├── post-merge └── pre-commit ├── LICENSE ├── PersianAnnoyance.txt ├── PersianBlocker.txt ├── PersianBlockerHosts.txt ├── PersonalBlocker.txt ├── README.md ├── Soft98 ├── Soft98NoAds.txt └── soft98.user.js ├── Userscripts ├── MyIrancell.user.js └── dragontea.user.js ├── hosts ├── hosts-0 ├── package.json └── pnpm-lock.yaml /.gitattributes: -------------------------------------------------------------------------------- 1 | # See https://github.com/github/linguist/blob/master/docs/overrides.md 2 | 3 | # Attribute definitions 4 | [attr]adb linguist-detectable linguist-language=AdBlock 5 | 6 | # AdBlock filter files 7 | *.txt adb 8 | -------------------------------------------------------------------------------- /.github/workflows/dead-domains-check.yml: -------------------------------------------------------------------------------- 1 | name: Dead Domains Check 2 | 3 | env: 4 | NODE_VERSION: 20 5 | 6 | on: 7 | schedule: 8 | # Run the job on every Monday at 8:00 AM UTC 9 | - cron: '0 8 * * 1' 10 | push: 11 | branches: 12 | - master 13 | paths: 14 | - '.github/workflows/dead-domains-check.yml' 15 | workflow_dispatch: 16 | 17 | jobs: 18 | dead-domains-check: 19 | name: Run dead domains check 20 | runs-on: ubuntu-latest 21 | steps: 22 | - name: Check out to repository 23 | uses: actions/checkout@v4 24 | 25 | - name: Install pnpm 26 | uses: pnpm/action-setup@v4 27 | 28 | - name: Set up Node.js 29 | uses: actions/setup-node@v4 30 | with: 31 | node-version: ${{ env.NODE_VERSION }} 32 | cache: pnpm 33 | 34 | - name: Install dependencies 35 | run: pnpm install 36 | 37 | - name: Export dead domains to a file 38 | run: pnpm dead-domains-linter --export dead-domains.txt 39 | 40 | - name: Read dead domains from the file 41 | id: read-dead-domains 42 | uses: actions/github-script@v7 43 | with: 44 | script: | 45 | const { readFile } = require('fs').promises; 46 | 47 | const deadDomains = (await readFile('dead-domains.txt', 'utf8')) 48 | .split(/\r?\n/) 49 | .filter(Boolean); 50 | 51 | // Add warning to the console 52 | for (const domain of deadDomains) { 53 | core.warning(`Possible dead domain: ${domain}`); 54 | } 55 | 56 | core.setOutput('has_dead_domains', deadDomains.length > 0 ? 'true' : 'false'); 57 | core.setOutput('dead_domains', deadDomains); 58 | 59 | - name: Close previous issue(s) 60 | uses: actions/github-script@v7 61 | with: 62 | script: | 63 | const title = 'Automated dead domains report'; 64 | 65 | // Close previous issues which have the same title and opened by github-actions[bot] 66 | const { data: issues } = await github.rest.issues.listForRepo({ 67 | owner: context.repo.owner, 68 | repo: context.repo.repo, 69 | state: 'open', 70 | }); 71 | 72 | const previousIssues = issues.filter(issue => { 73 | const isBot = issue.user.login === 'github-actions[bot]'; 74 | 75 | return issue.title === title && isBot; 76 | }); 77 | 78 | for (const previousIssue of previousIssues) { 79 | await github.rest.issues.update({ 80 | owner: context.repo.owner, 81 | repo: context.repo.repo, 82 | issue_number: previousIssue.number, 83 | state: 'closed', 84 | }); 85 | 86 | core.info(`Closed previous issue #${previousIssue.number}`); 87 | } 88 | 89 | - name: Close previous pull request(s) 90 | uses: actions/github-script@v7 91 | with: 92 | script: | 93 | // Close previous pull requests which have the branch name 'fix/dead-domains-' 94 | // and opened by github-actions[bot] 95 | const { data: pullRequests } = await github.rest.pulls.list({ 96 | owner: context.repo.owner, 97 | repo: context.repo.repo, 98 | state: 'open', 99 | }); 100 | 101 | const previousPullRequests = pullRequests.filter(pullRequest => { 102 | const branchName = pullRequest.head.ref; 103 | const isAutomatedFix = branchName.startsWith('fix/dead-domains-'); 104 | const isBot = pullRequest.user.login === 'github-actions[bot]'; 105 | 106 | return isAutomatedFix && isBot; 107 | }); 108 | 109 | for (const previousPullRequest of previousPullRequests) { 110 | await github.rest.pulls.update({ 111 | owner: context.repo.owner, 112 | repo: context.repo.repo, 113 | pull_number: previousPullRequest.number, 114 | state: 'closed', 115 | }); 116 | 117 | core.info(`Closed previous pull request #${previousPullRequest.number}`); 118 | } 119 | 120 | // Delete the branch of the closed pull requests 121 | for (const previousPullRequest of previousPullRequests) { 122 | await github.rest.git.deleteRef({ 123 | owner: context.repo.owner, 124 | repo: context.repo.repo, 125 | ref: `heads/${previousPullRequest.head.ref}`, 126 | }); 127 | 128 | core.info(`Deleted branch ${previousPullRequest.head.ref}`); 129 | } 130 | 131 | - name: Open an issue if there are dead domains 132 | if: steps.read-dead-domains.outputs.has_dead_domains == 'true' 133 | id: open-issue 134 | uses: actions/github-script@v7 135 | with: 136 | script: | 137 | const deadDomains = JSON.parse(${{ toJson(steps.read-dead-domains.outputs.dead_domains) }}); 138 | const title = 'Automated dead domains report'; 139 | 140 | const { data: issue } = await github.rest.issues.create({ 141 | owner: context.repo.owner, 142 | repo: context.repo.repo, 143 | title, 144 | body: [ 145 | 'The following domains are possibly dead:', 146 | '', 147 | '
', 148 | 'Click to expand', 149 | '', 150 | `${deadDomains.map(domain => `- ${domain}`).join('\n')}`, 151 | '', 152 | '
', 153 | '', 154 | 'Please note that this is an automated report and some low-traffic websites may be incorrectly marked as dead.', 155 | 'For more information, see https://github.com/AdguardTeam/DeadDomainsLinter/blob/master/README.md', 156 | ].join('\n'), 157 | labels: ['dead website'], 158 | }); 159 | 160 | core.setOutput('issue_number', issue.number); 161 | core.info(`Issue #${issue.number} opened (${title})`); 162 | 163 | - name: Create a new branch for the automated fix 164 | if: steps.read-dead-domains.outputs.has_dead_domains == 'true' 165 | id: create-branch 166 | run: | 167 | branch_name="fix/dead-domains-${{ steps.open-issue.outputs.issue_number }}" 168 | git checkout -b $branch_name 169 | 170 | echo "branch_name=$branch_name" >> $GITHUB_OUTPUT 171 | 172 | - name: Perform the automated fix 173 | if: steps.read-dead-domains.outputs.has_dead_domains == 'true' 174 | run: | 175 | pnpm dead-domains-linter --auto --import dead-domains.txt 176 | 177 | - name: Stage changes for the automated fix 178 | if: steps.read-dead-domains.outputs.has_dead_domains == 'true' 179 | run: | 180 | git config user.name "github-actions[bot]" 181 | git config user.email "github-actions[bot]@users.noreply.github.com" 182 | 183 | # Add "dead-domains.txt" to the .gitignore if it's not there 184 | if ! grep -q "dead-domains.txt" .gitignore; then 185 | echo "dead-domains.txt" >> .gitignore 186 | fi 187 | 188 | git add -A 189 | 190 | - name: Commit and push the automated fix 191 | if: steps.read-dead-domains.outputs.has_dead_domains == 'true' 192 | run: | 193 | git commit -m "Automated dead domains fix (#${{ steps.open-issue.outputs.issue_number }})" 194 | git push --set-upstream origin ${{ steps.create-branch.outputs.branch_name }} 195 | 196 | - name: Create a pull request for the automated fix 197 | if: steps.read-dead-domains.outputs.has_dead_domains == 'true' 198 | uses: actions/github-script@v7 199 | with: 200 | script: | 201 | const { data: pullRequest } = await github.rest.pulls.create({ 202 | owner: context.repo.owner, 203 | repo: context.repo.repo, 204 | title: 'Automated dead domains fix', 205 | head: '${{ steps.create-branch.outputs.branch_name }}', 206 | base: context.ref.replace('refs/heads/', ''), 207 | body: [ 208 | 'This is an automated pull request to fix #${{ steps.open-issue.outputs.issue_number }}.', 209 | '', 210 | 'Please note that this is an automated fix and some low-traffic websites may be incorrectly marked as dead.', 211 | 'For more information, see https://github.com/AdguardTeam/DeadDomainsLinter/blob/master/README.md', 212 | ].join('\n'), 213 | }); 214 | 215 | core.info(`Pull request #${pullRequest.number} opened`); 216 | 217 | // Add labels to the pull request 218 | await github.rest.issues.addLabels({ 219 | owner: context.repo.owner, 220 | repo: context.repo.repo, 221 | issue_number: pullRequest.number, 222 | labels: ['dead website'], 223 | }); 224 | -------------------------------------------------------------------------------- /.github/workflows/hosts-file-generation.yaml: -------------------------------------------------------------------------------- 1 | name: Process Hosts File 2 | 3 | on: 4 | workflow_dispatch: 5 | push: 6 | branches: 7 | - main 8 | schedule: 9 | - cron: '0 0 * * *' 10 | 11 | jobs: 12 | process_hosts: 13 | runs-on: ubuntu-latest 14 | 15 | steps: 16 | - name: Checkout repository 17 | uses: actions/checkout@v2 18 | 19 | - name: Set up Python 20 | uses: actions/setup-python@v2 21 | with: 22 | python-version: 3.x 23 | 24 | #- name: Install dependencies 25 | #run: pip install -r requirements.txt 26 | 27 | - name: Process Hosts File 28 | run: python .github/workflows/hosts-generation.py 29 | 30 | - name: Generate hosts file with 0.0.0.0 31 | run: sed 's|127.0.0.1|0.0.0.0|g' hosts > hosts-0 32 | 33 | - name: Commit and push changes 34 | run: | 35 | git config --local user.email "action@github.com" 36 | git config --local user.name "GitHub Action" 37 | git add -A 38 | git commit -m "Update processed hosts file" || echo "No changes to commit" 39 | git push 40 | -------------------------------------------------------------------------------- /.github/workflows/hosts-generation.py: -------------------------------------------------------------------------------- 1 | import re 2 | 3 | def process_hosts_file(input_file, output_file): 4 | # Regular expression to match lines starting with an IP address 5 | ip_pattern = re.compile(r'^\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3}') 6 | 7 | # Read the local file, remove whitespace, comments, and sort the lines 8 | with open(input_file, 'r') as file: 9 | lines = file.readlines() 10 | 11 | processed_lines = [] 12 | for line in lines: 13 | # Remove whitespace and comments 14 | stripped_line = line.strip() 15 | if (not stripped_line or 16 | stripped_line.startswith('#') or 17 | stripped_line.startswith('[AdBlock]') or 18 | stripped_line.startswith('10.10') or 19 | ip_pattern.match(stripped_line)): 20 | continue 21 | processed_lines.append(stripped_line) 22 | 23 | processed_lines.sort() 24 | 25 | # Add "127.0.0.1 " to the beginning of each line 26 | final_lines = ["127.0.0.1 " + line for line in processed_lines] 27 | 28 | # Write the processed lines to the output file 29 | with open(output_file, 'w') as file: 30 | file.write('\n'.join(final_lines)) 31 | 32 | if __name__ == "__main__": 33 | input_file = "PersianBlockerHosts.txt" 34 | output_file = "hosts" 35 | process_hosts_file(input_file, output_file) 36 | print(f"Processed hosts file saved as {output_file}") 37 | -------------------------------------------------------------------------------- /.husky/install.mjs: -------------------------------------------------------------------------------- 1 | // See: https://typicode.github.io/husky/how-to.html#ci-server-and-docker 2 | 3 | // Do not initialize Husky in CI environments. GitHub Actions set the CI env variable automatically. 4 | // See: https://docs.github.com/en/actions/learn-github-actions/variables#default-environment-variables 5 | if (process.env.CI === 'true') { 6 | process.exit(0); 7 | } 8 | 9 | // Initialize Husky programmatically. 10 | const husky = (await import('husky')).default; 11 | console.log(husky()); 12 | -------------------------------------------------------------------------------- /.husky/post-merge: -------------------------------------------------------------------------------- 1 | #!/usr/bin/env sh 2 | . "$(dirname -- "$0")/_/husky.sh" 3 | 4 | # TODO: Migrate to Husky 9 5 | 6 | # See https://git-scm.com/docs/githooks#_post_merge 7 | 8 | # This function checks if a file has changed between the current HEAD and the previous HEAD 9 | # Source: https://jshakespeare.com/use-git-hooks-and-husky-to-tell-your-teammates-when-to-run-npm-install 10 | function changed { 11 | # HEAD@{1} is the original position of HEAD before the merge 12 | # HEAD is the new merge commit 13 | # --name-only only shows the names of the changed files 14 | # grep "^$1" only shows the files that match the first argument 15 | git diff --name-only HEAD@{1} HEAD | grep "^$1" > /dev/null 2>&1 16 | } 17 | 18 | # If package.json or pnpm-lock.yaml is changed, we should sync local dependencies 19 | if changed "package.json" || changed "pnpm-lock.yaml"; then 20 | echo "package.json or pnpm-lock.yaml changed, running pnpm install to sync dependencies" 21 | pnpm install --force 22 | fi 23 | -------------------------------------------------------------------------------- /.husky/pre-commit: -------------------------------------------------------------------------------- 1 | #!/usr/bin/env sh 2 | . "$(dirname -- "$0")/_/husky.sh" 3 | 4 | # TODO: Migrate to Husky 9 5 | 6 | # See https://git-scm.com/docs/githooks#_pre_commit 7 | 8 | npx lint-staged 9 | -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | GNU AFFERO GENERAL PUBLIC LICENSE 2 | Version 3, 19 November 2007 3 | 4 | Copyright (C) 2007 Free Software Foundation, Inc. 5 | Everyone is permitted to copy and distribute verbatim copies 6 | of this license document, but changing it is not allowed. 7 | 8 | Preamble 9 | 10 | The GNU Affero General Public License is a free, copyleft license for 11 | software and other kinds of works, specifically designed to ensure 12 | cooperation with the community in the case of network server software. 13 | 14 | The licenses for most software and other practical works are designed 15 | to take away your freedom to share and change the works. By contrast, 16 | our General Public Licenses are intended to guarantee your freedom to 17 | share and change all versions of a program--to make sure it remains free 18 | software for all its users. 19 | 20 | When we speak of free software, we are referring to freedom, not 21 | price. Our General Public Licenses are designed to make sure that you 22 | have the freedom to distribute copies of free software (and charge for 23 | them if you wish), that you receive source code or can get it if you 24 | want it, that you can change the software or use pieces of it in new 25 | free programs, and that you know you can do these things. 26 | 27 | Developers that use our General Public Licenses protect your rights 28 | with two steps: (1) assert copyright on the software, and (2) offer 29 | you this License which gives you legal permission to copy, distribute 30 | and/or modify the software. 31 | 32 | A secondary benefit of defending all users' freedom is that 33 | improvements made in alternate versions of the program, if they 34 | receive widespread use, become available for other developers to 35 | incorporate. Many developers of free software are heartened and 36 | encouraged by the resulting cooperation. However, in the case of 37 | software used on network servers, this result may fail to come about. 38 | The GNU General Public License permits making a modified version and 39 | letting the public access it on a server without ever releasing its 40 | source code to the public. 41 | 42 | The GNU Affero General Public License is designed specifically to 43 | ensure that, in such cases, the modified source code becomes available 44 | to the community. It requires the operator of a network server to 45 | provide the source code of the modified version running there to the 46 | users of that server. Therefore, public use of a modified version, on 47 | a publicly accessible server, gives the public access to the source 48 | code of the modified version. 49 | 50 | An older license, called the Affero General Public License and 51 | published by Affero, was designed to accomplish similar goals. This is 52 | a different license, not a version of the Affero GPL, but Affero has 53 | released a new version of the Affero GPL which permits relicensing under 54 | this license. 55 | 56 | The precise terms and conditions for copying, distribution and 57 | modification follow. 58 | 59 | TERMS AND CONDITIONS 60 | 61 | 0. Definitions. 62 | 63 | "This License" refers to version 3 of the GNU Affero General Public License. 64 | 65 | "Copyright" also means copyright-like laws that apply to other kinds of 66 | works, such as semiconductor masks. 67 | 68 | "The Program" refers to any copyrightable work licensed under this 69 | License. Each licensee is addressed as "you". "Licensees" and 70 | "recipients" may be individuals or organizations. 71 | 72 | To "modify" a work means to copy from or adapt all or part of the work 73 | in a fashion requiring copyright permission, other than the making of an 74 | exact copy. The resulting work is called a "modified version" of the 75 | earlier work or a work "based on" the earlier work. 76 | 77 | A "covered work" means either the unmodified Program or a work based 78 | on the Program. 79 | 80 | To "propagate" a work means to do anything with it that, without 81 | permission, would make you directly or secondarily liable for 82 | infringement under applicable copyright law, except executing it on a 83 | computer or modifying a private copy. Propagation includes copying, 84 | distribution (with or without modification), making available to the 85 | public, and in some countries other activities as well. 86 | 87 | To "convey" a work means any kind of propagation that enables other 88 | parties to make or receive copies. Mere interaction with a user through 89 | a computer network, with no transfer of a copy, is not conveying. 90 | 91 | An interactive user interface displays "Appropriate Legal Notices" 92 | to the extent that it includes a convenient and prominently visible 93 | feature that (1) displays an appropriate copyright notice, and (2) 94 | tells the user that there is no warranty for the work (except to the 95 | extent that warranties are provided), that licensees may convey the 96 | work under this License, and how to view a copy of this License. If 97 | the interface presents a list of user commands or options, such as a 98 | menu, a prominent item in the list meets this criterion. 99 | 100 | 1. Source Code. 101 | 102 | The "source code" for a work means the preferred form of the work 103 | for making modifications to it. "Object code" means any non-source 104 | form of a work. 105 | 106 | A "Standard Interface" means an interface that either is an official 107 | standard defined by a recognized standards body, or, in the case of 108 | interfaces specified for a particular programming language, one that 109 | is widely used among developers working in that language. 110 | 111 | The "System Libraries" of an executable work include anything, other 112 | than the work as a whole, that (a) is included in the normal form of 113 | packaging a Major Component, but which is not part of that Major 114 | Component, and (b) serves only to enable use of the work with that 115 | Major Component, or to implement a Standard Interface for which an 116 | implementation is available to the public in source code form. A 117 | "Major Component", in this context, means a major essential component 118 | (kernel, window system, and so on) of the specific operating system 119 | (if any) on which the executable work runs, or a compiler used to 120 | produce the work, or an object code interpreter used to run it. 121 | 122 | The "Corresponding Source" for a work in object code form means all 123 | the source code needed to generate, install, and (for an executable 124 | work) run the object code and to modify the work, including scripts to 125 | control those activities. However, it does not include the work's 126 | System Libraries, or general-purpose tools or generally available free 127 | programs which are used unmodified in performing those activities but 128 | which are not part of the work. For example, Corresponding Source 129 | includes interface definition files associated with source files for 130 | the work, and the source code for shared libraries and dynamically 131 | linked subprograms that the work is specifically designed to require, 132 | such as by intimate data communication or control flow between those 133 | subprograms and other parts of the work. 134 | 135 | The Corresponding Source need not include anything that users 136 | can regenerate automatically from other parts of the Corresponding 137 | Source. 138 | 139 | The Corresponding Source for a work in source code form is that 140 | same work. 141 | 142 | 2. Basic Permissions. 143 | 144 | All rights granted under this License are granted for the term of 145 | copyright on the Program, and are irrevocable provided the stated 146 | conditions are met. This License explicitly affirms your unlimited 147 | permission to run the unmodified Program. The output from running a 148 | covered work is covered by this License only if the output, given its 149 | content, constitutes a covered work. This License acknowledges your 150 | rights of fair use or other equivalent, as provided by copyright law. 151 | 152 | You may make, run and propagate covered works that you do not 153 | convey, without conditions so long as your license otherwise remains 154 | in force. You may convey covered works to others for the sole purpose 155 | of having them make modifications exclusively for you, or provide you 156 | with facilities for running those works, provided that you comply with 157 | the terms of this License in conveying all material for which you do 158 | not control copyright. Those thus making or running the covered works 159 | for you must do so exclusively on your behalf, under your direction 160 | and control, on terms that prohibit them from making any copies of 161 | your copyrighted material outside their relationship with you. 162 | 163 | Conveying under any other circumstances is permitted solely under 164 | the conditions stated below. Sublicensing is not allowed; section 10 165 | makes it unnecessary. 166 | 167 | 3. Protecting Users' Legal Rights From Anti-Circumvention Law. 168 | 169 | No covered work shall be deemed part of an effective technological 170 | measure under any applicable law fulfilling obligations under article 171 | 11 of the WIPO copyright treaty adopted on 20 December 1996, or 172 | similar laws prohibiting or restricting circumvention of such 173 | measures. 174 | 175 | When you convey a covered work, you waive any legal power to forbid 176 | circumvention of technological measures to the extent such circumvention 177 | is effected by exercising rights under this License with respect to 178 | the covered work, and you disclaim any intention to limit operation or 179 | modification of the work as a means of enforcing, against the work's 180 | users, your or third parties' legal rights to forbid circumvention of 181 | technological measures. 182 | 183 | 4. Conveying Verbatim Copies. 184 | 185 | You may convey verbatim copies of the Program's source code as you 186 | receive it, in any medium, provided that you conspicuously and 187 | appropriately publish on each copy an appropriate copyright notice; 188 | keep intact all notices stating that this License and any 189 | non-permissive terms added in accord with section 7 apply to the code; 190 | keep intact all notices of the absence of any warranty; and give all 191 | recipients a copy of this License along with the Program. 192 | 193 | You may charge any price or no price for each copy that you convey, 194 | and you may offer support or warranty protection for a fee. 195 | 196 | 5. Conveying Modified Source Versions. 197 | 198 | You may convey a work based on the Program, or the modifications to 199 | produce it from the Program, in the form of source code under the 200 | terms of section 4, provided that you also meet all of these conditions: 201 | 202 | a) The work must carry prominent notices stating that you modified 203 | it, and giving a relevant date. 204 | 205 | b) The work must carry prominent notices stating that it is 206 | released under this License and any conditions added under section 207 | 7. This requirement modifies the requirement in section 4 to 208 | "keep intact all notices". 209 | 210 | c) You must license the entire work, as a whole, under this 211 | License to anyone who comes into possession of a copy. This 212 | License will therefore apply, along with any applicable section 7 213 | additional terms, to the whole of the work, and all its parts, 214 | regardless of how they are packaged. This License gives no 215 | permission to license the work in any other way, but it does not 216 | invalidate such permission if you have separately received it. 217 | 218 | d) If the work has interactive user interfaces, each must display 219 | Appropriate Legal Notices; however, if the Program has interactive 220 | interfaces that do not display Appropriate Legal Notices, your 221 | work need not make them do so. 222 | 223 | A compilation of a covered work with other separate and independent 224 | works, which are not by their nature extensions of the covered work, 225 | and which are not combined with it such as to form a larger program, 226 | in or on a volume of a storage or distribution medium, is called an 227 | "aggregate" if the compilation and its resulting copyright are not 228 | used to limit the access or legal rights of the compilation's users 229 | beyond what the individual works permit. Inclusion of a covered work 230 | in an aggregate does not cause this License to apply to the other 231 | parts of the aggregate. 232 | 233 | 6. Conveying Non-Source Forms. 234 | 235 | You may convey a covered work in object code form under the terms 236 | of sections 4 and 5, provided that you also convey the 237 | machine-readable Corresponding Source under the terms of this License, 238 | in one of these ways: 239 | 240 | a) Convey the object code in, or embodied in, a physical product 241 | (including a physical distribution medium), accompanied by the 242 | Corresponding Source fixed on a durable physical medium 243 | customarily used for software interchange. 244 | 245 | b) Convey the object code in, or embodied in, a physical product 246 | (including a physical distribution medium), accompanied by a 247 | written offer, valid for at least three years and valid for as 248 | long as you offer spare parts or customer support for that product 249 | model, to give anyone who possesses the object code either (1) a 250 | copy of the Corresponding Source for all the software in the 251 | product that is covered by this License, on a durable physical 252 | medium customarily used for software interchange, for a price no 253 | more than your reasonable cost of physically performing this 254 | conveying of source, or (2) access to copy the 255 | Corresponding Source from a network server at no charge. 256 | 257 | c) Convey individual copies of the object code with a copy of the 258 | written offer to provide the Corresponding Source. This 259 | alternative is allowed only occasionally and noncommercially, and 260 | only if you received the object code with such an offer, in accord 261 | with subsection 6b. 262 | 263 | d) Convey the object code by offering access from a designated 264 | place (gratis or for a charge), and offer equivalent access to the 265 | Corresponding Source in the same way through the same place at no 266 | further charge. You need not require recipients to copy the 267 | Corresponding Source along with the object code. If the place to 268 | copy the object code is a network server, the Corresponding Source 269 | may be on a different server (operated by you or a third party) 270 | that supports equivalent copying facilities, provided you maintain 271 | clear directions next to the object code saying where to find the 272 | Corresponding Source. Regardless of what server hosts the 273 | Corresponding Source, you remain obligated to ensure that it is 274 | available for as long as needed to satisfy these requirements. 275 | 276 | e) Convey the object code using peer-to-peer transmission, provided 277 | you inform other peers where the object code and Corresponding 278 | Source of the work are being offered to the general public at no 279 | charge under subsection 6d. 280 | 281 | A separable portion of the object code, whose source code is excluded 282 | from the Corresponding Source as a System Library, need not be 283 | included in conveying the object code work. 284 | 285 | A "User Product" is either (1) a "consumer product", which means any 286 | tangible personal property which is normally used for personal, family, 287 | or household purposes, or (2) anything designed or sold for incorporation 288 | into a dwelling. In determining whether a product is a consumer product, 289 | doubtful cases shall be resolved in favor of coverage. For a particular 290 | product received by a particular user, "normally used" refers to a 291 | typical or common use of that class of product, regardless of the status 292 | of the particular user or of the way in which the particular user 293 | actually uses, or expects or is expected to use, the product. A product 294 | is a consumer product regardless of whether the product has substantial 295 | commercial, industrial or non-consumer uses, unless such uses represent 296 | the only significant mode of use of the product. 297 | 298 | "Installation Information" for a User Product means any methods, 299 | procedures, authorization keys, or other information required to install 300 | and execute modified versions of a covered work in that User Product from 301 | a modified version of its Corresponding Source. The information must 302 | suffice to ensure that the continued functioning of the modified object 303 | code is in no case prevented or interfered with solely because 304 | modification has been made. 305 | 306 | If you convey an object code work under this section in, or with, or 307 | specifically for use in, a User Product, and the conveying occurs as 308 | part of a transaction in which the right of possession and use of the 309 | User Product is transferred to the recipient in perpetuity or for a 310 | fixed term (regardless of how the transaction is characterized), the 311 | Corresponding Source conveyed under this section must be accompanied 312 | by the Installation Information. But this requirement does not apply 313 | if neither you nor any third party retains the ability to install 314 | modified object code on the User Product (for example, the work has 315 | been installed in ROM). 316 | 317 | The requirement to provide Installation Information does not include a 318 | requirement to continue to provide support service, warranty, or updates 319 | for a work that has been modified or installed by the recipient, or for 320 | the User Product in which it has been modified or installed. Access to a 321 | network may be denied when the modification itself materially and 322 | adversely affects the operation of the network or violates the rules and 323 | protocols for communication across the network. 324 | 325 | Corresponding Source conveyed, and Installation Information provided, 326 | in accord with this section must be in a format that is publicly 327 | documented (and with an implementation available to the public in 328 | source code form), and must require no special password or key for 329 | unpacking, reading or copying. 330 | 331 | 7. Additional Terms. 332 | 333 | "Additional permissions" are terms that supplement the terms of this 334 | License by making exceptions from one or more of its conditions. 335 | Additional permissions that are applicable to the entire Program shall 336 | be treated as though they were included in this License, to the extent 337 | that they are valid under applicable law. If additional permissions 338 | apply only to part of the Program, that part may be used separately 339 | under those permissions, but the entire Program remains governed by 340 | this License without regard to the additional permissions. 341 | 342 | When you convey a copy of a covered work, you may at your option 343 | remove any additional permissions from that copy, or from any part of 344 | it. (Additional permissions may be written to require their own 345 | removal in certain cases when you modify the work.) You may place 346 | additional permissions on material, added by you to a covered work, 347 | for which you have or can give appropriate copyright permission. 348 | 349 | Notwithstanding any other provision of this License, for material you 350 | add to a covered work, you may (if authorized by the copyright holders of 351 | that material) supplement the terms of this License with terms: 352 | 353 | a) Disclaiming warranty or limiting liability differently from the 354 | terms of sections 15 and 16 of this License; or 355 | 356 | b) Requiring preservation of specified reasonable legal notices or 357 | author attributions in that material or in the Appropriate Legal 358 | Notices displayed by works containing it; or 359 | 360 | c) Prohibiting misrepresentation of the origin of that material, or 361 | requiring that modified versions of such material be marked in 362 | reasonable ways as different from the original version; or 363 | 364 | d) Limiting the use for publicity purposes of names of licensors or 365 | authors of the material; or 366 | 367 | e) Declining to grant rights under trademark law for use of some 368 | trade names, trademarks, or service marks; or 369 | 370 | f) Requiring indemnification of licensors and authors of that 371 | material by anyone who conveys the material (or modified versions of 372 | it) with contractual assumptions of liability to the recipient, for 373 | any liability that these contractual assumptions directly impose on 374 | those licensors and authors. 375 | 376 | All other non-permissive additional terms are considered "further 377 | restrictions" within the meaning of section 10. If the Program as you 378 | received it, or any part of it, contains a notice stating that it is 379 | governed by this License along with a term that is a further 380 | restriction, you may remove that term. If a license document contains 381 | a further restriction but permits relicensing or conveying under this 382 | License, you may add to a covered work material governed by the terms 383 | of that license document, provided that the further restriction does 384 | not survive such relicensing or conveying. 385 | 386 | If you add terms to a covered work in accord with this section, you 387 | must place, in the relevant source files, a statement of the 388 | additional terms that apply to those files, or a notice indicating 389 | where to find the applicable terms. 390 | 391 | Additional terms, permissive or non-permissive, may be stated in the 392 | form of a separately written license, or stated as exceptions; 393 | the above requirements apply either way. 394 | 395 | 8. Termination. 396 | 397 | You may not propagate or modify a covered work except as expressly 398 | provided under this License. Any attempt otherwise to propagate or 399 | modify it is void, and will automatically terminate your rights under 400 | this License (including any patent licenses granted under the third 401 | paragraph of section 11). 402 | 403 | However, if you cease all violation of this License, then your 404 | license from a particular copyright holder is reinstated (a) 405 | provisionally, unless and until the copyright holder explicitly and 406 | finally terminates your license, and (b) permanently, if the copyright 407 | holder fails to notify you of the violation by some reasonable means 408 | prior to 60 days after the cessation. 409 | 410 | Moreover, your license from a particular copyright holder is 411 | reinstated permanently if the copyright holder notifies you of the 412 | violation by some reasonable means, this is the first time you have 413 | received notice of violation of this License (for any work) from that 414 | copyright holder, and you cure the violation prior to 30 days after 415 | your receipt of the notice. 416 | 417 | Termination of your rights under this section does not terminate the 418 | licenses of parties who have received copies or rights from you under 419 | this License. If your rights have been terminated and not permanently 420 | reinstated, you do not qualify to receive new licenses for the same 421 | material under section 10. 422 | 423 | 9. Acceptance Not Required for Having Copies. 424 | 425 | You are not required to accept this License in order to receive or 426 | run a copy of the Program. Ancillary propagation of a covered work 427 | occurring solely as a consequence of using peer-to-peer transmission 428 | to receive a copy likewise does not require acceptance. However, 429 | nothing other than this License grants you permission to propagate or 430 | modify any covered work. These actions infringe copyright if you do 431 | not accept this License. Therefore, by modifying or propagating a 432 | covered work, you indicate your acceptance of this License to do so. 433 | 434 | 10. Automatic Licensing of Downstream Recipients. 435 | 436 | Each time you convey a covered work, the recipient automatically 437 | receives a license from the original licensors, to run, modify and 438 | propagate that work, subject to this License. You are not responsible 439 | for enforcing compliance by third parties with this License. 440 | 441 | An "entity transaction" is a transaction transferring control of an 442 | organization, or substantially all assets of one, or subdividing an 443 | organization, or merging organizations. If propagation of a covered 444 | work results from an entity transaction, each party to that 445 | transaction who receives a copy of the work also receives whatever 446 | licenses to the work the party's predecessor in interest had or could 447 | give under the previous paragraph, plus a right to possession of the 448 | Corresponding Source of the work from the predecessor in interest, if 449 | the predecessor has it or can get it with reasonable efforts. 450 | 451 | You may not impose any further restrictions on the exercise of the 452 | rights granted or affirmed under this License. For example, you may 453 | not impose a license fee, royalty, or other charge for exercise of 454 | rights granted under this License, and you may not initiate litigation 455 | (including a cross-claim or counterclaim in a lawsuit) alleging that 456 | any patent claim is infringed by making, using, selling, offering for 457 | sale, or importing the Program or any portion of it. 458 | 459 | 11. Patents. 460 | 461 | A "contributor" is a copyright holder who authorizes use under this 462 | License of the Program or a work on which the Program is based. The 463 | work thus licensed is called the contributor's "contributor version". 464 | 465 | A contributor's "essential patent claims" are all patent claims 466 | owned or controlled by the contributor, whether already acquired or 467 | hereafter acquired, that would be infringed by some manner, permitted 468 | by this License, of making, using, or selling its contributor version, 469 | but do not include claims that would be infringed only as a 470 | consequence of further modification of the contributor version. For 471 | purposes of this definition, "control" includes the right to grant 472 | patent sublicenses in a manner consistent with the requirements of 473 | this License. 474 | 475 | Each contributor grants you a non-exclusive, worldwide, royalty-free 476 | patent license under the contributor's essential patent claims, to 477 | make, use, sell, offer for sale, import and otherwise run, modify and 478 | propagate the contents of its contributor version. 479 | 480 | In the following three paragraphs, a "patent license" is any express 481 | agreement or commitment, however denominated, not to enforce a patent 482 | (such as an express permission to practice a patent or covenant not to 483 | sue for patent infringement). To "grant" such a patent license to a 484 | party means to make such an agreement or commitment not to enforce a 485 | patent against the party. 486 | 487 | If you convey a covered work, knowingly relying on a patent license, 488 | and the Corresponding Source of the work is not available for anyone 489 | to copy, free of charge and under the terms of this License, through a 490 | publicly available network server or other readily accessible means, 491 | then you must either (1) cause the Corresponding Source to be so 492 | available, or (2) arrange to deprive yourself of the benefit of the 493 | patent license for this particular work, or (3) arrange, in a manner 494 | consistent with the requirements of this License, to extend the patent 495 | license to downstream recipients. "Knowingly relying" means you have 496 | actual knowledge that, but for the patent license, your conveying the 497 | covered work in a country, or your recipient's use of the covered work 498 | in a country, would infringe one or more identifiable patents in that 499 | country that you have reason to believe are valid. 500 | 501 | If, pursuant to or in connection with a single transaction or 502 | arrangement, you convey, or propagate by procuring conveyance of, a 503 | covered work, and grant a patent license to some of the parties 504 | receiving the covered work authorizing them to use, propagate, modify 505 | or convey a specific copy of the covered work, then the patent license 506 | you grant is automatically extended to all recipients of the covered 507 | work and works based on it. 508 | 509 | A patent license is "discriminatory" if it does not include within 510 | the scope of its coverage, prohibits the exercise of, or is 511 | conditioned on the non-exercise of one or more of the rights that are 512 | specifically granted under this License. You may not convey a covered 513 | work if you are a party to an arrangement with a third party that is 514 | in the business of distributing software, under which you make payment 515 | to the third party based on the extent of your activity of conveying 516 | the work, and under which the third party grants, to any of the 517 | parties who would receive the covered work from you, a discriminatory 518 | patent license (a) in connection with copies of the covered work 519 | conveyed by you (or copies made from those copies), or (b) primarily 520 | for and in connection with specific products or compilations that 521 | contain the covered work, unless you entered into that arrangement, 522 | or that patent license was granted, prior to 28 March 2007. 523 | 524 | Nothing in this License shall be construed as excluding or limiting 525 | any implied license or other defenses to infringement that may 526 | otherwise be available to you under applicable patent law. 527 | 528 | 12. No Surrender of Others' Freedom. 529 | 530 | If conditions are imposed on you (whether by court order, agreement or 531 | otherwise) that contradict the conditions of this License, they do not 532 | excuse you from the conditions of this License. If you cannot convey a 533 | covered work so as to satisfy simultaneously your obligations under this 534 | License and any other pertinent obligations, then as a consequence you may 535 | not convey it at all. For example, if you agree to terms that obligate you 536 | to collect a royalty for further conveying from those to whom you convey 537 | the Program, the only way you could satisfy both those terms and this 538 | License would be to refrain entirely from conveying the Program. 539 | 540 | 13. Remote Network Interaction; Use with the GNU General Public License. 541 | 542 | Notwithstanding any other provision of this License, if you modify the 543 | Program, your modified version must prominently offer all users 544 | interacting with it remotely through a computer network (if your version 545 | supports such interaction) an opportunity to receive the Corresponding 546 | Source of your version by providing access to the Corresponding Source 547 | from a network server at no charge, through some standard or customary 548 | means of facilitating copying of software. This Corresponding Source 549 | shall include the Corresponding Source for any work covered by version 3 550 | of the GNU General Public License that is incorporated pursuant to the 551 | following paragraph. 552 | 553 | Notwithstanding any other provision of this License, you have 554 | permission to link or combine any covered work with a work licensed 555 | under version 3 of the GNU General Public License into a single 556 | combined work, and to convey the resulting work. The terms of this 557 | License will continue to apply to the part which is the covered work, 558 | but the work with which it is combined will remain governed by version 559 | 3 of the GNU General Public License. 560 | 561 | 14. Revised Versions of this License. 562 | 563 | The Free Software Foundation may publish revised and/or new versions of 564 | the GNU Affero General Public License from time to time. Such new versions 565 | will be similar in spirit to the present version, but may differ in detail to 566 | address new problems or concerns. 567 | 568 | Each version is given a distinguishing version number. If the 569 | Program specifies that a certain numbered version of the GNU Affero General 570 | Public License "or any later version" applies to it, you have the 571 | option of following the terms and conditions either of that numbered 572 | version or of any later version published by the Free Software 573 | Foundation. If the Program does not specify a version number of the 574 | GNU Affero General Public License, you may choose any version ever published 575 | by the Free Software Foundation. 576 | 577 | If the Program specifies that a proxy can decide which future 578 | versions of the GNU Affero General Public License can be used, that proxy's 579 | public statement of acceptance of a version permanently authorizes you 580 | to choose that version for the Program. 581 | 582 | Later license versions may give you additional or different 583 | permissions. However, no additional obligations are imposed on any 584 | author or copyright holder as a result of your choosing to follow a 585 | later version. 586 | 587 | 15. Disclaimer of Warranty. 588 | 589 | THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY 590 | APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT 591 | HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY 592 | OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, 593 | THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR 594 | PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM 595 | IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF 596 | ALL NECESSARY SERVICING, REPAIR OR CORRECTION. 597 | 598 | 16. Limitation of Liability. 599 | 600 | IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING 601 | WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS 602 | THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY 603 | GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE 604 | USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF 605 | DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD 606 | PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), 607 | EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF 608 | SUCH DAMAGES. 609 | 610 | 17. Interpretation of Sections 15 and 16. 611 | 612 | If the disclaimer of warranty and limitation of liability provided 613 | above cannot be given local legal effect according to their terms, 614 | reviewing courts shall apply local law that most closely approximates 615 | an absolute waiver of all civil liability in connection with the 616 | Program, unless a warranty or assumption of liability accompanies a 617 | copy of the Program in return for a fee. 618 | 619 | END OF TERMS AND CONDITIONS 620 | 621 | How to Apply These Terms to Your New Programs 622 | 623 | If you develop a new program, and you want it to be of the greatest 624 | possible use to the public, the best way to achieve this is to make it 625 | free software which everyone can redistribute and change under these terms. 626 | 627 | To do so, attach the following notices to the program. It is safest 628 | to attach them to the start of each source file to most effectively 629 | state the exclusion of warranty; and each file should have at least 630 | the "copyright" line and a pointer to where the full notice is found. 631 | 632 | 633 | Copyright (C) 634 | 635 | This program is free software: you can redistribute it and/or modify 636 | it under the terms of the GNU Affero General Public License as published 637 | by the Free Software Foundation, either version 3 of the License, or 638 | (at your option) any later version. 639 | 640 | This program is distributed in the hope that it will be useful, 641 | but WITHOUT ANY WARRANTY; without even the implied warranty of 642 | MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the 643 | GNU Affero General Public License for more details. 644 | 645 | You should have received a copy of the GNU Affero General Public License 646 | along with this program. If not, see . 647 | 648 | Also add information on how to contact you by electronic and paper mail. 649 | 650 | If your software can interact with users remotely through a computer 651 | network, you should also make sure that it provides a way for users to 652 | get its source. For example, if your program is a web application, its 653 | interface could display a "Source" link that leads users to an archive 654 | of the code. There are many ways you could offer source, and different 655 | solutions will be better for different programs; see section 13 for the 656 | specific requirements. 657 | 658 | You should also get your employer (if you work as a programmer) or school, 659 | if any, to sign a "copyright disclaimer" for the program, if necessary. 660 | For more information on this, and how to apply and follow the GNU AGPL, see 661 | . 662 | -------------------------------------------------------------------------------- /PersianAnnoyance.txt: -------------------------------------------------------------------------------- 1 | [uBlock Origin] 2 | ! Title: PersianAnnoyance 3 | ! Description: لیستی برای مسدود کردن موارد آزاردهنده در سایت‌های پارسی‌زبان (مانند خود-تبلیغی) 4 | ! Expires: 7 days 5 | ! Last modified: 2023-04-02 6 | ! Homepage: https://github.com/MasterKia/PersianBlocker 7 | ! License: AGPLv3 (https://github.com/MasterKia/PersianBlocker/blob/main/LICENSE) 8 | 9 | ! مشکل/پیشنهاد: https://github.com/MasterKia/PersianBlocker/issues 10 | ! مشارکت: https://github.com/MasterKia/PersianBlocker/pulls 11 | 12 | ! https://github.com/MasterKia/PersianBlocker/issues/174 13 | emojo.ir##a[href^="https://mojogift.com"] 14 | emojo.ir##a[href^="https://iranmojo.com"] 15 | emojo.ir##a[href="https://www.youtube.com/iranmojo"] 16 | 17 | ||faradars.org/banner/embed/header_external^$frame,1p,domain=blog.faradars.org 18 | blog.faradars.org##.header-ban 19 | blog.faradars.org##.fdb-course-mobile-wrapper 20 | blog.faradars.org###kaprila_linktable 21 | blog.faradars.org##article.post > .the-content .faradars-courses-single 22 | -------------------------------------------------------------------------------- /PersianBlockerHosts.txt: -------------------------------------------------------------------------------- 1 | [AdBlock] 2 | # Title: PersianBlocker (Hosts) 3 | # Description: سرانجام، یک لیست بهینه و گسترده برای مسدودسازی تبلیغ ها و ردیاب ها در سایت های پارسی زبان! 4 | # Expires: 7 days 5 | # Homepage: https://github.com/MasterKia/PersianBlocker 6 | # License: AGPLv3 (https://github.com/MasterKia/PersianBlocker/blob/main/LICENSE) 7 | 8 | # مشکل/پیشنهاد: https://github.com/MasterKia/PersianBlocker/issues 9 | # مشارکت: https://github.com/MasterKia/PersianBlocker/pulls 10 | 11 | # لیستی برای برگرداندن آزادی کاربران، چون هر کاربر این آزادی را دارد که چه چیزی وارد مرورگرش می‌شود و چه چیزی وارد نمی‌شود 12 | 13 | #-------------------------v Persian Ads/Trackers/Annoyances Filters v-----------------------# 14 | # >> A << 15 | adtodate.ir 16 | adrooz.com 17 | affilio.ir 18 | analyt.ir 19 | 20 | scripts-ads.s3.ir-thr-at1.arvanstorage.com 21 | error-tracking.arvancloud.com 22 | 23 | adexo.ir 24 | adexofiles.ir 25 | 26 | adskav.com 27 | advn.ir 28 | 29 | amaroid.net 30 | lnk.amaroid.net 31 | 32 | analytics.aasaam.com 33 | analytics-2.aasaam.com 34 | analytics-3.aasaam.com 35 | analytics-*.aasaam.com 36 | 37 | adwised.com 38 | adwisedfs.com 39 | 40 | adivery.com 41 | adnegah.net 42 | adpulse.ir 43 | adsima.net 44 | 45 | adtrace.io 46 | adtrace.ir 47 | # https://twitter.com/Nikolaona/status/1699167838697652322 48 | adtrace.world 49 | 50 | affili.ir 51 | amarfa.ir 52 | ayyaar.ir 53 | # ^ Used by irna.ir 54 | 55 | adro.co 56 | affstat.adro.co 57 | adro.ir 58 | 59 | affstat.digikala.com 60 | affiliate.digikala.com 61 | 62 | # >> B << 63 | bitad.ir 64 | binoads.ir 65 | bl9.ir 66 | backlink.ir 67 | behtarinseo.ir 68 | boorantech.com 69 | behinava.com 70 | radar.bayan.ir 71 | backority.ir 72 | 73 | # >> C << 74 | cayot.ir 75 | # Example: tamasha.com/v/DDlMB 76 | 77 | chavosh.org 78 | ck.chavosh.org 79 | 80 | clickaval.com 81 | clickyab.com 82 | chabok.io 83 | 84 | congoro.com 85 | congoro.ir 86 | 87 | # >> D << 88 | dezhino.com 89 | daartads.com 90 | daneshin.ir 91 | 92 | 24d.ir 93 | l.24d.ir 94 | 95 | denutility.com 96 | davedbux.ir 97 | 98 | deemanetwork.com 99 | deema.agency 100 | deemaagency.ir 101 | 102 | # https://forum.adguard.com/index.php?threads/vigiato-net-resolved.44366/ 103 | # https://github.com/AdguardTeam/AdguardFilters/issues/79983 104 | click.digiato.com 105 | # ^ Used by Digiato, Vigiato, Rooziato 106 | 107 | # >> E << 108 | 109 | # >> F << 110 | facepop.org 111 | farsbux.ir 112 | fastclick.ir 113 | 114 | farakav.com 115 | ads.farakav.com 116 | # TODO: Check for breakages (used by tamasha.com), investigate into more tracking 117 | 118 | # >> G << 119 | 120 | # >> H << 121 | sentry.hamravesh.com 122 | # Example: behtarino.com 123 | notifhub.com 124 | # Example: androidha.com 125 | 126 | hantana.org 127 | 128 | # >> I << 129 | intrack.ir 130 | geoip.imber.live 131 | 132 | # >> J << 133 | jetbux.ir 134 | 135 | # >> K << 136 | api.karpishe.com 137 | # Example: asrakhbar.com 138 | 139 | kajads.com 140 | ads.karzar.net 141 | kaprila.com 142 | 143 | # >> L << 144 | analytics.labbayk.ir 145 | linkfars.com 146 | landyab.com 147 | linksaz.net 148 | linkyar.com 149 | 150 | # >> M << 151 | ir.mihanstore.net 152 | # Example: uploadgoogle.com 153 | 154 | metrix.ir 155 | trc.metrix.ir 156 | # ^ Used by digikala.com 157 | 158 | mediaad.org 159 | magnetadservices.com 160 | merita.ir 161 | mitrarank.ir 162 | 163 | # >> N << 164 | analytics.nastooh.ir 165 | # Example: sahebkhabar.ir 166 | 167 | newswidget.net 168 | vidomusic.org 169 | pantatec.ae 170 | 171 | najva.com 172 | netbina.com 173 | 174 | # >> O << 175 | oscaranimation.in 176 | 177 | on-click.ir 178 | onclick.ir 179 | 180 | # >> P << 181 | perlika.com 182 | pelikan-network.ir 183 | pegah.tech 184 | pushq.ir 185 | pooye-ads.com 186 | 187 | promizer.com 188 | # ^ Example: eghtesadonline.com 189 | 190 | phonroid.com 191 | # ^ Example: par30games.net 192 | 193 | popina.ir 194 | 195 | popunder.ir 196 | # TODO: Remove it, Used by marzfun.com 197 | 198 | popupdl.ir 199 | # TODO: Remove it, Used by dlfox.com 200 | 201 | popland.info 202 | 203 | peyvandha.ir 204 | 10.10.34.34 205 | 10.10.34.35 206 | 10.10.34.36 207 | 10.10.34. 208 | 10.10.34.* 209 | # ^ Example: imovie-dl.org 210 | 211 | phoenixad.io 212 | 213 | partclick.ir 214 | persianrank.ir 215 | popgozar.com 216 | popupplus.ir 217 | popupme.net 218 | pushe.co 219 | p30rank.ir 220 | publica.ir 221 | 222 | # >> Q << 223 | 224 | # >> R << 225 | rankirani.ir 226 | rssbank.ir 227 | 228 | # >> S << 229 | # power-music.ir, skmusic.ir, music-week.ir 230 | spotyfile.com 231 | 232 | spellpop.ir 233 | 234 | spellads.com 235 | 236 | offers.sapra.ir 237 | # Example: gapfilm.ir 238 | 239 | statsfa.com 240 | 241 | sendword.ir 242 | # Used by i-video.ir 243 | 244 | sanjagh.com 245 | sanjagh.net 246 | 247 | ads.safarme.ir 248 | # ^ Used by kojaro.com 249 | 250 | sabavision.com 251 | sabaidea.cloud 252 | 253 | # >> T << 254 | trustseal.e-rasaneh.ir 255 | # Example: anaj.ir 256 | 257 | triboon.net 258 | te1.ir 259 | talapop.ir 260 | tabligheirani.ir 261 | tbli.ir 262 | 263 | # tavoos.net 264 | # ^ Example: film.tebyan.net 265 | # OISD maintainer: If a domain is used for ads, but also is required for "wanted content" (like video playback) it should not be blocked by domain/hosts lists. But rather left to handle by content blockers instead. (uBlock Origin, etc). 266 | 267 | cashback.takhfifan.com 268 | # TODO: Investigate 269 | 270 | tapsell.ir 271 | toppopup.com 272 | counter.toolsir.com 273 | 274 | # >> U << 275 | usermap.net 276 | 277 | userfriendly.ir 278 | # ^ Used by bils.ir 279 | 280 | utopclick.com 281 | utop.ir 282 | 283 | # >> V << 284 | vatanclick.ir 285 | 286 | # >> W << 287 | # webgozar.com 288 | # webgozar.ir 289 | # ^ They have tracking, but they also have polls 290 | 291 | wideads.com 292 | 293 | # >> X << 294 | xjs.lol 295 | xmlx.lol 296 | # avaz-kurd.ir, power-music.ir 297 | 298 | # >> Y << 299 | yelloadwise.ir 300 | ylad.ir 301 | 302 | yektanet.com 303 | sentry.yektanet.tech 304 | 305 | yekbux.com 306 | 307 | # >> Z << 308 | zarad.net 309 | zarpop.com 310 | 311 | #-------------------------^ Persian Ads/Trackers/Annoyances Filters ^-----------------------# 312 | 313 | #-------------------------v Site-Specific Filters v-----------------------# 314 | 315 | # >> A << 316 | # https://github.com/MasterKia/PersianBlocker/issues/210 317 | ads.aftab.cc 318 | 319 | analytics.asiatech.ir 320 | dsp.aparat.com 321 | ads.asset.aparat.com 322 | 323 | ads.akairan.com 324 | ads.akaup.com 325 | 326 | ads.alaatv.com 327 | sentry.alaatv.com 328 | 329 | # >> B << 330 | sentry.bale.sh 331 | 332 | posthog.basalam.com 333 | sentry.basalam.com 334 | 335 | metrix.behtarino.com 336 | apm.bama.ir 337 | 338 | # >> C << 339 | sentry.cafebazaar.org 340 | 341 | # >> D << 342 | tadv.didestan.net 343 | 344 | analytics.dunro.com 345 | 346 | ads.dabi.ir 347 | 348 | tracker.digikala.com 349 | new-sentry.digikala.com 350 | 351 | 352 | sentry.divar.cloud 353 | actionlog.divar.ir 354 | 355 | # >> E << 356 | 357 | # >> F << 358 | analytics.fam.ir 359 | 360 | sentry.fidibo.net 361 | 362 | vast.filmnet.ir 363 | sentry.filmnet.ir 364 | 365 | # https://github.com/MasterKia/PersianBlocker/issues/107 366 | analytics.football360.ir 367 | 368 | sentry.footballiapp.com 369 | 370 | analysis.faradars.org 371 | 372 | tracker.farsnews.ir 373 | # >> G << 374 | 375 | # >> H << 376 | analytics.hostiran.net 377 | hiads.hidoctor.ir 378 | 379 | # >> I << 380 | ipsite.ir 381 | 382 | analytics.irancell.ir 383 | apptracking.irancell.ir 384 | 385 | websocket.ilna.ir 386 | # >> J << 387 | sentry.alibaba.ir 388 | tracker.jabama.com 389 | 390 | # >> K << 391 | logapi.karbord.io 392 | 393 | kar-sentry.karnameh.com 394 | 395 | # https://github.com/MasterKia/PersianBlocker/issues/101 396 | websocket.khanefootball.com 397 | 398 | # >> L << 399 | 400 | # >> M << 401 | # Referral links disguised as movie download links 402 | # https://mediawach. com/introducing-telegram-app-for-mobile-standard-and-premium-versions/ 403 | mediawach.com 404 | 405 | sentry.mci.dev 406 | # On zarebin.ir 407 | 408 | counter.musicsweb.ir 409 | counter.mahanmusic.net 410 | analytic.magland.ir 411 | 412 | affiliate.malltina.com 413 | sentry.malltina.com 414 | 415 | # >> N << 416 | sentry.namava.ir 417 | ws.namava.ir 418 | 419 | stc.ninisite.com 420 | # >> O << 421 | # https://github.com/MasterKia/PersianBlocker/issues/93 422 | websocket.55online.news 423 | 424 | # >> P << 425 | analytics.plaza.ir 426 | 427 | # >> Q << 428 | sentry.querastaff.ir 429 | 430 | # >> R << 431 | a.reymit.ir 432 | 433 | # >> S << 434 | # sheypoor.com 435 | sentry.mielse.com 436 | 437 | ingest-data-afra.snappfood.dev 438 | errortracking.snapp.site 439 | 440 | # https://github.com/MasterKia/PersianBlocker/issues/125 441 | websocket.sobhtazeh.news 442 | 443 | linkdoni.soft98.ir 444 | 445 | # >> T << 446 | ad.technews-iran.com 447 | 448 | adengine.telewebion.com 449 | analytics.telewebion.com 450 | hadeseh.simra.cloud 451 | 452 | # >> U << 453 | 454 | # >> V << 455 | # https://github.com/MasterKia/PersianBlocker/issues/219 456 | analytics.jeldnews.com 457 | 458 | sentry.virgool.io 459 | countly.virgool.io 460 | 461 | # https://github.com/MasterKia/PersianBlocker/issues/121 462 | websocket.varandaz.com 463 | 464 | news-view-api.varzesh3.com 465 | video-view-api.varzesh3.com 466 | 467 | # >> W << 468 | 469 | # >> X << 470 | 471 | # >> Y << 472 | 473 | # >> Z << 474 | analytics.zoomit.ir 475 | #-------------------------^ Site-Specific Filters ^-----------------------# 476 | 477 | #-------------------------v WebAmooz Warning List v-----------------------# 478 | # https://webamoozcom.github.io/warning-list/ 479 | 480 | 481 | # Discussion? 482 | excoino.com 483 | 484 | # Discussion? 485 | irancloudmining.com 486 | 487 | # Discussion? 488 | axotrade.com 489 | 490 | # آمیتیس? 491 | 492 | # https://github.com/Webamoozcom/warning-list/discussions/41 493 | # What domain? 494 | 495 | # https://github.com/Webamoozcom/warning-list/discussions/127 496 | # What domain? 497 | 498 | # https://github.com/Webamoozcom/warning-list/discussions/131 499 | # What domain? 500 | 501 | # https://github.com/Webamoozcom/warning-list/discussions/12 502 | yoozbit.com 503 | 504 | # https://github.com/Webamoozcom/warning-list/discussions/17 505 | nokontoken.com 506 | 507 | # https://github.com/Webamoozcom/warning-list/discussions/19 508 | aryana.io 509 | aryacoin.io 510 | aryastake.io 511 | 512 | # https://github.com/Webamoozcom/warning-list/discussions/23 513 | cryptoland.com 514 | bridge.link 515 | 516 | # https://github.com/Webamoozcom/warning-list/discussions/26 517 | mtabdil.com 518 | mttcoin.com 519 | 520 | # https://github.com/Webamoozcom/warning-list/discussions/27 521 | unique.finance 522 | 523 | # https://github.com/Webamoozcom/warning-list/discussions/29 524 | treenvest.com 525 | 526 | # https://github.com/Webamoozcom/warning-list/discussions/30 527 | artanlife.club 528 | 529 | # https://github.com/Webamoozcom/warning-list/discussions/34 530 | tastenfts.com 531 | 532 | # https://github.com/Webamoozcom/warning-list/discussions/37 533 | bemchain.io 534 | 535 | # https://github.com/Webamoozcom/warning-list/discussions/38 536 | emway.ir 537 | 538 | # https://github.com/Webamoozcom/warning-list/discussions/39 539 | defigroups.com 540 | 541 | # https://github.com/Webamoozcom/warning-list/discussions/43 542 | leumia.io 543 | 544 | # https://github.com/Webamoozcom/warning-list/discussions/45 545 | aitrades.com 546 | 547 | # https://github.com/Webamoozcom/warning-list/discussions/49 548 | propertiq.io 549 | 550 | # https://github.com/Webamoozcom/warning-list/discussions/50 551 | bixbcoin.com 552 | bixb.exchange 553 | 554 | # https://github.com/Webamoozcom/warning-list/discussions/52 555 | synchrobit.io 556 | 557 | # https://github.com/Webamoozcom/warning-list/discussions/56 558 | arongroups.co 559 | 560 | # https://github.com/Webamoozcom/warning-list/discussions/58 561 | persia.exchange 562 | 563 | # https://github.com/Webamoozcom/warning-list/discussions/60 564 | guhtoken.org 565 | 566 | # https://github.com/Webamoozcom/warning-list/discussions/65 567 | orbitnetwork.net 568 | 569 | # https://github.com/Webamoozcom/warning-list/discussions/66 570 | kingmoney.io 571 | utbyte.io 572 | 573 | # https://github.com/Webamoozcom/warning-list/discussions/70 574 | quahl.com 575 | 576 | # https://github.com/Webamoozcom/warning-list/discussions/74 577 | gpm.ltd 578 | 579 | # https://github.com/Webamoozcom/warning-list/discussions/77 580 | dagcoin.org 581 | 582 | # https://github.com/Webamoozcom/warning-list/discussions/80 583 | coinwallet.biz 584 | 585 | # https://github.com/Webamoozcom/warning-list/discussions/84 586 | soodland.com 587 | 588 | # https://github.com/Webamoozcom/warning-list/discussions/86 589 | minepi.com 590 | 591 | # https://github.com/Webamoozcom/warning-list/discussions/87 592 | irancoinmine.com 593 | 594 | # https://github.com/Webamoozcom/warning-list/discussions/88 595 | laqira.io 596 | 597 | # https://github.com/Webamoozcom/warning-list/discussions/89 598 | waykingroup.com 599 | 600 | # https://github.com/Webamoozcom/warning-list/discussions/90 601 | bnbmatrix.io 602 | 603 | # https://github.com/Webamoozcom/warning-list/discussions/92 604 | smartgalaxy.finance 605 | 606 | # https://github.com/Webamoozcom/warning-list/discussions/94 607 | bahatoken.site 608 | 609 | # https://github.com/Webamoozcom/warning-list/discussions/119 610 | shamining.com 611 | 612 | # https://github.com/Webamoozcom/warning-list/discussions/125 613 | #t.me/BITBOD_TRADING_CLUB 614 | #bitbod_trading_club.t.me 615 | 616 | # https://github.com/Webamoozcom/warning-list/discussions/129 617 | ccnnetwork.co 618 | 619 | # https://github.com/Webamoozcom/warning-list/discussions/130 620 | wintap.io 621 | 622 | # https://github.com/Webamoozcom/warning-list/discussions/132 623 | frzss.com 624 | 625 | # https://github.com/Webamoozcom/warning-list/discussions/138 626 | hoho.mobi 627 | 628 | # https://github.com/Webamoozcom/warning-list/discussions/170 629 | unitedsolarinfinity.com 630 | 631 | # https://github.com/Webamoozcom/warning-list/discussions/171 632 | mogo-crypto.net 633 | 634 | # https://github.com/Webamoozcom/warning-list/discussions/174 635 | tinancefa.org 636 | 637 | # https://github.com/Webamoozcom/warning-list/discussions/184 638 | chancx.io 639 | 640 | # https://github.com/Webamoozcom/warning-list/discussions/185 641 | falixa.com 642 | 643 | # https://github.com/Webamoozcom/warning-list/discussions/192 644 | izonekala.com 645 | 646 | # https://github.com/MasterKia/PersianBlocker/pull/201 647 | # https://webamooz.com/1402/06/25/%D9%84%D8%A7%DA%A9%D8%B3%D9%88%D9%86-laxxson-%DA%A9%D9%84%D8%A7%D9%87%D8%A8%D8%B1%D8%AF%D8%A7%D8%B1%DB%8C-%D9%BE%D8%A7%D9%86%D8%B2%DB%8C-%D8%A7%D8%B3%D8%AA/ 648 | laxsson.com 649 | 650 | # https://github.com/Blockunity/Warning-List/discussions/44 651 | tradergpt.ai 652 | 653 | #-------------------------^ WebAmooz Warning List ^-----------------------# 654 | 655 | #-------------------v Malware/Phishing Sites v-----------------# 656 | mat-pnu.ir 657 | 658 | # https://github.com/MasterKia/PersianBlocker/issues/291 659 | # https://support.google.com/chrome/thread/292146023?hl=en&msgid=292530924 660 | # https://storage.googleapis.com/support-forums-api/attachment/thread-292146023-803929150591620091.jpg 661 | androidupdate.download 662 | 663 | # AdlIran scam 664 | 159.100.22.89 665 | ewpb.site 666 | 667 | #-------------------^ Malware/Phishing Sites ^-----------------# 668 | -------------------------------------------------------------------------------- /PersonalBlocker.txt: -------------------------------------------------------------------------------- 1 | [uBlock Origin] 2 | ! Title: PersonalBlocker 3 | ! Description: فیلتر هایی که به نظرم کاربردی میان (: 4 | ! Expires: 7 days 5 | ! Homepage: https://github.com/MasterKia/PersianBlocker 6 | ! License: AGPLv3 (https://github.com/MasterKia/PersianBlocker/blob/main/LICENSE) 7 | 8 | ! https://raw.githubusercontent.com/DandelionSprout/adfilt/master/LegitimateURLShortener.txt 9 | ! https://filters.adtidy.org/extension/ublock/filters/3.txt 10 | ! https://filters.adtidy.org/extension/ublock/filters/18.txt 11 | 12 | ! https://github.com/AdguardTeam/AdguardFilters/issues/142820 13 | ||youtube.com/redirect?$doc,removeparam=event 14 | ||youtube.com/redirect?$doc,removeparam=redir_token 15 | ||youtube.com/redirect?$doc,removeparam=v 16 | 17 | ! https://github.com/gorhill/uBlock/wiki/Per-site-switches#no-remote-fonts 18 | ! *$font,3p,from=~[List of domains] 19 | 20 | ! https://github.com/gorhill/uBlock/wiki/Static-filter-syntax#header 21 | ! https://simoahava.com/analytics/server-side-tagging-google-tag-manager/ 22 | ! *$1p,strict3p,script,header=via:1.1 google 23 | ! False positive: https://gyazo.com/8bf2805f45d8297bc49f912ada6e4de7 24 | 25 | ! https://github.com/gorhill/uBlock/wiki/Privacy-stuff#gravatar-et-al 26 | ||gravatar.com^$3p 27 | 28 | ! DMCA "Protected" badge 29 | ||dmca.com^$3p 30 | 31 | ! "Use your Google Account to sign in to" prompt 32 | ! https://twitter.com/pgl/status/1592685221111267329 33 | ||accounts.google.com/gsi/*$xhr,script,3p 34 | 35 | ||logo.samandehi.ir^$3p 36 | ||trustseal.enamad.ir^$3p 37 | 38 | ! https://reddit.com/r/uBlockOrigin/wiki/solutions/#wiki_application_spam_on_mobile 39 | !#if env_mobile 40 | www.reddit.com##+js(aeld, touchmove) 41 | www.reddit.com##body:style(pointer-events: auto !important;) 42 | www.reddit.com##body.scroll-disabled:style(overflow: visible !important; position: static !important;) 43 | www.reddit.com##body.scroll-is-blocked:style(overflow: visible !important; position: static !important;) 44 | www.reddit.com##xpromo-app-selector 45 | www.reddit.com##xpromo-new-app-selector 46 | www.reddit.com##.XPromoPopup 47 | www.reddit.com##.XPromoPopupRpl 48 | www.reddit.com##.XPromoPopupRplNew 49 | www.reddit.com##.XPromoInFeed 50 | www.reddit.com##.bottom-bar, .XPromoBottomBar 51 | www.reddit.com##.useApp,.TopNav__promoButton 52 | amp.reddit.com##.upsell_banner 53 | amp.reddit.com##.AppSelectorModal__body 54 | www.reddit.com##^xpromo-nsfw-blocking-modal 55 | www.reddit.com##div.prompt 56 | www.reddit.com##img[id="post-image"]:style(object-fit: fill !important;) 57 | !#endif 58 | 59 | ! https://stallman.org/facebook.html 60 | ||facebook.com^$3p 61 | 62 | ! https://raw.githubusercontent.com/StylishThemes/GitHub-code-wrap/master/github-code-wrap.user.css 63 | !github.com##.blob-code-inner, .markdown-body pre > code, .markdown-body .highlight > pre:style(white-space: pre-wrap !important; overflow-wrap: anywhere !important;) 64 | !github.com##body:not(.nowrap) .blob-code-inner, body:not(.nowrap) .markdown-body pre > code, body:not(.nowrap) .markdown-body .highlight > pre:style(white-space: pre-wrap !important; overflow-wrap: anywhere !important; display: block !important;) 65 | !github.com##body:not(.nowrap) td.blob-code-inner:style(display: table-cell !important;) 66 | ! Test 67 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # PersianBlocker 2 | 3 | 4 |
5 | 6 | این لیست با هدف برگرداندن آزادی به کاربران ساخته شده؛ آزادیِ این‌که **_چه چیزی وارد مرورگرشان می‌شود و چه چیزی وارد نمی‌شود_**، و حمایت‌های شما انگیزه‌ای برای ادامه این مسیر خواهد بود. 7 | 8 |
9 | 10 | XMR: 11 | 12 | `4Ay6m5uCVMHgEHDYvv5LE89Xd34w8SGTWKHMJcXSDLsKB3ocQVkRQv5WRJN8w7Pef9WJFzWVrMy4PhaaWN46wM1WGnreyGd` 13 | 14 | ![Monero request](https://github.com/user-attachments/assets/daff3e3f-3bf9-4fb9-afca-186c88e16e8c) 15 | 16 | 17 |
18 | 19 | سرانجام، یک لیست بهینه و گسترده برای مسدودسازی تبلیغ ها و ردیاب ها (Trackers) در سایت های پارسی زبان! 20 | 21 | 🔔 **گروه تلگرام**: [@PersianBlocker](https://t.me/PersianBlocker) 22 | 🔔 **سرور ماتریس**: https://matrix.to/#/%23PersianBlocker:matrix.org 23 | 24 | این لیست جزو لیست های پیش‌فرض افزونه **uBlock Origin** و **AdGuard** می‌باشد. 25 | 26 | ## برای حذف تبلیغات سافت98 کافیه آخرین پیام رو اینجا بخونید؛https://github.com/MasterKia/PersianBlocker/issues/40 27 | 28 | *** 29 | 30 | لیست **PersianBlocker** از سایت ‌های تاجیکستانی به زبان پارسی (با الفبای سیرلیکی) و از سایت ‌های افغانستانی (به زبان پارسی دری و پشتو) پشتیبانی می‌کند. 31 | 32 | > листи **PersianBlocker** аз сайтҳои тоҷикистонӣ ба забони порсӣ (бо алифбои тоҷикӣ) пуштибонӣ мекунад. 33 | 34 | > د PersianBlocker لیست د افغان سایټونو ملاتړ کوي (په دري او پښتو کې). 35 | 36 | *** 37 | 38 | ### لیست PersianAnnoyances 39 | 40 | برای پنهان کردن موارد آزاردهنده و رو مخی در سایت های پارسی‌زبان 41 | 42 | نشانی‌ لیست: 43 | 44 | https://raw.githubusercontent.com/MasterKia/PersianBlocker/main/PersianAnnoyance.txt 45 | 46 | *** 47 | ### دکمه دانلود برنامه از کافه بازار (بدون نصب) 48 | 49 | 50 |
51 | اینجا کلیک کنید و فیلتری که نشون داده میشه رو در بخش My filters افزونه uBlock Origin استفاده کنید: 52 | 53 | ```adb 54 | cafebazaar.ir##+js(rpnt, script, /window.__NUXT__=/, const main=function(button){const url=button.href;const pkg=new URL(url).searchParams.get('id');fetch("https://api.cafebazaar.ir/rest-v1/process/AppDownloadInfoRequest"\,{mode:"cors"\,method:"post"\,headers:{Accept:"application/json"\,"Content-type":"application/json"\,}\,body:JSON.stringify({properties:{language:2\,clientVersionCode:1100301\,androidClientInfo:{sdkVersion:22\,cpu:"x86\,armeabi-v7a\,armeabi"\,}\,clientVersion:"11.3.1"\,isKidsEnabled:false\,}\,singleRequest:{appDownloadInfoRequest:{downloadStatus:1\,packageName:pkg\,referrers:[]\,}\,}\,})\,}).then(response=>{if(response.ok&&response.status===200){return response.json()}}).then(data=>{if(!data.singleReply||!data.singleReply.appDownloadInfoReply){return};const token=data.singleReply.appDownloadInfoReply.token;const cdnPrefix=data.singleReply.appDownloadInfoReply.cdnPrefix[0];const packageSize=(data.singleReply.appDownloadInfoReply.packageSize/1024)/1024;const versionCode=data.singleReply.appDownloadInfoReply.versionCode||0;const downloadLink=`${cdnPrefix}apks/${token}.apk`;const newButton=document.createElement('a');newButton.className='AppInstallBtn newbtn';newButton.href=downloadLink;newButton.title=`نسخه:${versionCode}`;newButton.setAttribute('data-color'\,'primary');newButton.setAttribute('data-size'\,'lg');newButton.innerHTML=`⬇️دانلود(${packageSize.toFixed(2)}مگابایت)`;button.parentNode.insertBefore(newButton\,button.parentNode.childNodes[0]);button.parentNode.removeChild(button)}).catch(error=>{})};document.addEventListener('DOMContentLoaded'\,()=>{const isMobile=/Mobile|Android/i.test(navigator.userAgent);let buttonSelector='';if(isMobile){buttonSelector='div.DetailsPageHeader__mobile a.AppInstallBtn'}else{buttonSelector='div.DetailsPageHeader__desktop a.AppInstallBtn'};const button=document.querySelector(buttonSelector);if(button){main(button)};const targetNode=document.querySelector('body');const observer=new MutationObserver(function(mutationsList){const buttons=document.querySelector(buttonSelector);if(button&&button.href.includes('://details?id')){main(button)}});observer.observe(targetNode\,{childList:true\,subtree:true})});window.__NUXT__=) 55 | ``` 56 | 57 | منبع: 58 | 59 | https://chrome.google.com/webstore/detail/cafebazaar-apk-downloader/imnogedkmanognaahdphhfhgehlfgdoh 60 | 61 |
62 | 63 | 64 | *** 65 | 66 | برای دیدن هر مورد، روی آن کلیک کنید 👇🏻 67 | 68 |
69 |

🖥 راه‌اندازی در کامپیوتر 🖥

70 | 71 | ۱- افزونه مسدودساز **uBlock Origin** رو با کلیک روی یکی از لینک های زیر نصب کنید: 72 | 73 | 🌟 مرورگر پیشنهادی = فایرفاکس، [چون این افزونه در فایرفاکس بهتر کار می‌کنه](https://github.com/gorhill/uBlock/wiki/uBlock-Origin-works-best-on-Firefox). 74 | 75 | - [برای فایرفاکس](https://addons.mozilla.org/en-US/firefox/addon/ublock-origin/): روی دکمه آبی رنگ _Add to Firefox_ بزنید. 76 | - [برای گوگل کروم (کرومیوم)، ماکروسافت اِج، بریو، اپرا و ویوالدی](https://chrome.google.com/webstore/detail/ublock-origin/cjpalhdlnbpafiamejdnhcphjbkeiagm): روی دکمه آبی رنگ _Add to Chrome_ بزنید. 77 | 78 | ⚠️ به علت محدود بودن سازوکار افزونه‌ها در مرورگر سافاری، امکان نصب این افزونه وجود ندارد. اما می‌تونید از فایرفاکس استفاده کنید. 79 | 80 | ✅ اگه زبان مرورگر شما «پارسی (Persian)» باشه، افزونه به صورت خودکار لیست رو براتون فعّال می‌کنه و _نیازی به انجام مرحله‌های بعدی نخواهید داشت_. 81 | 82 | ۲- برای فعّال‌سازی لیست، [اینجا کلیک کنید](https://subscribe.adblockplus.org/?location=https://raw.githubusercontent.com/MasterKia/PersianBlocker/main/PersianBlocker.txt&title=PersianBlocker) و در صفحه جدیدی که باز میشه بالا سمت راست گزینه «Subscribe (مشترک شدن)» رو بزنید تا لیست فعّال بشه. 83 | 84 | - اگه روی لینک زدید و کار نکرد: در نوار بالا سمت راست مرورگر، روی آیکن قرمز رنگ **uBlock Origin** بزنید، روی دکمه چرخ‌دنده کلیک کنید و در صفحه باز شده به زبانه دوم «Filter lists (لیست فیلتر ها)» برید و بخش «Regions (مناطق)» رو باز کنید؛ اونجا تیکِ کنار لیست **IRN: PersianBlocker** رو بزنید و سپس بالای صفحه روی گزینه «Update now (بروزرسانی)» کلیک کنید تا لیست فعّال و بروز بشه. 85 | 86 | ✳️ این لیست با افزونه مسدودساز **AdGuard** هم سازگار است و برای فعّال‌سازی: در نوار بالا سمت راست مرورگر،‌ روی آیکن سبز رنگ **AdGuard** کلیک کنید و در بالا روی دکمه چرخ دنده بزنید، به بخش «Filters (فیلتر ها)» برید و روی گزینه «Language-Specific (مخصوص زبان)» بزنید، ازونجا لیست **Persian Blocker** رو پیدا کنید و تیک سمت راستش رو روشن کنید تا لیست فعّال بشه. 87 | 88 | و پایان! 89 | 90 | ⚠️ اگر افزونه مسدودساز دیگه ای (مانند Adblock Plus) روی مرورگرتون دارید، حتماً غیرفعال یا حذفش کنید. چون داشتنِ چند افزونه مسدودساز به طور همزمان، باعث _تداخل_، _کاهش سرعت_ و _مسدودسازی اشتباه_ در سایت ها میشه. برخی مرورگر ها (مانند بریو و ویوالدی) _مسدودساز داخلی_ دارن، اونا رو هم حتماً خاموش کنید. 91 | 92 | 93 |
94 | 95 |
96 |

📱 راه‌اندازی در مرورگر فایرفاکس اندروید 📱

97 | 98 | ۱- مرورگر فایرفاکس رو [از F-Droid](https://f-droid.org/en/packages/org.mozilla.fennec_fdroid) یا [از Google Play Store](https://play.google.com/store/apps/details?id=org.mozilla.firefox) نصب کنید. 99 | 100 | ۲- توی فایرفاکس؛ سمت راست پایین یا بالای صفحه، روی _سه نقطه_ بزنید و گزینه «Add-ons (افزونه ها)» رو انتخاب کنید و بعد روی «Add-ons manager (مدیریت افزونه ها)» بزنید. 101 | 102 | ۳- در صفحه جدید افزونه uBlock Origin رو پیدا کنید؛ روی علامت بعلاوه (+) سمت راستش کلیک کنید و گزینه «Add (افزودن)» رو بزنید تا افزونه نصب و فعّال بشه. 103 | 104 | ✅ اگه زبان مرورگر شما «پارسی (Persian)» باشه، افزونه به صورت خودکار لیست رو براتون فعّال می‌کنه و _نیازی به انجام مرحله‌های بعدی نخواهید داشت_. 105 | 106 | ۴- برای فعّال‌سازی لیست، [اینجا کلیک کنید](https://subscribe.adblockplus.org/?location=https://raw.githubusercontent.com/MasterKia/PersianBlocker/main/PersianBlocker.txt&title=PersianBlocker) و در صفحه جدیدی که باز میشه بالا سمت راست گزینه «Subscribe (مشترک شدن)» رو بزنید تا لیست فعّال بشه. 107 | 108 | - اگه روی لینک زدید و کار نکرد: * توی فایرفاکس سمت راست پایین یا بالای صفحه روی _سه نقطه_ بزنید؛ گزینه «Add-ons (افزونه ها)» رو انتخاب کنید و سپس روی **uBlock Origin** کلیک کنید. در صفحه جدید گزینه «Settings (تنظیمات)» رو بزنید؛ روی دکمه چرخ دنده «Open the dashboard (باز کردن داشبورد)» کلیک کنید و در صفحه باز شده به زبانه دوم یعنی «Filter lists (لیست فیلتر ها)» برید. بخش «Regions (مناطق)» رو باز کنید و ازونجا تیکِ کنار لیست **IRN: PersianBlocker** رو بزنید و سپس بالای صفحه روی گزینه «Update now (بروزرسانی)» کلیک کنید تا لیست فعّال و بروز بشه. 109 | 110 | و پایان! 111 | 112 | ✳️ این لیست با افزونه مسدودساز **AdGuard** هم سازگار است و برای فعّال‌سازی: وارد تنظیمات AdGuard بشید، به بخش «Filters (فیلتر ها)» برید و روی گزینه «Language-Specific (مخصوص زبان)» بزنید، ازونجا لیست **Persian Blocker** رو پیدا کنید و تیک سمت راستش رو روشن کنید تا لیست فعّال بشه. 113 | 114 | 115 |
116 | 117 |
118 |

📱 راه‌اندازی در مرورگر بریو اندروید 📱

119 | 120 | برای فعّالسازی لیست در مسدودساز داخلی مرورگر بریو،‌ به این مسیر برید (توی قسمت آدرس سایت ها واردش کنید): 121 | 122 | `brave://adblock` 123 | 124 | و [طبق این تصویر](https://user-images.githubusercontent.com/17685483/184549564-409bb6f9-2c00-45e6-b22f-a34c365ccfdc.png)، لیست **IRN: PersianBlocker** رو فعّال کنید. 125 | 126 |
127 | 128 |
129 |

📱 راه‌اندازی در مرورگر ویوالدی اندروید 📱

130 | 131 | ⚠️ مسدودساز داخلی مرورگر ویوالدی از فیلتر های جاوااسکریپتی و برخی موارد دیگه پشتیبانی نمی‌کنه. با این حال شما می‌تونید به صورت دستی، لیست رو اضافه کنید: 132 | 133 | https://raw.githubusercontent.com/MasterKia/PersianBlocker/main/PersianBlocker.txt 134 | 135 | لیست **PersianBlocker** بزودی به لیست های پیش‌فرض این مرورگر افزوده خواهد شد. 136 | 137 |
138 | 139 |
140 |

📱 راه‌اندازی در مرورگر Cromite (Bromite سابق) اندروید 📱

141 | 142 | ⚠️ مسدودساز داخلی مرورگر Cromite، از فیلتر های CSS (برای پنهان کردن تبلیغات) و از فیلتر های جاوااسکریپتی و برخی موارد دیگه پشتیبانی نمی‌کنه. با این حال شما می‌تونید [به کمک این آموزش](https://github.com/xarantolus/filtrite#using-your-own-filter-lists)، یک لیست سازگار با Cromite بسازید. 143 | 144 | لیستی برپایه **PersianBlocker** که کاربر [Chromer030](https://github.com/Chromer030) برای Cromite درست کرده: 145 | 146 | https://github.com/chromer030/filtrite/releases/latest/download/persian.dat 147 | 148 |
149 | 150 |
151 |

📱 راه‌اندازی در مرورگر کیوی اندروید 📱

152 | 153 | ⚠️ مرورگر کیوی برای اندروید از افزونه‌ها پشتیبانی میکنه اما با افزونه های مسدودساز [به خوبی سازگار نیست و مشکلاتی داره](https://github.com/uBlockOrigin/uAssets/issues/11438#issuecomment-1019771072). 154 | 155 | با این حال شما می‌تونید افزونه رو روی این مرورگر نصب کنید و سپس بخش «راه‌اندازی در فایرفاکس اندروید» از مرحله ۴ رو دنبال کنید. 156 | 157 |
158 | 159 |
160 |

📱 راه‌اندازی در مرورگر گوگل کروم (کرومیوم) و ماکروسافت اِج و اپرا اندروید 📱

161 | 162 | ⚠️ به علت پشتیبانی نکردن کرومیوم اندروید از افزونه‌ها، امکان نصب افزونه مسدودساز در این مرورگر ها وجود ندارد و مرورگر فایرفاکس پیشنهاد می‌شود. اگر واقعاً به کرومیوم نیاز دارید، مرورگر کیوی اندروید از افزونه‌ها پشتیبانی می‌کند. 163 | 164 |
165 | 166 |
167 |

📱 راه‌اندازی در نرم‌افزار Rethink (Firewall+DNS) اندروید 📱

168 | 169 | به کمک این نرم‌افزار شما می‌تونید دسترسی اینترنت همه برنامه‌های گوشی (یا فقط برنامه هایی که می‌خوایید) رو قطع کنید و فقط به برنامه‌هایی که نیاز دارید دسترسی اینترنت بدید. علاوه بر این، می‌تونید تا حدی جلوی تبلیغات و ردیاب ها رو به کمک مسدودسازی DNS بگیرید. 170 | 171 | ۱- این نرم‌افزار رو [از F-Droid](https://f-droid.org/en/packages/com.celzero.bravedns) یا [از Google Play Store](https://play.google.com/store/apps/details?id=com.celzero.bravedns) نصب کنید. 172 | 173 | ۲- توی نرم‌افزار، بالا سمت چپ روی بخش DNS بزنید و گزینه RethinkDNS رو انتخاب کنید. توی صفحه بعد روی علامت مداد جلوی گزینه RDNS Plus کلیک کنید و بعد دکمه Edit رو بزنید. توی صفحه جدید زبونه Advanced رو باز کنید و این عبارت رو جستجو کنید: «Persian Blocker» و بعد تیک سمت راستش رو بزنید و پایین صفحه گزینه Apply رو انتخاب کنید تا لیست براتون فعّال بشه. 174 | 175 | یا اینکه می‌تونید لیست جامع «OISD» که **PersianBlocker** هم شاملش میشه رو فعّال کنید تا تبلیغات و ردیاب‌ها در سایت های انگلیسی‌زبان هم مسدود بشه. 176 | 177 |
178 | 179 |
180 |

📱 راه‌اندازی در نرم‌افزار ادگارد اندروید 📱

181 | 182 | این نرم‌افزار همانند Rethink می‌باشد با این تفاوت که ناآزاد و انحصاری (Proprietary) است یعنی هیچ‌کس حق بررسی کد های برنامه (Source Code) و پیدا کردن مشکلات امنیتی را ندارد. بنابراین پیشنهاد می‌کنیم از برنامه‌ای ناآزاد که قرار است همه ترافیک اینترنت شما را زیرنظر داشته باشد دوری کنید و در عوض از نرم‌افزار Rethink که نرم‌افزاری آزاد است و همگان می‌توانند کد های برنامه را ببینند و آن را آزادانه با دیگران به اشتراک بگذارند استفاده کنید. 183 | 184 | برای فعّال‌سازی لیست در ادگارد اندروید، نسخه جدید این نرم‌افزار (از ۳.۶.۵۱ به بعد) رو بریزید و به مسیر زیر برید و [طبق این تصویر](https://user-images.githubusercontent.com/17685483/192210391-ebd1619d-3cc2-4743-9494-7f8846f9361a.png)، لیست **Persian Blocker** رو فعّال کنید: 185 | 186 | _Settings => Content Blocking => Filters => Language-Specific_ 187 | 188 |
189 | 190 |
191 |

🕳 راه‌اندازی در نرم‌افزار های Qv2ray و SagerNet و Shadowrocket و Clash 🕳

192 | 193 | از لیست Iran Hosted Domains که شامل لیست **PersianBlockerHosts** می‌شود و توسط جمعی از کاربران درست شده استفاده کنید: 194 | 195 | https://github.com/MasterKia/iran-hosted-domains/blob/main/README.fa.md 196 | 197 | https://github.com/MasterKia/iran-hosted-domains/releases/latest 198 | 199 |
200 | 201 |
202 |

🕳 راه‌اندازی در مسدودساز DNS (مانند AdGuard Home) 🕳

203 | 204 | 205 | از لیست **PersianBlockerHosts** (برگرفته از لیست PersianBlocker) استفاده کنید: 206 | 207 | https://raw.githubusercontent.com/MasterKia/PersianBlocker/main/PersianBlockerHosts.txt 208 | 209 |
210 | 211 |
212 |

🕳 راه‌اندازی در مسدودساز HOSTS (مانند AdAway یا HostsMan) 🕳

213 | 214 | نسخه `127.0.0.1` (پیشنهادی): 215 | 216 | https://raw.githubusercontent.com/MasterKia/PersianBlocker/refs/heads/main/hosts 217 | 218 | نسخه `0.0.0.0` : 219 | 220 | https://raw.githubusercontent.com/MasterKia/PersianBlocker/refs/heads/main/hosts-0 221 | 222 | 223 |
224 | 225 |
226 |

🕳 مسدودسازی تبلیغات و ردیاب‌ها به کمک DNS 🕳

227 | 228 | مرورگر های گوگل کروم و فایرفاکس کامپیوتر و گوگل کروم اندروید از قابلیت DNS over HTTPS (DoH یا همان Secure DNS) پشتیبانی می‌کنند و اندروید هم از قابلیت DNS over TLS (DoT) پشتیبانی می‌کند که البته در ایران مسدود می‌باشد. به کمک این قابلیت شما می‌توانید کاری کنید که مرورگر و نرم‌افزار های دیگر گمان کنند که سایت های تبلیغات و ردیاب اصلاً وجود خارجی ندارند. 229 | 230 | ⚠️ به هیچ وجه از این قابلیت _در کنار_ افزونه‌های مسدودساز مانند uBlock Origin استفاده نکنید چون باعث تداخل و مسدودسازی اشتباه می‌شود. 231 | 232 | - آدرس DoH: 233 | 234 | `https://sky.rethinkdns.com/1:EAACAA==` 235 | 236 | - آدرس DoH (به همراه لیست جامع OISD Full که شامل **PersianBlockerHosts** هم می‌شود): 237 | 238 | `https://basic.rethinkdns.com/1:IAAgAA==` 239 | 240 | - آدرس DoT: 241 | 242 | `1-caaaeaa.max.rethinkdns.com` 243 | 244 | - آدرس DoT (به همراه لیست جامع OISD Full که شامل **PersianBlockerHosts** هم می‌شود): 245 | 246 | `1-eaacaaa.max.rethinkdns.com` 247 | 248 | - [آدرس DNS رمزگذاری نشده](https://kb.controld.com/en/3rd-party-filters) برای تنظیم روی مودم و روتر (به همراه لیست جامع OISD Full که شامل **PersianBlockerHosts** هم می‌شود): 249 | 250 | `76.76.2.32` 251 | 252 | `76.76.10.32` 253 | 254 | برای افزودن لیست های دیگر و ساخت DNS دلخواه خودتان می‌توانید به سایت زیر بروید: 255 | 256 | https://basic.rethinkdns.com 257 | 258 | 259 |
260 | 261 |
262 |

⛓ راه‌اندازی در آیفون ⛓

263 | 264 | تا جایی که میدونم توی آیفون _هیچ راهی_ برای نصب افزونه‌های مسدودساز در سافاری یا حتی فایرفاکس وجود نداره. 265 | 266 |
267 | 268 | # 🤝 مشارکت 269 | 1- از [اینجا](https://github.com/signup) توی گیت‌هاب ثبت نام کنید. 270 | 271 | 2- از بخش [«Issues (مشکلات)»](https://github.com/MasterKia/PersianBlocker/issues/new) میتونید هرگونه مشکل با سایتی و یا پیشنهادی که دارید رو درمیون بذارید. 272 | 273 | \* برای گزارش مشکل، فقط کافیه «نشانی سایت + عکس از سایت + توضیح درباره مشکل» رو بفرستید. 274 | 275 | \* امکان فرستادن گزارش در گروه تلگرامی [@PersianBlocker](https://t.me/PersianBlocker) هم وجود دارد. 276 | 277 | \* گفتگوی [«گزارش و درخواست بررسی ردیاب‌ها»](https://github.com/MasterKia/PersianBlocker/discussions/70) 278 | 279 | 280 | # [![AGPL-3.0 License](https://img.shields.io/github/license/MasterKia/PersianBlocker)](https://www.gnu.org/licenses/agpl-3.0.en.html) لایسنس (پروانه) 281 | 282 | لیست **PersianBlocker** یک لیست آزاد تحت پروانه AGPL نسخه 3 میباشد (AGPLv3)؛ یعنی شما به عنوان کاربر این _آزادی ها_ رو دارید: 283 | 284 | 1- آزادی استفاده از لیست به هر منظور و دلیل (برای انجام هر کاری) 285 | 286 | 2- آزادی مطالعه و تغییر لیست (برای انجام کار مدنظر شما) 287 | 288 | 3- آزادی به اشتراک گذاشتن لیست با دیگران 289 | 290 | 4- آزادی به اشتراک گذاشتن نسخه های تغییریافته لیست با دیگران 291 | 292 | * [متن کامل پروانه AGPLv3](https://www.gnu.org/licenses/agpl-3.0.en.html) ([ترجمه پارسی](https://lists.gnu.org/archive/html/www-fa-general/2013-02/msg00001.html)). 293 | 294 | 295 | # ❤️ گرامیداشت 296 | 297 |
298 | 299 | **PersianBlocker** (_AGPL-3.0 License_) 🤝 [Adblock-Iran](https://github.com/farrokhi/adblock-iran) (_BSD 2-Clause License_) + [uBOPa](https://github.com/nimasaj/uBOPa/) (_MIT License_) + [Adblock Farsi](https://github.com/SlashArash/adblockfa) (_Beerware License_) + [uBlock-Iran](https://github.com/mboveiri/ublock-iran) (_CC0-1.0 License_) + [Adblock Persian](https://ideone.com/K452p) + [Unwanted-Iranian](https://github.com/DRSDavidSoft/additional-hosts/blob/master/domains/blacklist/unwanted-iranian.txt) (_MIT License_) + [لیست هشدار وب‌آموز](https://webamoozcom.github.io/warning-list/) (_MIT License_) 300 | 301 |
302 | 303 | پروژه هایی که از این لیست استفاده میکنند: 304 | 305 | 306 | \- [افزونه uBlock Origin](https://github.com/gorhill/uBlock/blob/33b839fdd03f74689df3ee2b5c25a06435b350e0/assets/assets.json#L478-L491) 307 | 308 | \- [افزونه AdGuard](https://github.com/AdguardTeam/FiltersRegistry/tree/101680b0dfd9059ad3fc3fcb71f5755c9ff1f87a/filters/ThirdParty/filter_235_PersianBlocker) 309 | 310 | \- [مسدودساز داخلی مرورگر بریو](https://github.com/brave/adblock-resources/blob/61cf21b19a53b3a2c3f7ad286c433501b97c6ed7/filter_lists/regional.json#L189-L199) 311 | 312 | \- ~~مسدودساز داخلی مرورگر ویوالدی~~ پیگیری شد اما به نتیجه‌ای نرسید 313 | 314 | \- [مسدودساز داخلی مرورگر برومایت](https://github.com/chromer030/filtrite/releases/latest/download/persian.dat) 315 | 316 | \- [نرم‌افزار Rethink اندروید (Firewall+DNS)](https://github.com/serverless-dns/blocklists/blob/b8492d00fabf8748dfc32710d632d4f983bdfd21/blocklistConfig.json#L1555-L1564) 317 | 318 | \- [RethinkDNS](https://github.com/serverless-dns/blocklists/blob/b8492d00fabf8748dfc32710d632d4f983bdfd21/blocklistConfig.json#L1555-L1564) 319 | 320 | \- [نرم‌افزار AdGuard Home (مسدودساز DNS)](https://github.com/AdguardTeam/HostlistsRegistry/tree/fbc630cce1b7fa551c9daaf0afc869998c8384d0/filters/regional/filter_19_IRN_PersianBlocker) 321 | 322 | \- [AdGuard DNS](https://github.com/AdguardTeam/AdGuardSDNSFilter/blob/e699a76495ab12b72e93095e9f8df668da06e51a/configuration.json#L253-L259) 323 | 324 | \- [لیست جامع OISD (در نسخه Full)](https://oisd.nl/includedlists/full) 325 | 326 | \- ~~لیست جامع Energized Protection (در نسخه Regional) ([در دست پیگیری](https://github.com/EnergizedProtection/block/pull/926))~~ 327 | 328 | \- [لیست Iran Hosted Domains](https://github.com/MasterKia/iran-hosted-domains/blob/main/README.fa.md) 329 | 330 | \- [سایت مرجع همه لیست ها (Filterlists.com)](https://filterlists.com/lists/persianblocker-official-regional-persianiranian-domains-and-cosmetic-blocklist) 331 | 332 | \- [ابزار V2RayGen](https://github.com/SonyaCore/V2RayGen/tree/6dd75a68b25184009551a49182c211d451ee1549#block-list-sources) 333 | 334 | \- [ابزار 3x-ui](https://github.com/MHSanaei/3x-ui/commit/b805bf62229ef4a1211b6bc1e7603c07b12b9653) 335 | 336 | \- [ابزار x-ui](https://github.com/alireza0/x-ui/pull/478/commits/78171dd6a420a084a7d5ce805b25f2ae08db0044) 337 | 338 | \- ابزار های [Iran-v2ray-rules](https://github.com/Chocolate4U/Iran-v2ray-rules) و [Iran-sing-box-rules](https://github.com/Chocolate4U/Iran-sing-box-rules) و [Iran-clash-rules](https://github.com/Chocolate4U/Iran-clash-rules) 339 | 340 | \- [ابزار V2RayAggregator](https://github.com/mahdibland/V2RayAggregator/commit/75e1ae0c58614525dc3fb97e476c4942797030ca) 341 | 342 | 343 |
344 | 345 | 346 |

347 | 348 | 349 | 350 | 351 |

352 | 353 | *** 354 | 355 | 🄯 All Wrongs Reversed. 356 | 357 | ![](http://profile-counter.glitch.me/MasterKia/count.svg) 358 | 359 | -------------------------------------------------------------------------------- /Soft98/Soft98NoAds.txt: -------------------------------------------------------------------------------- 1 | [uBlock Origin] 2 | ! Title: Soft98NoAds 3 | ! Description: لیستی برای برگرداندن آزادی کاربران، چون هر کاربر این آزادی را دارد که چه چیزی وارد مرورگرش می‌شود و چه چیزی وارد نمی‌شود 4 | ! Expires: 0.5 days 5 | ! Homepage: https://github.com/MasterKia/PersianBlocker 6 | ! Licence: AGPLv3 (https://github.com/MasterKia/PersianBlocker/blob/main/LICENSE) 7 | 8 | !#if env_chromium 9 | soft98.ir,~forum.soft98.i##:has(> a > img):style(clip-path: circle(0) !important;) 10 | soft98.ir,~forum.soft98.i##:has(> *[style*="display"][style*="clip-path"][style*="important"][style*="none"] > img):style(clip-path: circle(0) !important;) 11 | soft98.ir,~forum.soft98.ir##:has(> * > img[style*="display"][style*="clip-path"][style*="important"][style*="none"]):style(clip-path: circle(0) !important;) 12 | soft98.ir,~forum.soft98.ir##:has(> * > img:not(img[src^="https://cdn.soft98.ir/"][src$=".jpg"], img[src^="https://cdn.soft98.ir/"][src$=".png"])):style(clip-path: circle(0) !important;) 13 | soft98.ir,~forum.soft98.ir##:has(> * > img[width][height]):style(clip-path: circle(0) !important;) 14 | soft98.ir,~forum.soft98.ir##:has(> * > img[src$=".gif"]):style(clip-path: circle(0) !important;) 15 | soft98.ir,~forum.soft98.ir##[style]:has(> * > * > * > a[href*="linkdoni.soft98.ir" i]):style(clip-path: circle(0) !important;) 16 | soft98.ir,~forum.soft98.ir##:has(> * > * ~ a[href] > [style]):style(clip-path: circle(0) !important;) 17 | soft98.ir,~forum.soft98.ir##:has(> * > a[href*="smostafa" i]):style(clip-path: circle(0) !important;) 18 | !#endif 19 | -------------------------------------------------------------------------------- /Soft98/soft98.user.js: -------------------------------------------------------------------------------- 1 | // ==UserScript== 2 | // @name Soft98.ir: Remove ads / حذف تبلیغات 3 | // @namespace https://github.com/MasterKia/PersianBlocker 4 | // @match http://*.soft98.ir/* 5 | // @match https://*.soft98.ir/* 6 | // @grant none 7 | // @run-at document-start 8 | // @downloadURL https://raw.githubusercontent.com/MasterKia/PersianBlocker/main/Soft98/soft98.user.js 9 | // @updateURL https://raw.githubusercontent.com/MasterKia/PersianBlocker/main/Soft98/soft98.user.js 10 | // @homepageURL https://github.com/MasterKia/PersianBlocker 11 | // ==/UserScript== 12 | 13 | (function() { 14 | 'use strict'; 15 | 16 | const safe = { 17 | 'log': window.console.log.bind(console), 18 | 'getPropertyValue': CSSStyleDeclaration.prototype.getPropertyValue, 19 | 'setAttribute': Element.prototype.setAttribute, 20 | 'getAttribute': Element.prototype.getAttribute, 21 | 'appendChild': Element.prototype.appendChild, 22 | 'remove': Element.prototype.remove, 23 | 'cloneNode': Element.prototype.cloneNode, 24 | 'Element_attributes': Object.getOwnPropertyDescriptor(Element.prototype, 'attributes').get, 25 | 'Array_splice': Array.prototype.splice, 26 | 'Array_join': Array.prototype.join, 27 | 'createElement': document.createElement, 28 | 'getComputedStyle': window.getComputedStyle, 29 | 'Reflect': Reflect, 30 | 'Proxy': Proxy, 31 | 'crypto': window.crypto, 32 | 'Uint8Array': Uint8Array, 33 | 'Object_defineProperty': Object.defineProperty.bind(Object), 34 | 'String_replace': String.prototype.replace, 35 | }; 36 | const getRandomValues = safe.crypto.getRandomValues.bind(safe.crypto); 37 | 38 | const genericGet = function(target, thisArg, args) { 39 | if (thisArg === 'toString') { 40 | return target.toString.bind(target) 41 | }; 42 | return safe.Reflect.get(target, thisArg, args) 43 | }; 44 | 45 | const generateID = function(len) { 46 | const dec2hex = function(dec) { 47 | return dec.toString(16).padStart(2, '0') 48 | }; 49 | const arr = new safe.Uint8Array((len || 40) / 2); 50 | getRandomValues(arr); 51 | const result = safe.String_replace.call(safe.Array_join.call(Array.from(arr, dec2hex), ''), /^\d+/g, ''); 52 | if (result.length < 3) { 53 | return generateID(len); 54 | }; 55 | return result; 56 | }; 57 | 58 | const randomName = generateID(15); 59 | window.MutationObserver = new safe.Proxy(window.MutationObserver, { 60 | construct: function(target, args) { 61 | const callback = args[0]; 62 | const proxiedCallback = function(mutations, observer) { 63 | for (let len = mutations.length, i = len - 1; i >= 0; --i) { 64 | const mutation = mutations[i]; 65 | if (mutation.type === 'childList' && mutation.addedNodes.length > 0) { 66 | const nodes = mutation.addedNodes; 67 | for (let j = 0, len2 = nodes.length; j < len2; ++j) { 68 | const node = nodes[j]; 69 | if (node.localName === randomName) { 70 | safe.Array_splice.call(mutations, i, 1); 71 | break; 72 | } 73 | } 74 | } 75 | }; 76 | if (mutations.length !== 0) { 77 | callback(mutations, observer); 78 | }; 79 | }; 80 | args[0] = proxiedCallback; 81 | const observer = safe.Reflect.construct(target, args); 82 | return observer 83 | }, 84 | get: genericGet 85 | }); 86 | 87 | window.getComputedStyle = new safe.Proxy(window.getComputedStyle, { 88 | apply(target, thisArg, args) { 89 | let style = safe.Reflect.apply(target, thisArg, args); 90 | if (safe.getPropertyValue.call(style, 'clip-path') === 'none') { 91 | return style; 92 | }; 93 | const node = args[0]; 94 | const clonedNode = safe.createElement.call(document, randomName); 95 | safe.setAttribute.call(clonedNode, 'class', safe.getAttribute.call(node, 'class')); 96 | safe.setAttribute.call(clonedNode, 'id', safe.getAttribute.call(node, 'id')); 97 | safe.setAttribute.call(clonedNode, 'style', safe.getAttribute.call(node, 'style')); 98 | safe.appendChild.call(document.body, clonedNode); 99 | const value = safe.getPropertyValue.call(safe.getComputedStyle.call(window, clonedNode), 'clip-path'); 100 | safe.remove.call(clonedNode); 101 | 102 | safe.Object_defineProperty(style, 'clipPath', { 103 | get: function() { 104 | return value; 105 | } 106 | }); 107 | 108 | style.getPropertyValue = new safe.Proxy(style.getPropertyValue, { 109 | apply(target, thisArg, args) { 110 | if (args[0] !== 'clip-path') { 111 | return safe.Reflect.apply(target, thisArg, args) 112 | }; 113 | return value; 114 | }, 115 | get: genericGet 116 | }); 117 | 118 | return style; 119 | }, 120 | get: genericGet 121 | }); 122 | 123 | })(); 124 | -------------------------------------------------------------------------------- /Userscripts/MyIrancell.user.js: -------------------------------------------------------------------------------- 1 | // ==UserScript== 2 | // @name MyIrancell 3 | // @description رفع مشکل دکمه «پرداخت» در ایرانسل من روی فایرفاکس اندروید 4 | // @match http://my.irancell.ir/* 5 | // @match https://my.irancell.ir/* 6 | // @grant none 7 | // @run-at document-start 8 | // ==/UserScript== 9 | 10 | (function() { 11 | window.open = new Proxy(window.open, { 12 | apply(target, thisArg, args) { 13 | if (args[1] === '_blank' && args[0].startsWith('https://pgweb.irancell.ir/IPSPG/')) { 14 | location.href = args[0]; 15 | return; 16 | }; 17 | return Reflect.apply(target, thisArg, args); 18 | } 19 | }); 20 | }) (); 21 | -------------------------------------------------------------------------------- /Userscripts/dragontea.user.js: -------------------------------------------------------------------------------- 1 | // ==UserScript== 2 | // @name Dragontea 3 | // @match http://*.dragontea.ink/* 4 | // @match https://*.dragontea.ink/* 5 | // @grant none 6 | // @run-at document-start 7 | // ==/UserScript== 8 | 9 | 10 | (function() { 11 | `use strict`; 12 | 13 | const safe = { 14 | 'log': window.console.log.bind(console), 15 | }; 16 | 17 | const genericGet = function(target, thisArg, args) { 18 | if (thisArg === 'toString') { 19 | return target.toString.bind(target); 20 | }; 21 | return Reflect.get(target, thisArg, args); 22 | }; 23 | 24 | window.getComputedStyle = new Proxy(window.getComputedStyle, { 25 | apply(target, thisArg, args) { 26 | const style = Reflect.apply(target, thisArg, args); 27 | if (style.clipPath === 'none') { 28 | return style; 29 | }; 30 | 31 | style.getPropertyValue = new Proxy(style.getPropertyValue, { 32 | apply(target, thisArg, args) { 33 | if (args[0] !== 'clip-path') { 34 | return Reflect.apply(target, thisArg, args); 35 | }; 36 | return 'none'; 37 | }, 38 | get: genericGet 39 | }); 40 | 41 | Object.defineProperty(style, 'clipPath', { 42 | get: function() { 43 | return 'none'; 44 | } 45 | }); 46 | 47 | return style; 48 | }, 49 | get: genericGet 50 | }); 51 | 52 | }) (); 53 | -------------------------------------------------------------------------------- /hosts: -------------------------------------------------------------------------------- 1 | 127.0.0.1 24d.ir 2 | 127.0.0.1 a.reymit.ir 3 | 127.0.0.1 actionlog.divar.ir 4 | 127.0.0.1 ad.technews-iran.com 5 | 127.0.0.1 adengine.telewebion.com 6 | 127.0.0.1 adexo.ir 7 | 127.0.0.1 adexofiles.ir 8 | 127.0.0.1 adivery.com 9 | 127.0.0.1 adnegah.net 10 | 127.0.0.1 adpulse.ir 11 | 127.0.0.1 adro.co 12 | 127.0.0.1 adro.ir 13 | 127.0.0.1 adrooz.com 14 | 127.0.0.1 ads.aftab.cc 15 | 127.0.0.1 ads.akairan.com 16 | 127.0.0.1 ads.akaup.com 17 | 127.0.0.1 ads.alaatv.com 18 | 127.0.0.1 ads.asset.aparat.com 19 | 127.0.0.1 ads.dabi.ir 20 | 127.0.0.1 ads.farakav.com 21 | 127.0.0.1 ads.karzar.net 22 | 127.0.0.1 ads.safarme.ir 23 | 127.0.0.1 adsima.net 24 | 127.0.0.1 adskav.com 25 | 127.0.0.1 adtodate.ir 26 | 127.0.0.1 adtrace.io 27 | 127.0.0.1 adtrace.ir 28 | 127.0.0.1 adtrace.world 29 | 127.0.0.1 advn.ir 30 | 127.0.0.1 adwised.com 31 | 127.0.0.1 adwisedfs.com 32 | 127.0.0.1 affili.ir 33 | 127.0.0.1 affiliate.digikala.com 34 | 127.0.0.1 affiliate.malltina.com 35 | 127.0.0.1 affilio.ir 36 | 127.0.0.1 affstat.adro.co 37 | 127.0.0.1 affstat.digikala.com 38 | 127.0.0.1 aitrades.com 39 | 127.0.0.1 amarfa.ir 40 | 127.0.0.1 amaroid.net 41 | 127.0.0.1 analysis.faradars.org 42 | 127.0.0.1 analyt.ir 43 | 127.0.0.1 analytic.magland.ir 44 | 127.0.0.1 analytics-*.aasaam.com 45 | 127.0.0.1 analytics-2.aasaam.com 46 | 127.0.0.1 analytics-3.aasaam.com 47 | 127.0.0.1 analytics.aasaam.com 48 | 127.0.0.1 analytics.asiatech.ir 49 | 127.0.0.1 analytics.dunro.com 50 | 127.0.0.1 analytics.fam.ir 51 | 127.0.0.1 analytics.football360.ir 52 | 127.0.0.1 analytics.hostiran.net 53 | 127.0.0.1 analytics.irancell.ir 54 | 127.0.0.1 analytics.jeldnews.com 55 | 127.0.0.1 analytics.labbayk.ir 56 | 127.0.0.1 analytics.nastooh.ir 57 | 127.0.0.1 analytics.plaza.ir 58 | 127.0.0.1 analytics.telewebion.com 59 | 127.0.0.1 analytics.zoomit.ir 60 | 127.0.0.1 androidupdate.download 61 | 127.0.0.1 api.karpishe.com 62 | 127.0.0.1 apm.bama.ir 63 | 127.0.0.1 apptracking.irancell.ir 64 | 127.0.0.1 arongroups.co 65 | 127.0.0.1 artanlife.club 66 | 127.0.0.1 aryacoin.io 67 | 127.0.0.1 aryana.io 68 | 127.0.0.1 aryastake.io 69 | 127.0.0.1 axotrade.com 70 | 127.0.0.1 ayyaar.ir 71 | 127.0.0.1 backlink.ir 72 | 127.0.0.1 backority.ir 73 | 127.0.0.1 bahatoken.site 74 | 127.0.0.1 behinava.com 75 | 127.0.0.1 behtarinseo.ir 76 | 127.0.0.1 bemchain.io 77 | 127.0.0.1 binoads.ir 78 | 127.0.0.1 bitad.ir 79 | 127.0.0.1 bixb.exchange 80 | 127.0.0.1 bixbcoin.com 81 | 127.0.0.1 bl9.ir 82 | 127.0.0.1 bnbmatrix.io 83 | 127.0.0.1 boorantech.com 84 | 127.0.0.1 bridge.link 85 | 127.0.0.1 cashback.takhfifan.com 86 | 127.0.0.1 cayot.ir 87 | 127.0.0.1 ccnnetwork.co 88 | 127.0.0.1 chabok.io 89 | 127.0.0.1 chancx.io 90 | 127.0.0.1 chavosh.org 91 | 127.0.0.1 ck.chavosh.org 92 | 127.0.0.1 click.digiato.com 93 | 127.0.0.1 clickaval.com 94 | 127.0.0.1 clickyab.com 95 | 127.0.0.1 coinwallet.biz 96 | 127.0.0.1 congoro.com 97 | 127.0.0.1 congoro.ir 98 | 127.0.0.1 counter.mahanmusic.net 99 | 127.0.0.1 counter.musicsweb.ir 100 | 127.0.0.1 counter.toolsir.com 101 | 127.0.0.1 countly.virgool.io 102 | 127.0.0.1 cryptoland.com 103 | 127.0.0.1 daartads.com 104 | 127.0.0.1 dagcoin.org 105 | 127.0.0.1 daneshin.ir 106 | 127.0.0.1 davedbux.ir 107 | 127.0.0.1 deema.agency 108 | 127.0.0.1 deemaagency.ir 109 | 127.0.0.1 deemanetwork.com 110 | 127.0.0.1 defigroups.com 111 | 127.0.0.1 denutility.com 112 | 127.0.0.1 dezhino.com 113 | 127.0.0.1 dsp.aparat.com 114 | 127.0.0.1 emway.ir 115 | 127.0.0.1 error-tracking.arvancloud.com 116 | 127.0.0.1 errortracking.snapp.site 117 | 127.0.0.1 ewpb.site 118 | 127.0.0.1 excoino.com 119 | 127.0.0.1 facepop.org 120 | 127.0.0.1 falixa.com 121 | 127.0.0.1 farakav.com 122 | 127.0.0.1 farsbux.ir 123 | 127.0.0.1 fastclick.ir 124 | 127.0.0.1 frzss.com 125 | 127.0.0.1 geoip.imber.live 126 | 127.0.0.1 gpm.ltd 127 | 127.0.0.1 guhtoken.org 128 | 127.0.0.1 hadeseh.simra.cloud 129 | 127.0.0.1 hantana.org 130 | 127.0.0.1 hiads.hidoctor.ir 131 | 127.0.0.1 hoho.mobi 132 | 127.0.0.1 ingest-data-afra.snappfood.dev 133 | 127.0.0.1 intrack.ir 134 | 127.0.0.1 ipsite.ir 135 | 127.0.0.1 ir.mihanstore.net 136 | 127.0.0.1 irancloudmining.com 137 | 127.0.0.1 irancoinmine.com 138 | 127.0.0.1 izonekala.com 139 | 127.0.0.1 jetbux.ir 140 | 127.0.0.1 kajads.com 141 | 127.0.0.1 kaprila.com 142 | 127.0.0.1 kar-sentry.karnameh.com 143 | 127.0.0.1 kingmoney.io 144 | 127.0.0.1 l.24d.ir 145 | 127.0.0.1 landyab.com 146 | 127.0.0.1 laqira.io 147 | 127.0.0.1 laxsson.com 148 | 127.0.0.1 leumia.io 149 | 127.0.0.1 linkdoni.soft98.ir 150 | 127.0.0.1 linkfars.com 151 | 127.0.0.1 linksaz.net 152 | 127.0.0.1 linkyar.com 153 | 127.0.0.1 lnk.amaroid.net 154 | 127.0.0.1 logapi.karbord.io 155 | 127.0.0.1 magnetadservices.com 156 | 127.0.0.1 mat-pnu.ir 157 | 127.0.0.1 mediaad.org 158 | 127.0.0.1 mediawach.com 159 | 127.0.0.1 merita.ir 160 | 127.0.0.1 metrix.behtarino.com 161 | 127.0.0.1 metrix.ir 162 | 127.0.0.1 minepi.com 163 | 127.0.0.1 mitrarank.ir 164 | 127.0.0.1 mogo-crypto.net 165 | 127.0.0.1 mtabdil.com 166 | 127.0.0.1 mttcoin.com 167 | 127.0.0.1 najva.com 168 | 127.0.0.1 netbina.com 169 | 127.0.0.1 new-sentry.digikala.com 170 | 127.0.0.1 news-view-api.varzesh3.com 171 | 127.0.0.1 newswidget.net 172 | 127.0.0.1 nokontoken.com 173 | 127.0.0.1 notifhub.com 174 | 127.0.0.1 offers.sapra.ir 175 | 127.0.0.1 on-click.ir 176 | 127.0.0.1 onclick.ir 177 | 127.0.0.1 orbitnetwork.net 178 | 127.0.0.1 oscaranimation.in 179 | 127.0.0.1 p30rank.ir 180 | 127.0.0.1 pantatec.ae 181 | 127.0.0.1 partclick.ir 182 | 127.0.0.1 pegah.tech 183 | 127.0.0.1 pelikan-network.ir 184 | 127.0.0.1 perlika.com 185 | 127.0.0.1 persia.exchange 186 | 127.0.0.1 persianrank.ir 187 | 127.0.0.1 peyvandha.ir 188 | 127.0.0.1 phoenixad.io 189 | 127.0.0.1 phonroid.com 190 | 127.0.0.1 pooye-ads.com 191 | 127.0.0.1 popgozar.com 192 | 127.0.0.1 popina.ir 193 | 127.0.0.1 popland.info 194 | 127.0.0.1 popunder.ir 195 | 127.0.0.1 popupdl.ir 196 | 127.0.0.1 popupme.net 197 | 127.0.0.1 popupplus.ir 198 | 127.0.0.1 posthog.basalam.com 199 | 127.0.0.1 promizer.com 200 | 127.0.0.1 propertiq.io 201 | 127.0.0.1 publica.ir 202 | 127.0.0.1 pushe.co 203 | 127.0.0.1 pushq.ir 204 | 127.0.0.1 quahl.com 205 | 127.0.0.1 radar.bayan.ir 206 | 127.0.0.1 rankirani.ir 207 | 127.0.0.1 rssbank.ir 208 | 127.0.0.1 sabaidea.cloud 209 | 127.0.0.1 sabavision.com 210 | 127.0.0.1 sanjagh.com 211 | 127.0.0.1 sanjagh.net 212 | 127.0.0.1 scripts-ads.s3.ir-thr-at1.arvanstorage.com 213 | 127.0.0.1 sendword.ir 214 | 127.0.0.1 sentry.alaatv.com 215 | 127.0.0.1 sentry.alibaba.ir 216 | 127.0.0.1 sentry.bale.sh 217 | 127.0.0.1 sentry.basalam.com 218 | 127.0.0.1 sentry.cafebazaar.org 219 | 127.0.0.1 sentry.divar.cloud 220 | 127.0.0.1 sentry.fidibo.net 221 | 127.0.0.1 sentry.filmnet.ir 222 | 127.0.0.1 sentry.footballiapp.com 223 | 127.0.0.1 sentry.hamravesh.com 224 | 127.0.0.1 sentry.malltina.com 225 | 127.0.0.1 sentry.mci.dev 226 | 127.0.0.1 sentry.mielse.com 227 | 127.0.0.1 sentry.namava.ir 228 | 127.0.0.1 sentry.querastaff.ir 229 | 127.0.0.1 sentry.virgool.io 230 | 127.0.0.1 sentry.yektanet.tech 231 | 127.0.0.1 shamining.com 232 | 127.0.0.1 smartgalaxy.finance 233 | 127.0.0.1 soodland.com 234 | 127.0.0.1 spellads.com 235 | 127.0.0.1 spellpop.ir 236 | 127.0.0.1 spotyfile.com 237 | 127.0.0.1 statsfa.com 238 | 127.0.0.1 stc.ninisite.com 239 | 127.0.0.1 synchrobit.io 240 | 127.0.0.1 tabligheirani.ir 241 | 127.0.0.1 tadv.didestan.net 242 | 127.0.0.1 talapop.ir 243 | 127.0.0.1 tapsell.ir 244 | 127.0.0.1 tastenfts.com 245 | 127.0.0.1 tbli.ir 246 | 127.0.0.1 te1.ir 247 | 127.0.0.1 tinancefa.org 248 | 127.0.0.1 toppopup.com 249 | 127.0.0.1 tracker.digikala.com 250 | 127.0.0.1 tracker.farsnews.ir 251 | 127.0.0.1 tracker.jabama.com 252 | 127.0.0.1 tradergpt.ai 253 | 127.0.0.1 trc.metrix.ir 254 | 127.0.0.1 treenvest.com 255 | 127.0.0.1 triboon.net 256 | 127.0.0.1 trustseal.e-rasaneh.ir 257 | 127.0.0.1 unique.finance 258 | 127.0.0.1 unitedsolarinfinity.com 259 | 127.0.0.1 userfriendly.ir 260 | 127.0.0.1 usermap.net 261 | 127.0.0.1 utbyte.io 262 | 127.0.0.1 utop.ir 263 | 127.0.0.1 utopclick.com 264 | 127.0.0.1 vast.filmnet.ir 265 | 127.0.0.1 vatanclick.ir 266 | 127.0.0.1 video-view-api.varzesh3.com 267 | 127.0.0.1 vidomusic.org 268 | 127.0.0.1 waykingroup.com 269 | 127.0.0.1 websocket.55online.news 270 | 127.0.0.1 websocket.ilna.ir 271 | 127.0.0.1 websocket.khanefootball.com 272 | 127.0.0.1 websocket.sobhtazeh.news 273 | 127.0.0.1 websocket.varandaz.com 274 | 127.0.0.1 wideads.com 275 | 127.0.0.1 wintap.io 276 | 127.0.0.1 ws.namava.ir 277 | 127.0.0.1 xjs.lol 278 | 127.0.0.1 xmlx.lol 279 | 127.0.0.1 yekbux.com 280 | 127.0.0.1 yektanet.com 281 | 127.0.0.1 yelloadwise.ir 282 | 127.0.0.1 ylad.ir 283 | 127.0.0.1 yoozbit.com 284 | 127.0.0.1 zarad.net 285 | 127.0.0.1 zarpop.com -------------------------------------------------------------------------------- /hosts-0: -------------------------------------------------------------------------------- 1 | 0.0.0.0 24d.ir 2 | 0.0.0.0 a.reymit.ir 3 | 0.0.0.0 actionlog.divar.ir 4 | 0.0.0.0 ad.technews-iran.com 5 | 0.0.0.0 adengine.telewebion.com 6 | 0.0.0.0 adexo.ir 7 | 0.0.0.0 adexofiles.ir 8 | 0.0.0.0 adivery.com 9 | 0.0.0.0 adnegah.net 10 | 0.0.0.0 adpulse.ir 11 | 0.0.0.0 adro.co 12 | 0.0.0.0 adro.ir 13 | 0.0.0.0 adrooz.com 14 | 0.0.0.0 ads.aftab.cc 15 | 0.0.0.0 ads.akairan.com 16 | 0.0.0.0 ads.akaup.com 17 | 0.0.0.0 ads.alaatv.com 18 | 0.0.0.0 ads.asset.aparat.com 19 | 0.0.0.0 ads.dabi.ir 20 | 0.0.0.0 ads.farakav.com 21 | 0.0.0.0 ads.karzar.net 22 | 0.0.0.0 ads.safarme.ir 23 | 0.0.0.0 adsima.net 24 | 0.0.0.0 adskav.com 25 | 0.0.0.0 adtodate.ir 26 | 0.0.0.0 adtrace.io 27 | 0.0.0.0 adtrace.ir 28 | 0.0.0.0 adtrace.world 29 | 0.0.0.0 advn.ir 30 | 0.0.0.0 adwised.com 31 | 0.0.0.0 adwisedfs.com 32 | 0.0.0.0 affili.ir 33 | 0.0.0.0 affiliate.digikala.com 34 | 0.0.0.0 affiliate.malltina.com 35 | 0.0.0.0 affilio.ir 36 | 0.0.0.0 affstat.adro.co 37 | 0.0.0.0 affstat.digikala.com 38 | 0.0.0.0 aitrades.com 39 | 0.0.0.0 amarfa.ir 40 | 0.0.0.0 amaroid.net 41 | 0.0.0.0 analysis.faradars.org 42 | 0.0.0.0 analyt.ir 43 | 0.0.0.0 analytic.magland.ir 44 | 0.0.0.0 analytics-*.aasaam.com 45 | 0.0.0.0 analytics-2.aasaam.com 46 | 0.0.0.0 analytics-3.aasaam.com 47 | 0.0.0.0 analytics.aasaam.com 48 | 0.0.0.0 analytics.asiatech.ir 49 | 0.0.0.0 analytics.dunro.com 50 | 0.0.0.0 analytics.fam.ir 51 | 0.0.0.0 analytics.football360.ir 52 | 0.0.0.0 analytics.hostiran.net 53 | 0.0.0.0 analytics.irancell.ir 54 | 0.0.0.0 analytics.jeldnews.com 55 | 0.0.0.0 analytics.labbayk.ir 56 | 0.0.0.0 analytics.nastooh.ir 57 | 0.0.0.0 analytics.plaza.ir 58 | 0.0.0.0 analytics.telewebion.com 59 | 0.0.0.0 analytics.zoomit.ir 60 | 0.0.0.0 androidupdate.download 61 | 0.0.0.0 api.karpishe.com 62 | 0.0.0.0 apm.bama.ir 63 | 0.0.0.0 apptracking.irancell.ir 64 | 0.0.0.0 arongroups.co 65 | 0.0.0.0 artanlife.club 66 | 0.0.0.0 aryacoin.io 67 | 0.0.0.0 aryana.io 68 | 0.0.0.0 aryastake.io 69 | 0.0.0.0 axotrade.com 70 | 0.0.0.0 ayyaar.ir 71 | 0.0.0.0 backlink.ir 72 | 0.0.0.0 backority.ir 73 | 0.0.0.0 bahatoken.site 74 | 0.0.0.0 behinava.com 75 | 0.0.0.0 behtarinseo.ir 76 | 0.0.0.0 bemchain.io 77 | 0.0.0.0 binoads.ir 78 | 0.0.0.0 bitad.ir 79 | 0.0.0.0 bixb.exchange 80 | 0.0.0.0 bixbcoin.com 81 | 0.0.0.0 bl9.ir 82 | 0.0.0.0 bnbmatrix.io 83 | 0.0.0.0 boorantech.com 84 | 0.0.0.0 bridge.link 85 | 0.0.0.0 cashback.takhfifan.com 86 | 0.0.0.0 cayot.ir 87 | 0.0.0.0 ccnnetwork.co 88 | 0.0.0.0 chabok.io 89 | 0.0.0.0 chancx.io 90 | 0.0.0.0 chavosh.org 91 | 0.0.0.0 ck.chavosh.org 92 | 0.0.0.0 click.digiato.com 93 | 0.0.0.0 clickaval.com 94 | 0.0.0.0 clickyab.com 95 | 0.0.0.0 coinwallet.biz 96 | 0.0.0.0 congoro.com 97 | 0.0.0.0 congoro.ir 98 | 0.0.0.0 counter.mahanmusic.net 99 | 0.0.0.0 counter.musicsweb.ir 100 | 0.0.0.0 counter.toolsir.com 101 | 0.0.0.0 countly.virgool.io 102 | 0.0.0.0 cryptoland.com 103 | 0.0.0.0 daartads.com 104 | 0.0.0.0 dagcoin.org 105 | 0.0.0.0 daneshin.ir 106 | 0.0.0.0 davedbux.ir 107 | 0.0.0.0 deema.agency 108 | 0.0.0.0 deemaagency.ir 109 | 0.0.0.0 deemanetwork.com 110 | 0.0.0.0 defigroups.com 111 | 0.0.0.0 denutility.com 112 | 0.0.0.0 dezhino.com 113 | 0.0.0.0 dsp.aparat.com 114 | 0.0.0.0 emway.ir 115 | 0.0.0.0 error-tracking.arvancloud.com 116 | 0.0.0.0 errortracking.snapp.site 117 | 0.0.0.0 ewpb.site 118 | 0.0.0.0 excoino.com 119 | 0.0.0.0 facepop.org 120 | 0.0.0.0 falixa.com 121 | 0.0.0.0 farakav.com 122 | 0.0.0.0 farsbux.ir 123 | 0.0.0.0 fastclick.ir 124 | 0.0.0.0 frzss.com 125 | 0.0.0.0 geoip.imber.live 126 | 0.0.0.0 gpm.ltd 127 | 0.0.0.0 guhtoken.org 128 | 0.0.0.0 hadeseh.simra.cloud 129 | 0.0.0.0 hantana.org 130 | 0.0.0.0 hiads.hidoctor.ir 131 | 0.0.0.0 hoho.mobi 132 | 0.0.0.0 ingest-data-afra.snappfood.dev 133 | 0.0.0.0 intrack.ir 134 | 0.0.0.0 ipsite.ir 135 | 0.0.0.0 ir.mihanstore.net 136 | 0.0.0.0 irancloudmining.com 137 | 0.0.0.0 irancoinmine.com 138 | 0.0.0.0 izonekala.com 139 | 0.0.0.0 jetbux.ir 140 | 0.0.0.0 kajads.com 141 | 0.0.0.0 kaprila.com 142 | 0.0.0.0 kar-sentry.karnameh.com 143 | 0.0.0.0 kingmoney.io 144 | 0.0.0.0 l.24d.ir 145 | 0.0.0.0 landyab.com 146 | 0.0.0.0 laqira.io 147 | 0.0.0.0 laxsson.com 148 | 0.0.0.0 leumia.io 149 | 0.0.0.0 linkdoni.soft98.ir 150 | 0.0.0.0 linkfars.com 151 | 0.0.0.0 linksaz.net 152 | 0.0.0.0 linkyar.com 153 | 0.0.0.0 lnk.amaroid.net 154 | 0.0.0.0 logapi.karbord.io 155 | 0.0.0.0 magnetadservices.com 156 | 0.0.0.0 mat-pnu.ir 157 | 0.0.0.0 mediaad.org 158 | 0.0.0.0 mediawach.com 159 | 0.0.0.0 merita.ir 160 | 0.0.0.0 metrix.behtarino.com 161 | 0.0.0.0 metrix.ir 162 | 0.0.0.0 minepi.com 163 | 0.0.0.0 mitrarank.ir 164 | 0.0.0.0 mogo-crypto.net 165 | 0.0.0.0 mtabdil.com 166 | 0.0.0.0 mttcoin.com 167 | 0.0.0.0 najva.com 168 | 0.0.0.0 netbina.com 169 | 0.0.0.0 new-sentry.digikala.com 170 | 0.0.0.0 news-view-api.varzesh3.com 171 | 0.0.0.0 newswidget.net 172 | 0.0.0.0 nokontoken.com 173 | 0.0.0.0 notifhub.com 174 | 0.0.0.0 offers.sapra.ir 175 | 0.0.0.0 on-click.ir 176 | 0.0.0.0 onclick.ir 177 | 0.0.0.0 orbitnetwork.net 178 | 0.0.0.0 oscaranimation.in 179 | 0.0.0.0 p30rank.ir 180 | 0.0.0.0 pantatec.ae 181 | 0.0.0.0 partclick.ir 182 | 0.0.0.0 pegah.tech 183 | 0.0.0.0 pelikan-network.ir 184 | 0.0.0.0 perlika.com 185 | 0.0.0.0 persia.exchange 186 | 0.0.0.0 persianrank.ir 187 | 0.0.0.0 peyvandha.ir 188 | 0.0.0.0 phoenixad.io 189 | 0.0.0.0 phonroid.com 190 | 0.0.0.0 pooye-ads.com 191 | 0.0.0.0 popgozar.com 192 | 0.0.0.0 popina.ir 193 | 0.0.0.0 popland.info 194 | 0.0.0.0 popunder.ir 195 | 0.0.0.0 popupdl.ir 196 | 0.0.0.0 popupme.net 197 | 0.0.0.0 popupplus.ir 198 | 0.0.0.0 posthog.basalam.com 199 | 0.0.0.0 promizer.com 200 | 0.0.0.0 propertiq.io 201 | 0.0.0.0 publica.ir 202 | 0.0.0.0 pushe.co 203 | 0.0.0.0 pushq.ir 204 | 0.0.0.0 quahl.com 205 | 0.0.0.0 radar.bayan.ir 206 | 0.0.0.0 rankirani.ir 207 | 0.0.0.0 rssbank.ir 208 | 0.0.0.0 sabaidea.cloud 209 | 0.0.0.0 sabavision.com 210 | 0.0.0.0 sanjagh.com 211 | 0.0.0.0 sanjagh.net 212 | 0.0.0.0 scripts-ads.s3.ir-thr-at1.arvanstorage.com 213 | 0.0.0.0 sendword.ir 214 | 0.0.0.0 sentry.alaatv.com 215 | 0.0.0.0 sentry.alibaba.ir 216 | 0.0.0.0 sentry.bale.sh 217 | 0.0.0.0 sentry.basalam.com 218 | 0.0.0.0 sentry.cafebazaar.org 219 | 0.0.0.0 sentry.divar.cloud 220 | 0.0.0.0 sentry.fidibo.net 221 | 0.0.0.0 sentry.filmnet.ir 222 | 0.0.0.0 sentry.footballiapp.com 223 | 0.0.0.0 sentry.hamravesh.com 224 | 0.0.0.0 sentry.malltina.com 225 | 0.0.0.0 sentry.mci.dev 226 | 0.0.0.0 sentry.mielse.com 227 | 0.0.0.0 sentry.namava.ir 228 | 0.0.0.0 sentry.querastaff.ir 229 | 0.0.0.0 sentry.virgool.io 230 | 0.0.0.0 sentry.yektanet.tech 231 | 0.0.0.0 shamining.com 232 | 0.0.0.0 smartgalaxy.finance 233 | 0.0.0.0 soodland.com 234 | 0.0.0.0 spellads.com 235 | 0.0.0.0 spellpop.ir 236 | 0.0.0.0 spotyfile.com 237 | 0.0.0.0 statsfa.com 238 | 0.0.0.0 stc.ninisite.com 239 | 0.0.0.0 synchrobit.io 240 | 0.0.0.0 tabligheirani.ir 241 | 0.0.0.0 tadv.didestan.net 242 | 0.0.0.0 talapop.ir 243 | 0.0.0.0 tapsell.ir 244 | 0.0.0.0 tastenfts.com 245 | 0.0.0.0 tbli.ir 246 | 0.0.0.0 te1.ir 247 | 0.0.0.0 tinancefa.org 248 | 0.0.0.0 toppopup.com 249 | 0.0.0.0 tracker.digikala.com 250 | 0.0.0.0 tracker.farsnews.ir 251 | 0.0.0.0 tracker.jabama.com 252 | 0.0.0.0 tradergpt.ai 253 | 0.0.0.0 trc.metrix.ir 254 | 0.0.0.0 treenvest.com 255 | 0.0.0.0 triboon.net 256 | 0.0.0.0 trustseal.e-rasaneh.ir 257 | 0.0.0.0 unique.finance 258 | 0.0.0.0 unitedsolarinfinity.com 259 | 0.0.0.0 userfriendly.ir 260 | 0.0.0.0 usermap.net 261 | 0.0.0.0 utbyte.io 262 | 0.0.0.0 utop.ir 263 | 0.0.0.0 utopclick.com 264 | 0.0.0.0 vast.filmnet.ir 265 | 0.0.0.0 vatanclick.ir 266 | 0.0.0.0 video-view-api.varzesh3.com 267 | 0.0.0.0 vidomusic.org 268 | 0.0.0.0 waykingroup.com 269 | 0.0.0.0 websocket.55online.news 270 | 0.0.0.0 websocket.ilna.ir 271 | 0.0.0.0 websocket.khanefootball.com 272 | 0.0.0.0 websocket.sobhtazeh.news 273 | 0.0.0.0 websocket.varandaz.com 274 | 0.0.0.0 wideads.com 275 | 0.0.0.0 wintap.io 276 | 0.0.0.0 ws.namava.ir 277 | 0.0.0.0 xjs.lol 278 | 0.0.0.0 xmlx.lol 279 | 0.0.0.0 yekbux.com 280 | 0.0.0.0 yektanet.com 281 | 0.0.0.0 yelloadwise.ir 282 | 0.0.0.0 ylad.ir 283 | 0.0.0.0 yoozbit.com 284 | 0.0.0.0 zarad.net 285 | 0.0.0.0 zarpop.com -------------------------------------------------------------------------------- /package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "PersianBlocker", 3 | "author": "MasterKia", 4 | "license": "AGPLv3", 5 | "repository": { 6 | "type": "git", 7 | "url": "git+https://github.com/MasterKia/PersianBlocker.git" 8 | }, 9 | "bugs": { 10 | "url": "https://github.com/MasterKia/PersianBlocker/issues" 11 | }, 12 | "homepage": "https://github.com/MasterKia/PersianBlocker#readme", 13 | "scripts": { 14 | "build": "node assets/scripts/build.js", 15 | "lint": "pnpm lint:ab && pnpm lint:md", 16 | "lint:ab": "aglint", 17 | "lint:md": "markdownlint .", 18 | "prepare": "node .husky/install.mjs" 19 | }, 20 | "lint-staged": { 21 | "sections/**/*.txt": "aglint", 22 | "*.md": "markdownlint" 23 | }, 24 | "devDependencies": { 25 | "@adguard/aglint": "^2.0.8", 26 | "@adguard/dead-domains-linter": "^1.0.19", 27 | "dateformat": "^4.6.3", 28 | "husky": "^9.0.7", 29 | "lint-staged": "^15.2.1", 30 | "markdownlint": "^0.32.1", 31 | "markdownlint-cli": "^0.37.0" 32 | }, 33 | "packageManager": "pnpm@9.5.0+sha512.140036830124618d624a2187b50d04289d5a087f326c9edfc0ccd733d76c4f52c3a313d4fc148794a2a9d81553016004e6742e8cf850670268a7387fc220c903" 34 | } 35 | -------------------------------------------------------------------------------- /pnpm-lock.yaml: -------------------------------------------------------------------------------- 1 | lockfileVersion: '9.0' 2 | 3 | settings: 4 | autoInstallPeers: true 5 | excludeLinksFromLockfile: false 6 | 7 | importers: 8 | 9 | .: 10 | devDependencies: 11 | '@adguard/aglint': 12 | specifier: ^2.0.8 13 | version: 2.0.9 14 | '@adguard/dead-domains-linter': 15 | specifier: ^1.0.19 16 | version: 1.0.19 17 | dateformat: 18 | specifier: ^4.6.3 19 | version: 4.6.3 20 | husky: 21 | specifier: ^9.0.7 22 | version: 9.0.11 23 | lint-staged: 24 | specifier: ^15.2.1 25 | version: 15.2.7 26 | markdownlint: 27 | specifier: ^0.32.1 28 | version: 0.32.1 29 | markdownlint-cli: 30 | specifier: ^0.37.0 31 | version: 0.37.0 32 | 33 | packages: 34 | 35 | '@adguard/aglint@2.0.9': 36 | resolution: {integrity: sha512-1xnQdGNwk6xb9m8YyxbaMLbSTQ59tehlwv7P92O7MqIMFLoLJy70HPrx3JOTj+GRrSNQOuJFHJnl7LVvF7pyUw==} 37 | engines: {node: '>=14'} 38 | hasBin: true 39 | 40 | '@adguard/agtree@1.1.8': 41 | resolution: {integrity: sha512-5k9bYA+JSfZgYTvwahkM8ihIf1fvP+RxA1dKLgkRIGa6ixOSWNKv/pN0Rpiy0DwZJbC9X/OeZrtdW66jASH/JA==} 42 | engines: {node: '>=14'} 43 | 44 | '@adguard/dead-domains-linter@1.0.19': 45 | resolution: {integrity: sha512-ebzg+InC8DzgthuCpQVOplx3bKt10Snq2B+nocCbUuuYFtyHMBgMd1LO7kKahWLf1Z4Yjb/vaeoS3c5u2szjyA==} 46 | engines: {node: '>=18'} 47 | hasBin: true 48 | 49 | '@adguard/ecss-tree@1.0.8': 50 | resolution: {integrity: sha512-Y5dfzWH5nnzEH9URuzOQ1RXl0bzmLiGO7Nt9Wc/na7uD5UHqoz4PlzVllFpO1bLA+Cqq5ebNrz+uWRKN3BxSTg==} 51 | 52 | '@adguard/scriptlets@1.11.6': 53 | resolution: {integrity: sha512-ArHRCGGOprZNQet+zpNNPWo8O4/Y/TdJ3k1y7XlKDE/FlEo/BDBDqD0GCYthAXEPtJvnmIFBOyV1MhlONqhM1A==} 54 | 55 | '@babel/runtime-corejs3@7.24.7': 56 | resolution: {integrity: sha512-eytSX6JLBY6PVAeQa2bFlDx/7Mmln/gaEpsit5a3WEvjGfiIytEsgAwuIXCPM0xvw0v0cJn3ilq0/TvXrW0kgA==} 57 | engines: {node: '>=6.9.0'} 58 | 59 | '@babel/runtime@7.24.7': 60 | resolution: {integrity: sha512-UwgBRMjJP+xv857DCngvqXI3Iq6J4v0wXmwc6sapg+zyhbwmQX67LUEFrkK5tbyJ30jGuG3ZvWpBiB9LCy1kWw==} 61 | engines: {node: '>=6.9.0'} 62 | 63 | '@inquirer/checkbox@1.5.2': 64 | resolution: {integrity: sha512-CifrkgQjDkUkWexmgYYNyB5603HhTHI91vLFeQXh6qrTKiCMVASol01Rs1cv6LP/A2WccZSRlJKZhbaBIs/9ZA==} 65 | engines: {node: '>=14.18.0'} 66 | 67 | '@inquirer/core@6.0.0': 68 | resolution: {integrity: sha512-fKi63Khkisgda3ohnskNf5uZJj+zXOaBvOllHsOkdsXRA/ubQLJQrZchFFi57NKbZzkTunXiBMdvWOv71alonw==} 69 | engines: {node: '>=14.18.0'} 70 | 71 | '@inquirer/select@1.3.3': 72 | resolution: {integrity: sha512-RzlRISXWqIKEf83FDC9ZtJ3JvuK1l7aGpretf41BCWYrvla2wU8W8MTRNMiPrPJ+1SIqrRC1nZdZ60hD9hRXLg==} 73 | engines: {node: '>=14.18.0'} 74 | 75 | '@inquirer/type@1.4.0': 76 | resolution: {integrity: sha512-AjOqykVyjdJQvtfkNDGUyMYGF8xN50VUxftCQWsOyIo4DFRLr6VQhW0VItGI1JIyQGCGgIpKa7hMMwNhZb4OIw==} 77 | engines: {node: '>=18'} 78 | 79 | '@isaacs/cliui@8.0.2': 80 | resolution: {integrity: sha512-O8jcjabXaleOG9DQ0+ARXWZBTfnP4WNAqzuiJK7ll44AmxGKv/J2M4TPjxjY3znBCfvBXFzucm1twdyFybFqEA==} 81 | engines: {node: '>=12'} 82 | 83 | '@pkgjs/parseargs@0.11.0': 84 | resolution: {integrity: sha512-+1VkjdD0QBLPodGrJUeqarH8VAIvQODIbwh9XpP5Syisf7YoQgsJKPNFoqqLQlu+VQ/tVSshMR6loPMn8U+dPg==} 85 | engines: {node: '>=14'} 86 | 87 | '@types/mute-stream@0.0.4': 88 | resolution: {integrity: sha512-CPM9nzrCPPJHQNA9keH9CVkVI+WR5kMa+7XEs5jcGQ0VoAGnLv242w8lIVgwAEfmE4oufJRaTc9PNLQl0ioAow==} 89 | 90 | '@types/node@20.14.10': 91 | resolution: {integrity: sha512-MdiXf+nDuMvY0gJKxyfZ7/6UFsETO7mGKF54MVD/ekJS6HdFtpZFBgrh6Pseu64XTb2MLyFPlbW6hj8HYRQNOQ==} 92 | 93 | '@types/wrap-ansi@3.0.0': 94 | resolution: {integrity: sha512-ltIpx+kM7g/MLRZfkbL7EsCEjfzCcScLpkg37eXEtx5kmrAKBkTJwd1GIAjDSL8wTpM6Hzn5YO4pSb91BEwu1g==} 95 | 96 | ansi-escapes@4.3.2: 97 | resolution: {integrity: sha512-gKXj5ALrKWQLsYG9jlTRmR/xKluxHV+Z9QEwNIgCfM1/uwPMCuzVVnh5mwTd+OuBZcwSIMbqssNWRm1lE51QaQ==} 98 | engines: {node: '>=8'} 99 | 100 | ansi-escapes@6.2.1: 101 | resolution: {integrity: sha512-4nJ3yixlEthEJ9Rk4vPcdBRkZvQZlYyu8j4/Mqz5sgIkddmEnH2Yj2ZrnP9S3tQOvSNRUIgVNF/1yPpRAGNRig==} 102 | engines: {node: '>=14.16'} 103 | 104 | ansi-regex@5.0.1: 105 | resolution: {integrity: sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==} 106 | engines: {node: '>=8'} 107 | 108 | ansi-regex@6.0.1: 109 | resolution: {integrity: sha512-n5M855fKb2SsfMIiFFoVrABHJC8QtHwVx+mHWP3QcEqBHYienj5dHSgjbxtC0WEZXYt4wcD6zrQElDPhFuZgfA==} 110 | engines: {node: '>=12'} 111 | 112 | ansi-styles@4.3.0: 113 | resolution: {integrity: sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==} 114 | engines: {node: '>=8'} 115 | 116 | ansi-styles@6.2.1: 117 | resolution: {integrity: sha512-bN798gFfQX+viw3R7yrGWRqnrN2oRkEkUjjl4JNn4E8GxxbjtG3FbrEIIY3l8/hrwUwIeCZvi4QuOTP4MErVug==} 118 | engines: {node: '>=12'} 119 | 120 | argparse@1.0.10: 121 | resolution: {integrity: sha512-o5Roy6tNG4SL/FOkCAN6RzjiakZS25RLYFrcMttJqbdd8BWrnA+fGz57iN5Pb06pvBGvl5gQ0B48dJlslXvoTg==} 122 | 123 | argparse@2.0.1: 124 | resolution: {integrity: sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==} 125 | 126 | balanced-match@1.0.2: 127 | resolution: {integrity: sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==} 128 | 129 | brace-expansion@2.0.1: 130 | resolution: {integrity: sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==} 131 | 132 | braces@3.0.3: 133 | resolution: {integrity: sha512-yQbXgO/OSZVD2IsiLlro+7Hf6Q18EJrKSEsdoMzKePKXct3gvD8oLcOQdIzGupr5Fj+EDe8gO/lxc1BzfMpxvA==} 134 | engines: {node: '>=8'} 135 | 136 | chalk@4.1.2: 137 | resolution: {integrity: sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==} 138 | engines: {node: '>=10'} 139 | 140 | chalk@5.3.0: 141 | resolution: {integrity: sha512-dLitG79d+GV1Nb/VYcCDFivJeK1hiukt9QjRNVOsUtTy1rR1YJsmpGGTZ3qJos+uw7WmWF4wUwBd9jxjocFC2w==} 142 | engines: {node: ^12.17.0 || ^14.13 || >=16.0.0} 143 | 144 | cli-cursor@4.0.0: 145 | resolution: {integrity: sha512-VGtlMu3x/4DOtIUwEkRezxUZ2lBacNJCHash0N0WeZDBS+7Ux1dm3XWAgWYxLJFMMdOeXMHXorshEFhbMSGelg==} 146 | engines: {node: ^12.20.0 || ^14.13.1 || >=16.0.0} 147 | 148 | cli-spinners@2.9.2: 149 | resolution: {integrity: sha512-ywqV+5MmyL4E7ybXgKys4DugZbX0FC6LnwrhjuykIjnK9k8OQacQ7axGKnjDXWNhns0xot3bZI5h55H8yo9cJg==} 150 | engines: {node: '>=6'} 151 | 152 | cli-truncate@4.0.0: 153 | resolution: {integrity: sha512-nPdaFdQ0h/GEigbPClz11D0v/ZJEwxmeVZGeMo3Z5StPtUTkA9o1lD6QwoirYiSDzbcwn2XcjwmCp68W1IS4TA==} 154 | engines: {node: '>=18'} 155 | 156 | cli-width@4.1.0: 157 | resolution: {integrity: sha512-ouuZd4/dm2Sw5Gmqy6bGyNNNe1qt9RpmxveLSO7KcgsTnU7RXfsw+/bukWGo1abgBiMAic068rclZsO4IWmmxQ==} 158 | engines: {node: '>= 12'} 159 | 160 | cliui@8.0.1: 161 | resolution: {integrity: sha512-BSeNnyus75C4//NQ9gQt1/csTXyo/8Sb+afLAkzAptFuMsod9HFokGNudZpi/oQV73hnVK+sR+5PVRMd+Dr7YQ==} 162 | engines: {node: '>=12'} 163 | 164 | clone-deep@4.0.1: 165 | resolution: {integrity: sha512-neHB9xuzh/wk0dIHweyAXv2aPGZIVk3pLMe+/RNzINf17fe0OG96QroktYAUm7SM1PBnzTabaLboqqxDyMU+SQ==} 166 | engines: {node: '>=6'} 167 | 168 | color-convert@2.0.1: 169 | resolution: {integrity: sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==} 170 | engines: {node: '>=7.0.0'} 171 | 172 | color-name@1.1.4: 173 | resolution: {integrity: sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==} 174 | 175 | colorette@2.0.20: 176 | resolution: {integrity: sha512-IfEDxwoWIjkeXL1eXcDiow4UbKjhLdq6/EuSVR9GMN7KVH3r9gQ83e73hsz1Nd1T3ijd5xv1wcWRYO+D6kCI2w==} 177 | 178 | commander@11.0.0: 179 | resolution: {integrity: sha512-9HMlXtt/BNoYr8ooyjjNRdIilOTkVJXB+GhxMTtOKwk0R4j4lS4NpjuqmRxroBfnfTSHQIHQB7wryHhXarNjmQ==} 180 | engines: {node: '>=16'} 181 | 182 | commander@11.1.0: 183 | resolution: {integrity: sha512-yPVavfyCcRhmorC7rWlkHn15b4wDVgVmBA7kV4QVBsF7kv/9TKJAbAXVTxvTnwP8HHKjRCJDClKbciiYS7p0DQ==} 184 | engines: {node: '>=16'} 185 | 186 | commander@12.1.0: 187 | resolution: {integrity: sha512-Vw8qHK3bZM9y/P10u3Vib8o/DdkvA2OtPtZvD871QKjy74Wj1WSKFILMPRPSdUSx5RFK1arlJzEtA4PkFgnbuA==} 188 | engines: {node: '>=18'} 189 | 190 | consola@3.2.3: 191 | resolution: {integrity: sha512-I5qxpzLv+sJhTVEoLYNcTW+bThDCPsit0vLNKShZx6rLtpilNpmmeTPaeqJb9ZE9dV3DGaeby6Vuhrw38WjeyQ==} 192 | engines: {node: ^14.18.0 || >=16.10.0} 193 | 194 | core-js-pure@3.37.1: 195 | resolution: {integrity: sha512-J/r5JTHSmzTxbiYYrzXg9w1VpqrYt+gexenBE9pugeyhwPZTAEJddyiReJWsLO6uNQ8xJZFbod6XC7KKwatCiA==} 196 | 197 | cross-spawn@7.0.3: 198 | resolution: {integrity: sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==} 199 | engines: {node: '>= 8'} 200 | 201 | css-tree@2.3.1: 202 | resolution: {integrity: sha512-6Fv1DV/TYw//QF5IzQdqsNDjx/wc8TrMBZsqjL9eW01tWb7R7k/mq+/VXfJCl7SoD5emsJop9cOByJZfs8hYIw==} 203 | engines: {node: ^10 || ^12.20.0 || ^14.13.0 || >=15.0.0} 204 | 205 | dateformat@4.6.3: 206 | resolution: {integrity: sha512-2P0p0pFGzHS5EMnhdxQi7aJN+iMheud0UhG4dlE1DLAlvL8JHjJJTX/CSm4JXwV0Ka5nGk3zC5mcb5bUQUxxMA==} 207 | 208 | debug@4.3.5: 209 | resolution: {integrity: sha512-pt0bNEmneDIvdL1Xsd9oDQ/wrQRkXDT4AUWlNZNPKvW5x/jyO9VFXkJUP07vQ2upmw5PlaITaPKc31jK13V+jg==} 210 | engines: {node: '>=6.0'} 211 | peerDependencies: 212 | supports-color: '*' 213 | peerDependenciesMeta: 214 | supports-color: 215 | optional: true 216 | 217 | deep-extend@0.6.0: 218 | resolution: {integrity: sha512-LOHxIOaPYdHlJRtCQfDIVZtfw/ufM8+rVj649RIHzcm/vGwQRXFt6OPqIFWsm2XEMrNIEtWR64sY1LEKD2vAOA==} 219 | engines: {node: '>=4.0.0'} 220 | 221 | deepmerge@4.3.1: 222 | resolution: {integrity: sha512-3sUqbMEc77XqpdNO7FRyRog+eW3ph+GYCbj+rK+uYyRMuwsVy0rMiVtPn+QJlKFvWP/1PYpapqYn0Me2knFn+A==} 223 | engines: {node: '>=0.10.0'} 224 | 225 | eastasianwidth@0.2.0: 226 | resolution: {integrity: sha512-I88TYZWc9XiYHRQ4/3c5rjjfgkjhLyW2luGIheGERbNQ6OY7yTybanSpDXZa8y7VUP9YmDcYa+eyq4ca7iLqWA==} 227 | 228 | emoji-regex@10.3.0: 229 | resolution: {integrity: sha512-QpLs9D9v9kArv4lfDEgg1X/gN5XLnf/A6l9cs8SPZLRZR3ZkY9+kwIQTxm+fsSej5UMYGE8fdoaZVIBlqG0XTw==} 230 | 231 | emoji-regex@8.0.0: 232 | resolution: {integrity: sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==} 233 | 234 | emoji-regex@9.2.2: 235 | resolution: {integrity: sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg==} 236 | 237 | entities@3.0.1: 238 | resolution: {integrity: sha512-WiyBqoomrwMdFG1e0kqvASYfnlb0lp8M5o5Fw2OFq1hNZxxcNk8Ik0Xm7LxzBhuidnZB/UtBqVCgUz3kBOP51Q==} 239 | engines: {node: '>=0.12'} 240 | 241 | escalade@3.1.2: 242 | resolution: {integrity: sha512-ErCHMCae19vR8vQGe50xIsVomy19rg6gFu3+r3jkEO46suLMWBksvVyoGgQV+jOfl84ZSOSlmv6Gxa89PmTGmA==} 243 | engines: {node: '>=6'} 244 | 245 | escape-string-regexp@1.0.5: 246 | resolution: {integrity: sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==} 247 | engines: {node: '>=0.8.0'} 248 | 249 | esprima@4.0.1: 250 | resolution: {integrity: sha512-eGuFFw7Upda+g4p+QHvnW0RyTX/SVeJBDM/gCtMARO0cLuT2HcEKnTPvhjV6aGeqrCB/sbNop0Kszm0jsaWU4A==} 251 | engines: {node: '>=4'} 252 | hasBin: true 253 | 254 | eventemitter3@5.0.1: 255 | resolution: {integrity: sha512-GWkBvjiSZK87ELrYOSESUYeVIc9mvLLf/nXalMOS5dYrgZq9o5OVkbZAVM06CVxYsCwH9BDZFPlQTlPA1j4ahA==} 256 | 257 | execa@8.0.1: 258 | resolution: {integrity: sha512-VyhnebXciFV2DESc+p6B+y0LjSm0krU4OgJN44qFAhBY0TJ+1V61tYD2+wHusZ6F9n5K+vl8k0sTy7PEfV4qpg==} 259 | engines: {node: '>=16.17'} 260 | 261 | fast-deep-equal@3.1.3: 262 | resolution: {integrity: sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==} 263 | 264 | figures@3.2.0: 265 | resolution: {integrity: sha512-yaduQFRKLXYOGgEn6AZau90j3ggSOyiqXU0F9JZfeXYhNa+Jk4X+s45A2zg5jns87GAFa34BBm2kXw4XpNcbdg==} 266 | engines: {node: '>=8'} 267 | 268 | fill-range@7.1.1: 269 | resolution: {integrity: sha512-YsGpe3WHLK8ZYi4tWDg2Jy3ebRz2rXowDxnld4bkQB00cc/1Zw9AWnC0i9ztDJitivtQvaI9KaLyKrc+hBW0yg==} 270 | engines: {node: '>=8'} 271 | 272 | foreground-child@3.2.1: 273 | resolution: {integrity: sha512-PXUUyLqrR2XCWICfv6ukppP96sdFwWbNEnfEMt7jNsISjMsvaLNinAHNDYyvkyU+SZG2BTSbT5NjG+vZslfGTA==} 274 | engines: {node: '>=14'} 275 | 276 | fs-extra@11.2.0: 277 | resolution: {integrity: sha512-PmDi3uwK5nFuXh7XDTlVnS17xJS7vW36is2+w3xcv8SVxiB4NyATf4ctkVY5bkSjX0Y4nbvZCq1/EjtEyr9ktw==} 278 | engines: {node: '>=14.14'} 279 | 280 | get-caller-file@2.0.5: 281 | resolution: {integrity: sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==} 282 | engines: {node: 6.* || 8.* || >= 10.*} 283 | 284 | get-east-asian-width@1.2.0: 285 | resolution: {integrity: sha512-2nk+7SIVb14QrgXFHcm84tD4bKQz0RxPuMT8Ag5KPOq7J5fEmAg0UbXdTOSHqNuHSU28k55qnceesxXRZGzKWA==} 286 | engines: {node: '>=18'} 287 | 288 | get-stdin@9.0.0: 289 | resolution: {integrity: sha512-dVKBjfWisLAicarI2Sf+JuBE/DghV4UzNAVe9yhEJuzeREd3JhOTE9cUaJTeSa77fsbQUK3pcOpJfM59+VKZaA==} 290 | engines: {node: '>=12'} 291 | 292 | get-stream@8.0.1: 293 | resolution: {integrity: sha512-VaUJspBffn/LMCJVoMvSAdmscJyS1auj5Zulnn5UoYcY531UWmdwhRWkcGKnGU93m5HSXP9LP2usOryrBtQowA==} 294 | engines: {node: '>=16'} 295 | 296 | glob@10.3.16: 297 | resolution: {integrity: sha512-JDKXl1DiuuHJ6fVS2FXjownaavciiHNUU4mOvV/B793RLh05vZL1rcPnCSaOgv1hDT6RDlY7AB7ZUvFYAtPgAw==} 298 | engines: {node: '>=16 || 14 >=14.18'} 299 | hasBin: true 300 | 301 | graceful-fs@4.2.11: 302 | resolution: {integrity: sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ==} 303 | 304 | has-flag@4.0.0: 305 | resolution: {integrity: sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==} 306 | engines: {node: '>=8'} 307 | 308 | human-signals@5.0.0: 309 | resolution: {integrity: sha512-AXcZb6vzzrFAUE61HnN4mpLqd/cSIwNQjtNWR0euPm6y0iqx3G4gOXaIDdtdDwZmhwe82LA6+zinmW4UBWVePQ==} 310 | engines: {node: '>=16.17.0'} 311 | 312 | husky@9.0.11: 313 | resolution: {integrity: sha512-AB6lFlbwwyIqMdHYhwPe+kjOC3Oc5P3nThEoW/AaO2BX3vJDjWPFxYLxokUZOo6RNX20He3AaT8sESs9NJcmEw==} 314 | engines: {node: '>=18'} 315 | hasBin: true 316 | 317 | ignore@5.2.4: 318 | resolution: {integrity: sha512-MAb38BcSbH0eHNBxn7ql2NH/kX33OkB3lZ1BNdh7ENeRChHTYsTvWrMubiIAMNS2llXEEgZ1MUOBtXChP3kaFQ==} 319 | engines: {node: '>= 4'} 320 | 321 | ignore@5.3.1: 322 | resolution: {integrity: sha512-5Fytz/IraMjqpwfd34ke28PTVMjZjJG2MPn5t7OE4eUCUNf8BAa7b5WUS9/Qvr6mwOQS7Mk6vdsMno5he+T8Xw==} 323 | engines: {node: '>= 4'} 324 | 325 | inflection@2.0.1: 326 | resolution: {integrity: sha512-wzkZHqpb4eGrOKBl34xy3umnYHx8Si5R1U4fwmdxLo5gdH6mEK8gclckTj/qWqy4Je0bsDYe/qazZYuO7xe3XQ==} 327 | engines: {node: '>=14.0.0'} 328 | 329 | ini@4.1.3: 330 | resolution: {integrity: sha512-X7rqawQBvfdjS10YU1y1YVreA3SsLrW9dX2CewP2EbBJM4ypVNLDkO5y04gejPwKIY9lR+7r9gn3rFPt/kmWFg==} 331 | engines: {node: ^14.17.0 || ^16.13.0 || >=18.0.0} 332 | 333 | is-fullwidth-code-point@3.0.0: 334 | resolution: {integrity: sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==} 335 | engines: {node: '>=8'} 336 | 337 | is-fullwidth-code-point@4.0.0: 338 | resolution: {integrity: sha512-O4L094N2/dZ7xqVdrXhh9r1KODPJpFms8B5sGdJLPy664AgvXsreZUyCQQNItZRDlYug4xStLjNp/sz3HvBowQ==} 339 | engines: {node: '>=12'} 340 | 341 | is-fullwidth-code-point@5.0.0: 342 | resolution: {integrity: sha512-OVa3u9kkBbw7b8Xw5F9P+D/T9X+Z4+JruYVNapTjPYZYUznQ5YfWeFkOj606XYYW8yugTfC8Pj0hYqvi4ryAhA==} 343 | engines: {node: '>=18'} 344 | 345 | is-number@7.0.0: 346 | resolution: {integrity: sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==} 347 | engines: {node: '>=0.12.0'} 348 | 349 | is-plain-object@2.0.4: 350 | resolution: {integrity: sha512-h5PpgXkWitc38BBMYawTYMWJHFZJVnBquFE57xFpjB8pJFiF6gZ+bU+WyI/yqXiFR5mdLsgYNaPe8uao6Uv9Og==} 351 | engines: {node: '>=0.10.0'} 352 | 353 | is-stream@3.0.0: 354 | resolution: {integrity: sha512-LnQR4bZ9IADDRSkvpqMGvt/tEJWclzklNgSw48V5EAaAeDd6qGvN8ei6k5p0tvxSR171VmGyHuTiAOfxAbr8kA==} 355 | engines: {node: ^12.20.0 || ^14.13.1 || >=16.0.0} 356 | 357 | isexe@2.0.0: 358 | resolution: {integrity: sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==} 359 | 360 | isobject@3.0.1: 361 | resolution: {integrity: sha512-WhB9zCku7EGTj/HQQRz5aUQEUeoQZH2bWcltRErOpymJ4boYE6wL9Tbr23krRPSZ+C5zqNSrSw+Cc7sZZ4b7vg==} 362 | engines: {node: '>=0.10.0'} 363 | 364 | jackspeak@3.4.3: 365 | resolution: {integrity: sha512-OGlZQpz2yfahA/Rd1Y8Cd9SIEsqvXkLVoSw/cgwhnhFMDbsQFeZYoJJ7bIZBS9BcamUW96asq/npPWugM+RQBw==} 366 | 367 | js-yaml@3.14.1: 368 | resolution: {integrity: sha512-okMH7OXXJ7YrN9Ok3/SXrnu4iX9yOk+25nqX4imS2npuvTYDmo/QEZoqwZkYaIDk3jVvBOTOIEgEhaLOynBS9g==} 369 | hasBin: true 370 | 371 | js-yaml@4.1.0: 372 | resolution: {integrity: sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==} 373 | hasBin: true 374 | 375 | json5@2.2.3: 376 | resolution: {integrity: sha512-XmOWe7eyHYH14cLdVPoyg+GOH3rYX++KpzrylJwSW98t3Nk+U8XOl8FWKOgwtzdb8lXGf6zYwDUzeHMWfxasyg==} 377 | engines: {node: '>=6'} 378 | hasBin: true 379 | 380 | jsonc-parser@3.2.1: 381 | resolution: {integrity: sha512-AilxAyFOAcK5wA1+LeaySVBrHsGQvUFCDWXKpZjzaL0PqW+xfBOttn8GNtWKFWqneyMZj41MWF9Kl6iPWLwgOA==} 382 | 383 | jsonfile@6.1.0: 384 | resolution: {integrity: sha512-5dgndWOriYSm5cnYaJNhalLNDKOqFwyDB/rr1E9ZsGciGvKPs8R2xYGCacuf3z6K1YKDz182fd+fY3cn3pMqXQ==} 385 | 386 | kind-of@6.0.3: 387 | resolution: {integrity: sha512-dcS1ul+9tmeD95T+x28/ehLgd9mENa3LsvDTtzm3vyBEO7RPptvAD+t44WVXaUjTBRcrpFeFlC8WCruUR456hw==} 388 | engines: {node: '>=0.10.0'} 389 | 390 | lilconfig@3.1.2: 391 | resolution: {integrity: sha512-eop+wDAvpItUys0FWkHIKeC9ybYrTGbU41U5K7+bttZZeohvnY7M9dZ5kB21GNWiFT2q1OoPTvncPCgSOVO5ow==} 392 | engines: {node: '>=14'} 393 | 394 | linkify-it@4.0.1: 395 | resolution: {integrity: sha512-C7bfi1UZmoj8+PQx22XyeXCuBlokoyWQL5pWSP+EI6nzRylyThouddufc2c1NDIcP9k5agmN9fLpA7VNJfIiqw==} 396 | 397 | lint-staged@15.2.7: 398 | resolution: {integrity: sha512-+FdVbbCZ+yoh7E/RosSdqKJyUM2OEjTciH0TFNkawKgvFp1zbGlEC39RADg+xKBG1R4mhoH2j85myBQZ5wR+lw==} 399 | engines: {node: '>=18.12.0'} 400 | hasBin: true 401 | 402 | listr2@8.2.3: 403 | resolution: {integrity: sha512-Lllokma2mtoniUOS94CcOErHWAug5iu7HOmDrvWgpw8jyQH2fomgB+7lZS4HWZxytUuQwkGOwe49FvwVaA85Xw==} 404 | engines: {node: '>=18.0.0'} 405 | 406 | log-update@6.0.0: 407 | resolution: {integrity: sha512-niTvB4gqvtof056rRIrTZvjNYE4rCUzO6X/X+kYjd7WFxXeJ0NwEFnRxX6ehkvv3jTwrXnNdtAak5XYZuIyPFw==} 408 | engines: {node: '>=18'} 409 | 410 | lru-cache@10.4.3: 411 | resolution: {integrity: sha512-JNAzZcXrCt42VGLuYz0zfAzDfAvJWW6AfYlDBQyDV5DClI2m5sAmK+OIO7s59XfsRsWHp02jAJrRadPRGTt6SQ==} 412 | 413 | markdown-it@13.0.1: 414 | resolution: {integrity: sha512-lTlxriVoy2criHP0JKRhO2VDG9c2ypWCsT237eDiLqi09rmbKoUetyGHq2uOIRoRS//kfoJckS0eUzzkDR+k2Q==} 415 | hasBin: true 416 | 417 | markdown-it@13.0.2: 418 | resolution: {integrity: sha512-FtwnEuuK+2yVU7goGn/MJ0WBZMM9ZPgU9spqlFs7/A/pDIUNSOQZhUgOqYCficIuR2QaFnrt8LHqBWsbTAoI5w==} 419 | hasBin: true 420 | 421 | markdownlint-cli@0.37.0: 422 | resolution: {integrity: sha512-hNKAc0bWBBuVhJbSWbUhRzavstiB4o1jh3JeSpwC4/dt6eJ54lRfYHRxVdzVp4qGWBKbeE6Pg490PFEfrKjqSg==} 423 | engines: {node: '>=16'} 424 | hasBin: true 425 | 426 | markdownlint-micromark@0.1.7: 427 | resolution: {integrity: sha512-BbRPTC72fl5vlSKv37v/xIENSRDYL/7X/XoFzZ740FGEbs9vZerLrIkFRY0rv7slQKxDczToYuMmqQFN61fi4Q==} 428 | engines: {node: '>=16'} 429 | 430 | markdownlint@0.31.1: 431 | resolution: {integrity: sha512-CKMR2hgcIBrYlIUccDCOvi966PZ0kJExDrUi1R+oF9PvqQmCrTqjOsgIvf2403OmJ+CWomuzDoylr6KbuMyvHA==} 432 | engines: {node: '>=16'} 433 | 434 | markdownlint@0.32.1: 435 | resolution: {integrity: sha512-3sx9xpi4xlHlokGyHO9k0g3gJbNY4DI6oNEeEYq5gQ4W7UkiJ90VDAnuDl2U+yyXOUa6BX+0gf69ZlTUGIBp6A==} 436 | engines: {node: '>=18'} 437 | 438 | mdn-data@2.0.30: 439 | resolution: {integrity: sha512-GaqWWShW4kv/G9IEucWScBx9G1/vsFZZJUO+tD26M8J8z3Kw5RDQjaoZe03YAClgeS/SWPOcb4nkFBTEi5DUEA==} 440 | 441 | mdurl@1.0.1: 442 | resolution: {integrity: sha512-/sKlQJCBYVY9Ers9hqzKou4H6V5UWc/M59TH2dvkt+84itfnq7uFOMLpOiOS4ujvHP4etln18fmIxA5R5fll0g==} 443 | 444 | merge-stream@2.0.0: 445 | resolution: {integrity: sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w==} 446 | 447 | micromatch@4.0.7: 448 | resolution: {integrity: sha512-LPP/3KorzCwBxfeUuZmaR6bG2kdeHSbe0P2tY3FLRU4vYrjYz5hI4QZwV0njUx3jeuKe67YukQ1LSPZBKDqO/Q==} 449 | engines: {node: '>=8.6'} 450 | 451 | mimic-fn@2.1.0: 452 | resolution: {integrity: sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg==} 453 | engines: {node: '>=6'} 454 | 455 | mimic-fn@4.0.0: 456 | resolution: {integrity: sha512-vqiC06CuhBTUdZH+RYl8sFrL096vA45Ok5ISO6sE/Mr1jRbGH4Csnhi8f3wKVl7x8mO4Au7Ir9D3Oyv1VYMFJw==} 457 | engines: {node: '>=12'} 458 | 459 | minimatch@9.0.5: 460 | resolution: {integrity: sha512-G6T0ZX48xgozx7587koeX9Ys2NYy6Gmv//P89sEte9V9whIapMNF4idKxnW2QtCcLiTWlb/wfCabAtAFWhhBow==} 461 | engines: {node: '>=16 || 14 >=14.17'} 462 | 463 | minimist@1.2.8: 464 | resolution: {integrity: sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA==} 465 | 466 | minipass@7.1.2: 467 | resolution: {integrity: sha512-qOOzS1cBTWYF4BH8fVePDBOO9iptMnGUEZwNc/cMWnTV2nVLZ7VoNWEPHkYczZA0pdoA7dl6e7FL659nX9S2aw==} 468 | engines: {node: '>=16 || 14 >=14.17'} 469 | 470 | ms@2.1.2: 471 | resolution: {integrity: sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==} 472 | 473 | mute-stream@1.0.0: 474 | resolution: {integrity: sha512-avsJQhyd+680gKXyG/sQc0nXaC6rBkPOfyHYcFb9+hdkqQkR9bdnkJ0AMZhke0oesPqIO+mFFJ+IdBc7mst4IA==} 475 | engines: {node: ^14.17.0 || ^16.13.0 || >=18.0.0} 476 | 477 | node-fetch@2.7.0: 478 | resolution: {integrity: sha512-c4FRfUm/dbcWZ7U+1Wq0AwCyFL+3nt2bEw05wfxSz+DWpWsitgmSgYmy2dQdWyKC1694ELPqMs/YzUSNozLt8A==} 479 | engines: {node: 4.x || >=6.0.0} 480 | peerDependencies: 481 | encoding: ^0.1.0 482 | peerDependenciesMeta: 483 | encoding: 484 | optional: true 485 | 486 | npm-run-path@5.3.0: 487 | resolution: {integrity: sha512-ppwTtiJZq0O/ai0z7yfudtBpWIoxM8yE6nHi1X47eFR2EWORqfbu6CnPlNsjeN683eT0qG6H/Pyf9fCcvjnnnQ==} 488 | engines: {node: ^12.20.0 || ^14.13.1 || >=16.0.0} 489 | 490 | onetime@5.1.2: 491 | resolution: {integrity: sha512-kbpaSSGJTWdAY5KPVeMOKXSrPtr8C8C7wodJbcsd51jRnmD+GZu8Y0VoU6Dm5Z4vWr0Ig/1NKuWRKf7j5aaYSg==} 492 | engines: {node: '>=6'} 493 | 494 | onetime@6.0.0: 495 | resolution: {integrity: sha512-1FlR+gjXK7X+AsAHso35MnyN5KqGwJRi/31ft6x0M194ht7S+rWAvd7PHss9xSKMzE0asv1pyIHaJYq+BbacAQ==} 496 | engines: {node: '>=12'} 497 | 498 | path-key@3.1.1: 499 | resolution: {integrity: sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==} 500 | engines: {node: '>=8'} 501 | 502 | path-key@4.0.0: 503 | resolution: {integrity: sha512-haREypq7xkM7ErfgIyA0z+Bj4AGKlMSdlQE2jvJo6huWD1EdkKYV+G/T4nq0YEF2vgTT8kqMFKo1uHn950r4SQ==} 504 | engines: {node: '>=12'} 505 | 506 | path-scurry@1.11.1: 507 | resolution: {integrity: sha512-Xa4Nw17FS9ApQFJ9umLiJS4orGjm7ZzwUrwamcGQuHSzDyth9boKDaycYdDcZDuqYATXw4HFXgaqWTctW/v1HA==} 508 | engines: {node: '>=16 || 14 >=14.18'} 509 | 510 | picomatch@2.3.1: 511 | resolution: {integrity: sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==} 512 | engines: {node: '>=8.6'} 513 | 514 | pidtree@0.6.0: 515 | resolution: {integrity: sha512-eG2dWTVw5bzqGRztnHExczNxt5VGsE6OwTeCG3fdUf9KBsZzO3R5OIIIzWR+iZA0NtZ+RDVdaoE2dK1cn6jH4g==} 516 | engines: {node: '>=0.10'} 517 | hasBin: true 518 | 519 | regenerator-runtime@0.14.1: 520 | resolution: {integrity: sha512-dYnhHh0nJoMfnkZs6GmmhFknAGRrLznOu5nc9ML+EJxGvrx6H7teuevqVqCuPcPK//3eDrrjQhehXVx9cnkGdw==} 521 | 522 | require-directory@2.1.1: 523 | resolution: {integrity: sha512-fGxEI7+wsG9xrvdjsrlmL22OMTTiHRwAMroiEeMgq8gzoLC/PQr7RsRDSTLUg/bZAZtF+TVIkHc6/4RIKrui+Q==} 524 | engines: {node: '>=0.10.0'} 525 | 526 | restore-cursor@4.0.0: 527 | resolution: {integrity: sha512-I9fPXU9geO9bHOt9pHHOhOkYerIMsmVaWB0rA2AI9ERh/+x/i7MV5HKBNrg+ljO5eoPVgCcnFuRjJ9uH6I/3eg==} 528 | engines: {node: ^12.20.0 || ^14.13.1 || >=16.0.0} 529 | 530 | rfdc@1.4.1: 531 | resolution: {integrity: sha512-q1b3N5QkRUWUl7iyylaaj3kOpIT0N2i9MqIEQXP73GVsN9cw3fdx8X63cEmWhJGi2PPCF23Ijp7ktmd39rawIA==} 532 | 533 | run-async@3.0.0: 534 | resolution: {integrity: sha512-540WwVDOMxA6dN6We19EcT9sc3hkXPw5mzRNGM3FkdN/vtE9NFvj5lFAPNwUDmJjXidm3v7TC1cTE7t17Ulm1Q==} 535 | engines: {node: '>=0.12.0'} 536 | 537 | run-con@1.3.2: 538 | resolution: {integrity: sha512-CcfE+mYiTcKEzg0IqS08+efdnH0oJ3zV0wSUFBNrMHMuxCtXvBCLzCJHatwuXDcu/RlhjTziTo/a1ruQik6/Yg==} 539 | hasBin: true 540 | 541 | semver@7.6.2: 542 | resolution: {integrity: sha512-FNAIBWCx9qcRhoHcgcJ0gvU7SN1lYU2ZXuSfl04bSC5OpvDHFyJCjdNHomPXxjQlCBU67YW64PzY7/VIEH7F2w==} 543 | engines: {node: '>=10'} 544 | hasBin: true 545 | 546 | shallow-clone@3.0.1: 547 | resolution: {integrity: sha512-/6KqX+GVUdqPuPPd2LxDDxzX6CAbjJehAAOKlNpqqUpAqPM6HeL8f+o3a+JsyGjn2lv0WY8UsTgUJjU9Ok55NA==} 548 | engines: {node: '>=8'} 549 | 550 | shebang-command@2.0.0: 551 | resolution: {integrity: sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==} 552 | engines: {node: '>=8'} 553 | 554 | shebang-regex@3.0.0: 555 | resolution: {integrity: sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==} 556 | engines: {node: '>=8'} 557 | 558 | signal-exit@3.0.7: 559 | resolution: {integrity: sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ==} 560 | 561 | signal-exit@4.1.0: 562 | resolution: {integrity: sha512-bzyZ1e88w9O1iNJbKnOlvYTrWPDl46O1bG0D3XInv+9tkPrxrN8jUUTiFlDkkmKWgn1M6CfIA13SuGqOa9Korw==} 563 | engines: {node: '>=14'} 564 | 565 | slice-ansi@5.0.0: 566 | resolution: {integrity: sha512-FC+lgizVPfie0kkhqUScwRu1O/lF6NOgJmlCgK+/LYxDCTk8sGelYaHDhFcDN+Sn3Cv+3VSa4Byeo+IMCzpMgQ==} 567 | engines: {node: '>=12'} 568 | 569 | slice-ansi@7.1.0: 570 | resolution: {integrity: sha512-bSiSngZ/jWeX93BqeIAbImyTbEihizcwNjFoRUIY/T1wWQsfsm2Vw1agPKylXvQTU7iASGdHhyqRlqQzfz+Htg==} 571 | engines: {node: '>=18'} 572 | 573 | source-map-js@1.2.0: 574 | resolution: {integrity: sha512-itJW8lvSA0TXEphiRoawsCksnlf8SyvmFzIhltqAHluXd88pkCd+cXJVHTDwdCr0IzwptSm035IHQktUu1QUMg==} 575 | engines: {node: '>=0.10.0'} 576 | 577 | sprintf-js@1.0.3: 578 | resolution: {integrity: sha512-D9cPgkvLlV3t3IzL0D0YLvGA9Ahk4PcvVwUbN0dSGr1aP0Nrt4AEnTUbuGvquEC0mA64Gqt1fzirlRs5ibXx8g==} 579 | 580 | string-argv@0.3.2: 581 | resolution: {integrity: sha512-aqD2Q0144Z+/RqG52NeHEkZauTAUWJO8c6yTftGJKO3Tja5tUgIfmIl6kExvhtxSDP7fXB6DvzkfMpCd/F3G+Q==} 582 | engines: {node: '>=0.6.19'} 583 | 584 | string-width@4.2.3: 585 | resolution: {integrity: sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==} 586 | engines: {node: '>=8'} 587 | 588 | string-width@5.1.2: 589 | resolution: {integrity: sha512-HnLOCR3vjcY8beoNLtcjZ5/nxn2afmME6lhrDrebokqMap+XbeW8n9TXpPDOqdGK5qcI3oT0GKTW6wC7EMiVqA==} 590 | engines: {node: '>=12'} 591 | 592 | string-width@7.2.0: 593 | resolution: {integrity: sha512-tsaTIkKW9b4N+AEj+SVA+WhJzV7/zMhcSu78mLKWSk7cXMOSHsBKFWUs0fWwq8QyK3MgJBQRX6Gbi4kYbdvGkQ==} 594 | engines: {node: '>=18'} 595 | 596 | strip-ansi@6.0.1: 597 | resolution: {integrity: sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==} 598 | engines: {node: '>=8'} 599 | 600 | strip-ansi@7.1.0: 601 | resolution: {integrity: sha512-iq6eVVI64nQQTRYq2KtEg2d2uU7LElhTJwsH4YzIHZshxlgZms/wIc4VoDQTlG/IvVIrBKG06CrZnp0qv7hkcQ==} 602 | engines: {node: '>=12'} 603 | 604 | strip-final-newline@3.0.0: 605 | resolution: {integrity: sha512-dOESqjYr96iWYylGObzd39EuNTa5VJxyvVAEm5Jnh7KGo75V43Hk1odPQkNDyXNmUR6k+gEiDVXnjB8HJ3crXw==} 606 | engines: {node: '>=12'} 607 | 608 | strip-json-comments@3.1.1: 609 | resolution: {integrity: sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==} 610 | engines: {node: '>=8'} 611 | 612 | superstruct@1.0.4: 613 | resolution: {integrity: sha512-7JpaAoX2NGyoFlI9NBh66BQXGONc+uE+MRS5i2iOBKuS4e+ccgMDjATgZldkah+33DakBxDHiss9kvUcGAO8UQ==} 614 | engines: {node: '>=14.0.0'} 615 | 616 | supports-color@7.2.0: 617 | resolution: {integrity: sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==} 618 | engines: {node: '>=8'} 619 | 620 | supports-hyperlinks@2.3.0: 621 | resolution: {integrity: sha512-RpsAZlpWcDwOPQA22aCH4J0t7L8JmAvsCxfOSEwm7cQs3LshN36QaTkwd70DnBOXDWGssw2eUoc8CaRWT0XunA==} 622 | engines: {node: '>=8'} 623 | 624 | terminal-link@2.1.1: 625 | resolution: {integrity: sha512-un0FmiRUQNr5PJqy9kP7c40F5BOfpGlYTrxonDChEZB7pzZxRNp/bt+ymiy9/npwXya9KH99nJ/GXFIiUkYGFQ==} 626 | engines: {node: '>=8'} 627 | 628 | text-table@0.2.0: 629 | resolution: {integrity: sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw==} 630 | 631 | tldts-core@5.7.112: 632 | resolution: {integrity: sha512-mutrEUgG2sp0e/MIAnv9TbSLR0IPbvmAImpzqul5O/HJ2XM1/I1sajchQ/fbj0fPdA31IiuWde8EUhfwyldY1Q==} 633 | 634 | tldts-core@6.1.40: 635 | resolution: {integrity: sha512-csGlF+5GtK0qDvkqhZHbMflIvvMqs7JS3Y3KMrfBuhDAjI+oqH90p4KYMeiCPVF7akTeNoLgFaQ+aPZcGBc1kg==} 636 | 637 | tldts@5.7.112: 638 | resolution: {integrity: sha512-6VSJ/C0uBtc2PQlLsp4IT8MIk2UUh6qVeXB1HZtK+0HiXlAPzNcfF3p2WM9RqCO/2X1PIa4danlBLPoC2/Tc7A==} 639 | hasBin: true 640 | 641 | tldts@6.1.40: 642 | resolution: {integrity: sha512-SAvDKQxzqoi2gaC14XdC1egLtBqcCnYTe/hKM07FMXSTKw4Tti3fRDcZopWJGAhXK0H6LfuM0QWwZhECUvLKTg==} 643 | hasBin: true 644 | 645 | to-regex-range@5.0.1: 646 | resolution: {integrity: sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==} 647 | engines: {node: '>=8.0'} 648 | 649 | tr46@0.0.3: 650 | resolution: {integrity: sha512-N3WMsuqV66lT30CrXNbEjx4GEwlow3v6rr4mCcv6prnfwhS01rkgyFdjPNBYd9br7LpXV1+Emh01fHnq2Gdgrw==} 651 | 652 | type-fest@0.21.3: 653 | resolution: {integrity: sha512-t0rzBq87m3fVcduHDUFhKmyyX+9eo6WQjZvf51Ea/M0Q7+T374Jp1aUiyUl0GKxp8M/OETVHSDvmkyPgvX+X2w==} 654 | engines: {node: '>=10'} 655 | 656 | uc.micro@1.0.6: 657 | resolution: {integrity: sha512-8Y75pvTYkLJW2hWQHXxoqRgV7qb9B+9vFEtidML+7koHUFapnVJAZ6cKs+Qjz5Aw3aZWHMC6u0wJE3At+nSGwA==} 658 | 659 | undici-types@5.26.5: 660 | resolution: {integrity: sha512-JlCMO+ehdEIKqlFxk6IfVoAUVmgz7cU7zD/h9XZ0qzeosSHmUJVOzSQvvYSYWXkFXC+IfLKSIffhv0sVZup6pA==} 661 | 662 | universalify@2.0.1: 663 | resolution: {integrity: sha512-gptHNQghINnc/vTGIk0SOFGFNXw7JVrlRUtConJRlvaw6DuX0wO5Jeko9sWrMBhh+PsYAZ7oXAiOnf/UKogyiw==} 664 | engines: {node: '>= 10.0.0'} 665 | 666 | webidl-conversions@3.0.1: 667 | resolution: {integrity: sha512-2JAn3z8AR6rjK8Sm8orRC0h/bcl/DqL7tRPdGZ4I1CjdF+EaMLmYxBHyXuKL849eucPFhvBoxMsflfOb8kxaeQ==} 668 | 669 | whatwg-url@5.0.0: 670 | resolution: {integrity: sha512-saE57nupxk6v3HY35+jzBwYa0rKSy0XR8JSxZPwgLr7ys0IBzhGviA1/TUGJLmSVqs8pb9AnvICXEuOHLprYTw==} 671 | 672 | which@2.0.2: 673 | resolution: {integrity: sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==} 674 | engines: {node: '>= 8'} 675 | hasBin: true 676 | 677 | wrap-ansi@6.2.0: 678 | resolution: {integrity: sha512-r6lPcBGxZXlIcymEu7InxDMhdW0KDxpLgoFLcguasxCaJ/SOIZwINatK9KY/tf+ZrlywOKU0UDj3ATXUBfxJXA==} 679 | engines: {node: '>=8'} 680 | 681 | wrap-ansi@7.0.0: 682 | resolution: {integrity: sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==} 683 | engines: {node: '>=10'} 684 | 685 | wrap-ansi@8.1.0: 686 | resolution: {integrity: sha512-si7QWI6zUMq56bESFvagtmzMdGOtoxfR+Sez11Mobfc7tm+VkUckk9bW2UeffTGVUbOksxmSw0AA2gs8g71NCQ==} 687 | engines: {node: '>=12'} 688 | 689 | wrap-ansi@9.0.0: 690 | resolution: {integrity: sha512-G8ura3S+3Z2G+mkgNRq8dqaFZAuxfsxpBB8OCTGRTCtp+l/v9nbFNmCUP1BZMts3G1142MsZfn6eeUKrr4PD1Q==} 691 | engines: {node: '>=18'} 692 | 693 | xregexp@5.1.1: 694 | resolution: {integrity: sha512-fKXeVorD+CzWvFs7VBuKTYIW63YD1e1osxwQ8caZ6o1jg6pDAbABDG54LCIq0j5cy7PjRvGIq6sef9DYPXpncg==} 695 | 696 | y18n@5.0.8: 697 | resolution: {integrity: sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA==} 698 | engines: {node: '>=10'} 699 | 700 | yaml@2.4.5: 701 | resolution: {integrity: sha512-aBx2bnqDzVOyNKfsysjA2ms5ZlnjSAW2eG3/L5G/CSujfjLJTJsEw1bGw8kCf04KodQWk1pxlGnZ56CRxiawmg==} 702 | engines: {node: '>= 14'} 703 | hasBin: true 704 | 705 | yargs-parser@21.1.1: 706 | resolution: {integrity: sha512-tVpsJW7DdjecAiFpbIB1e3qxIQsE6NoPc5/eTdrbbIC4h0LVsWhnoa3g+m2HclBIujHzsxZ4VJVA+GUuc2/LBw==} 707 | engines: {node: '>=12'} 708 | 709 | yargs@17.7.2: 710 | resolution: {integrity: sha512-7dSzzRQ++CKnNI/krKnYRV7JKKPUXMEh61soaHKg9mrWEhzFWhFnxPxGl+69cD1Ou63C13NUPCnmIcrvqCuM6w==} 711 | engines: {node: '>=12'} 712 | 713 | snapshots: 714 | 715 | '@adguard/aglint@2.0.9': 716 | dependencies: 717 | '@adguard/agtree': 1.1.8 718 | '@inquirer/checkbox': 1.5.2 719 | '@inquirer/select': 1.3.3 720 | chalk: 4.1.2 721 | clone-deep: 4.0.1 722 | commander: 11.1.0 723 | deepmerge: 4.3.1 724 | fast-deep-equal: 3.1.3 725 | fs-extra: 11.2.0 726 | ignore: 5.3.1 727 | inflection: 2.0.1 728 | js-yaml: 4.1.0 729 | strip-ansi: 6.0.1 730 | superstruct: 1.0.4 731 | terminal-link: 2.1.1 732 | text-table: 0.2.0 733 | 734 | '@adguard/agtree@1.1.8': 735 | dependencies: 736 | '@adguard/ecss-tree': 1.0.8 737 | '@adguard/scriptlets': 1.11.6 738 | clone-deep: 4.0.1 739 | json5: 2.2.3 740 | semver: 7.6.2 741 | tldts: 5.7.112 742 | xregexp: 5.1.1 743 | 744 | '@adguard/dead-domains-linter@1.0.19': 745 | dependencies: 746 | '@adguard/agtree': 1.1.8 747 | consola: 3.2.3 748 | glob: 10.3.16 749 | node-fetch: 2.7.0 750 | tldts: 6.1.40 751 | yargs: 17.7.2 752 | transitivePeerDependencies: 753 | - encoding 754 | 755 | '@adguard/ecss-tree@1.0.8': 756 | dependencies: 757 | css-tree: 2.3.1 758 | 759 | '@adguard/scriptlets@1.11.6': 760 | dependencies: 761 | '@babel/runtime': 7.24.7 762 | js-yaml: 3.14.1 763 | 764 | '@babel/runtime-corejs3@7.24.7': 765 | dependencies: 766 | core-js-pure: 3.37.1 767 | regenerator-runtime: 0.14.1 768 | 769 | '@babel/runtime@7.24.7': 770 | dependencies: 771 | regenerator-runtime: 0.14.1 772 | 773 | '@inquirer/checkbox@1.5.2': 774 | dependencies: 775 | '@inquirer/core': 6.0.0 776 | '@inquirer/type': 1.4.0 777 | ansi-escapes: 4.3.2 778 | chalk: 4.1.2 779 | figures: 3.2.0 780 | 781 | '@inquirer/core@6.0.0': 782 | dependencies: 783 | '@inquirer/type': 1.4.0 784 | '@types/mute-stream': 0.0.4 785 | '@types/node': 20.14.10 786 | '@types/wrap-ansi': 3.0.0 787 | ansi-escapes: 4.3.2 788 | chalk: 4.1.2 789 | cli-spinners: 2.9.2 790 | cli-width: 4.1.0 791 | figures: 3.2.0 792 | mute-stream: 1.0.0 793 | run-async: 3.0.0 794 | signal-exit: 4.1.0 795 | strip-ansi: 6.0.1 796 | wrap-ansi: 6.2.0 797 | 798 | '@inquirer/select@1.3.3': 799 | dependencies: 800 | '@inquirer/core': 6.0.0 801 | '@inquirer/type': 1.4.0 802 | ansi-escapes: 4.3.2 803 | chalk: 4.1.2 804 | figures: 3.2.0 805 | 806 | '@inquirer/type@1.4.0': 807 | dependencies: 808 | mute-stream: 1.0.0 809 | 810 | '@isaacs/cliui@8.0.2': 811 | dependencies: 812 | string-width: 5.1.2 813 | string-width-cjs: string-width@4.2.3 814 | strip-ansi: 7.1.0 815 | strip-ansi-cjs: strip-ansi@6.0.1 816 | wrap-ansi: 8.1.0 817 | wrap-ansi-cjs: wrap-ansi@7.0.0 818 | 819 | '@pkgjs/parseargs@0.11.0': 820 | optional: true 821 | 822 | '@types/mute-stream@0.0.4': 823 | dependencies: 824 | '@types/node': 20.14.10 825 | 826 | '@types/node@20.14.10': 827 | dependencies: 828 | undici-types: 5.26.5 829 | 830 | '@types/wrap-ansi@3.0.0': {} 831 | 832 | ansi-escapes@4.3.2: 833 | dependencies: 834 | type-fest: 0.21.3 835 | 836 | ansi-escapes@6.2.1: {} 837 | 838 | ansi-regex@5.0.1: {} 839 | 840 | ansi-regex@6.0.1: {} 841 | 842 | ansi-styles@4.3.0: 843 | dependencies: 844 | color-convert: 2.0.1 845 | 846 | ansi-styles@6.2.1: {} 847 | 848 | argparse@1.0.10: 849 | dependencies: 850 | sprintf-js: 1.0.3 851 | 852 | argparse@2.0.1: {} 853 | 854 | balanced-match@1.0.2: {} 855 | 856 | brace-expansion@2.0.1: 857 | dependencies: 858 | balanced-match: 1.0.2 859 | 860 | braces@3.0.3: 861 | dependencies: 862 | fill-range: 7.1.1 863 | 864 | chalk@4.1.2: 865 | dependencies: 866 | ansi-styles: 4.3.0 867 | supports-color: 7.2.0 868 | 869 | chalk@5.3.0: {} 870 | 871 | cli-cursor@4.0.0: 872 | dependencies: 873 | restore-cursor: 4.0.0 874 | 875 | cli-spinners@2.9.2: {} 876 | 877 | cli-truncate@4.0.0: 878 | dependencies: 879 | slice-ansi: 5.0.0 880 | string-width: 7.2.0 881 | 882 | cli-width@4.1.0: {} 883 | 884 | cliui@8.0.1: 885 | dependencies: 886 | string-width: 4.2.3 887 | strip-ansi: 6.0.1 888 | wrap-ansi: 7.0.0 889 | 890 | clone-deep@4.0.1: 891 | dependencies: 892 | is-plain-object: 2.0.4 893 | kind-of: 6.0.3 894 | shallow-clone: 3.0.1 895 | 896 | color-convert@2.0.1: 897 | dependencies: 898 | color-name: 1.1.4 899 | 900 | color-name@1.1.4: {} 901 | 902 | colorette@2.0.20: {} 903 | 904 | commander@11.0.0: {} 905 | 906 | commander@11.1.0: {} 907 | 908 | commander@12.1.0: {} 909 | 910 | consola@3.2.3: {} 911 | 912 | core-js-pure@3.37.1: {} 913 | 914 | cross-spawn@7.0.3: 915 | dependencies: 916 | path-key: 3.1.1 917 | shebang-command: 2.0.0 918 | which: 2.0.2 919 | 920 | css-tree@2.3.1: 921 | dependencies: 922 | mdn-data: 2.0.30 923 | source-map-js: 1.2.0 924 | 925 | dateformat@4.6.3: {} 926 | 927 | debug@4.3.5: 928 | dependencies: 929 | ms: 2.1.2 930 | 931 | deep-extend@0.6.0: {} 932 | 933 | deepmerge@4.3.1: {} 934 | 935 | eastasianwidth@0.2.0: {} 936 | 937 | emoji-regex@10.3.0: {} 938 | 939 | emoji-regex@8.0.0: {} 940 | 941 | emoji-regex@9.2.2: {} 942 | 943 | entities@3.0.1: {} 944 | 945 | escalade@3.1.2: {} 946 | 947 | escape-string-regexp@1.0.5: {} 948 | 949 | esprima@4.0.1: {} 950 | 951 | eventemitter3@5.0.1: {} 952 | 953 | execa@8.0.1: 954 | dependencies: 955 | cross-spawn: 7.0.3 956 | get-stream: 8.0.1 957 | human-signals: 5.0.0 958 | is-stream: 3.0.0 959 | merge-stream: 2.0.0 960 | npm-run-path: 5.3.0 961 | onetime: 6.0.0 962 | signal-exit: 4.1.0 963 | strip-final-newline: 3.0.0 964 | 965 | fast-deep-equal@3.1.3: {} 966 | 967 | figures@3.2.0: 968 | dependencies: 969 | escape-string-regexp: 1.0.5 970 | 971 | fill-range@7.1.1: 972 | dependencies: 973 | to-regex-range: 5.0.1 974 | 975 | foreground-child@3.2.1: 976 | dependencies: 977 | cross-spawn: 7.0.3 978 | signal-exit: 4.1.0 979 | 980 | fs-extra@11.2.0: 981 | dependencies: 982 | graceful-fs: 4.2.11 983 | jsonfile: 6.1.0 984 | universalify: 2.0.1 985 | 986 | get-caller-file@2.0.5: {} 987 | 988 | get-east-asian-width@1.2.0: {} 989 | 990 | get-stdin@9.0.0: {} 991 | 992 | get-stream@8.0.1: {} 993 | 994 | glob@10.3.16: 995 | dependencies: 996 | foreground-child: 3.2.1 997 | jackspeak: 3.4.3 998 | minimatch: 9.0.5 999 | minipass: 7.1.2 1000 | path-scurry: 1.11.1 1001 | 1002 | graceful-fs@4.2.11: {} 1003 | 1004 | has-flag@4.0.0: {} 1005 | 1006 | human-signals@5.0.0: {} 1007 | 1008 | husky@9.0.11: {} 1009 | 1010 | ignore@5.2.4: {} 1011 | 1012 | ignore@5.3.1: {} 1013 | 1014 | inflection@2.0.1: {} 1015 | 1016 | ini@4.1.3: {} 1017 | 1018 | is-fullwidth-code-point@3.0.0: {} 1019 | 1020 | is-fullwidth-code-point@4.0.0: {} 1021 | 1022 | is-fullwidth-code-point@5.0.0: 1023 | dependencies: 1024 | get-east-asian-width: 1.2.0 1025 | 1026 | is-number@7.0.0: {} 1027 | 1028 | is-plain-object@2.0.4: 1029 | dependencies: 1030 | isobject: 3.0.1 1031 | 1032 | is-stream@3.0.0: {} 1033 | 1034 | isexe@2.0.0: {} 1035 | 1036 | isobject@3.0.1: {} 1037 | 1038 | jackspeak@3.4.3: 1039 | dependencies: 1040 | '@isaacs/cliui': 8.0.2 1041 | optionalDependencies: 1042 | '@pkgjs/parseargs': 0.11.0 1043 | 1044 | js-yaml@3.14.1: 1045 | dependencies: 1046 | argparse: 1.0.10 1047 | esprima: 4.0.1 1048 | 1049 | js-yaml@4.1.0: 1050 | dependencies: 1051 | argparse: 2.0.1 1052 | 1053 | json5@2.2.3: {} 1054 | 1055 | jsonc-parser@3.2.1: {} 1056 | 1057 | jsonfile@6.1.0: 1058 | dependencies: 1059 | universalify: 2.0.1 1060 | optionalDependencies: 1061 | graceful-fs: 4.2.11 1062 | 1063 | kind-of@6.0.3: {} 1064 | 1065 | lilconfig@3.1.2: {} 1066 | 1067 | linkify-it@4.0.1: 1068 | dependencies: 1069 | uc.micro: 1.0.6 1070 | 1071 | lint-staged@15.2.7: 1072 | dependencies: 1073 | chalk: 5.3.0 1074 | commander: 12.1.0 1075 | debug: 4.3.5 1076 | execa: 8.0.1 1077 | lilconfig: 3.1.2 1078 | listr2: 8.2.3 1079 | micromatch: 4.0.7 1080 | pidtree: 0.6.0 1081 | string-argv: 0.3.2 1082 | yaml: 2.4.5 1083 | transitivePeerDependencies: 1084 | - supports-color 1085 | 1086 | listr2@8.2.3: 1087 | dependencies: 1088 | cli-truncate: 4.0.0 1089 | colorette: 2.0.20 1090 | eventemitter3: 5.0.1 1091 | log-update: 6.0.0 1092 | rfdc: 1.4.1 1093 | wrap-ansi: 9.0.0 1094 | 1095 | log-update@6.0.0: 1096 | dependencies: 1097 | ansi-escapes: 6.2.1 1098 | cli-cursor: 4.0.0 1099 | slice-ansi: 7.1.0 1100 | strip-ansi: 7.1.0 1101 | wrap-ansi: 9.0.0 1102 | 1103 | lru-cache@10.4.3: {} 1104 | 1105 | markdown-it@13.0.1: 1106 | dependencies: 1107 | argparse: 2.0.1 1108 | entities: 3.0.1 1109 | linkify-it: 4.0.1 1110 | mdurl: 1.0.1 1111 | uc.micro: 1.0.6 1112 | 1113 | markdown-it@13.0.2: 1114 | dependencies: 1115 | argparse: 2.0.1 1116 | entities: 3.0.1 1117 | linkify-it: 4.0.1 1118 | mdurl: 1.0.1 1119 | uc.micro: 1.0.6 1120 | 1121 | markdownlint-cli@0.37.0: 1122 | dependencies: 1123 | commander: 11.0.0 1124 | get-stdin: 9.0.0 1125 | glob: 10.3.16 1126 | ignore: 5.2.4 1127 | js-yaml: 4.1.0 1128 | jsonc-parser: 3.2.1 1129 | markdownlint: 0.31.1 1130 | minimatch: 9.0.5 1131 | run-con: 1.3.2 1132 | 1133 | markdownlint-micromark@0.1.7: {} 1134 | 1135 | markdownlint@0.31.1: 1136 | dependencies: 1137 | markdown-it: 13.0.1 1138 | markdownlint-micromark: 0.1.7 1139 | 1140 | markdownlint@0.32.1: 1141 | dependencies: 1142 | markdown-it: 13.0.2 1143 | markdownlint-micromark: 0.1.7 1144 | 1145 | mdn-data@2.0.30: {} 1146 | 1147 | mdurl@1.0.1: {} 1148 | 1149 | merge-stream@2.0.0: {} 1150 | 1151 | micromatch@4.0.7: 1152 | dependencies: 1153 | braces: 3.0.3 1154 | picomatch: 2.3.1 1155 | 1156 | mimic-fn@2.1.0: {} 1157 | 1158 | mimic-fn@4.0.0: {} 1159 | 1160 | minimatch@9.0.5: 1161 | dependencies: 1162 | brace-expansion: 2.0.1 1163 | 1164 | minimist@1.2.8: {} 1165 | 1166 | minipass@7.1.2: {} 1167 | 1168 | ms@2.1.2: {} 1169 | 1170 | mute-stream@1.0.0: {} 1171 | 1172 | node-fetch@2.7.0: 1173 | dependencies: 1174 | whatwg-url: 5.0.0 1175 | 1176 | npm-run-path@5.3.0: 1177 | dependencies: 1178 | path-key: 4.0.0 1179 | 1180 | onetime@5.1.2: 1181 | dependencies: 1182 | mimic-fn: 2.1.0 1183 | 1184 | onetime@6.0.0: 1185 | dependencies: 1186 | mimic-fn: 4.0.0 1187 | 1188 | path-key@3.1.1: {} 1189 | 1190 | path-key@4.0.0: {} 1191 | 1192 | path-scurry@1.11.1: 1193 | dependencies: 1194 | lru-cache: 10.4.3 1195 | minipass: 7.1.2 1196 | 1197 | picomatch@2.3.1: {} 1198 | 1199 | pidtree@0.6.0: {} 1200 | 1201 | regenerator-runtime@0.14.1: {} 1202 | 1203 | require-directory@2.1.1: {} 1204 | 1205 | restore-cursor@4.0.0: 1206 | dependencies: 1207 | onetime: 5.1.2 1208 | signal-exit: 3.0.7 1209 | 1210 | rfdc@1.4.1: {} 1211 | 1212 | run-async@3.0.0: {} 1213 | 1214 | run-con@1.3.2: 1215 | dependencies: 1216 | deep-extend: 0.6.0 1217 | ini: 4.1.3 1218 | minimist: 1.2.8 1219 | strip-json-comments: 3.1.1 1220 | 1221 | semver@7.6.2: {} 1222 | 1223 | shallow-clone@3.0.1: 1224 | dependencies: 1225 | kind-of: 6.0.3 1226 | 1227 | shebang-command@2.0.0: 1228 | dependencies: 1229 | shebang-regex: 3.0.0 1230 | 1231 | shebang-regex@3.0.0: {} 1232 | 1233 | signal-exit@3.0.7: {} 1234 | 1235 | signal-exit@4.1.0: {} 1236 | 1237 | slice-ansi@5.0.0: 1238 | dependencies: 1239 | ansi-styles: 6.2.1 1240 | is-fullwidth-code-point: 4.0.0 1241 | 1242 | slice-ansi@7.1.0: 1243 | dependencies: 1244 | ansi-styles: 6.2.1 1245 | is-fullwidth-code-point: 5.0.0 1246 | 1247 | source-map-js@1.2.0: {} 1248 | 1249 | sprintf-js@1.0.3: {} 1250 | 1251 | string-argv@0.3.2: {} 1252 | 1253 | string-width@4.2.3: 1254 | dependencies: 1255 | emoji-regex: 8.0.0 1256 | is-fullwidth-code-point: 3.0.0 1257 | strip-ansi: 6.0.1 1258 | 1259 | string-width@5.1.2: 1260 | dependencies: 1261 | eastasianwidth: 0.2.0 1262 | emoji-regex: 9.2.2 1263 | strip-ansi: 7.1.0 1264 | 1265 | string-width@7.2.0: 1266 | dependencies: 1267 | emoji-regex: 10.3.0 1268 | get-east-asian-width: 1.2.0 1269 | strip-ansi: 7.1.0 1270 | 1271 | strip-ansi@6.0.1: 1272 | dependencies: 1273 | ansi-regex: 5.0.1 1274 | 1275 | strip-ansi@7.1.0: 1276 | dependencies: 1277 | ansi-regex: 6.0.1 1278 | 1279 | strip-final-newline@3.0.0: {} 1280 | 1281 | strip-json-comments@3.1.1: {} 1282 | 1283 | superstruct@1.0.4: {} 1284 | 1285 | supports-color@7.2.0: 1286 | dependencies: 1287 | has-flag: 4.0.0 1288 | 1289 | supports-hyperlinks@2.3.0: 1290 | dependencies: 1291 | has-flag: 4.0.0 1292 | supports-color: 7.2.0 1293 | 1294 | terminal-link@2.1.1: 1295 | dependencies: 1296 | ansi-escapes: 4.3.2 1297 | supports-hyperlinks: 2.3.0 1298 | 1299 | text-table@0.2.0: {} 1300 | 1301 | tldts-core@5.7.112: {} 1302 | 1303 | tldts-core@6.1.40: {} 1304 | 1305 | tldts@5.7.112: 1306 | dependencies: 1307 | tldts-core: 5.7.112 1308 | 1309 | tldts@6.1.40: 1310 | dependencies: 1311 | tldts-core: 6.1.40 1312 | 1313 | to-regex-range@5.0.1: 1314 | dependencies: 1315 | is-number: 7.0.0 1316 | 1317 | tr46@0.0.3: {} 1318 | 1319 | type-fest@0.21.3: {} 1320 | 1321 | uc.micro@1.0.6: {} 1322 | 1323 | undici-types@5.26.5: {} 1324 | 1325 | universalify@2.0.1: {} 1326 | 1327 | webidl-conversions@3.0.1: {} 1328 | 1329 | whatwg-url@5.0.0: 1330 | dependencies: 1331 | tr46: 0.0.3 1332 | webidl-conversions: 3.0.1 1333 | 1334 | which@2.0.2: 1335 | dependencies: 1336 | isexe: 2.0.0 1337 | 1338 | wrap-ansi@6.2.0: 1339 | dependencies: 1340 | ansi-styles: 4.3.0 1341 | string-width: 4.2.3 1342 | strip-ansi: 6.0.1 1343 | 1344 | wrap-ansi@7.0.0: 1345 | dependencies: 1346 | ansi-styles: 4.3.0 1347 | string-width: 4.2.3 1348 | strip-ansi: 6.0.1 1349 | 1350 | wrap-ansi@8.1.0: 1351 | dependencies: 1352 | ansi-styles: 6.2.1 1353 | string-width: 5.1.2 1354 | strip-ansi: 7.1.0 1355 | 1356 | wrap-ansi@9.0.0: 1357 | dependencies: 1358 | ansi-styles: 6.2.1 1359 | string-width: 7.2.0 1360 | strip-ansi: 7.1.0 1361 | 1362 | xregexp@5.1.1: 1363 | dependencies: 1364 | '@babel/runtime-corejs3': 7.24.7 1365 | 1366 | y18n@5.0.8: {} 1367 | 1368 | yaml@2.4.5: {} 1369 | 1370 | yargs-parser@21.1.1: {} 1371 | 1372 | yargs@17.7.2: 1373 | dependencies: 1374 | cliui: 8.0.1 1375 | escalade: 3.1.2 1376 | get-caller-file: 2.0.5 1377 | require-directory: 2.1.1 1378 | string-width: 4.2.3 1379 | y18n: 5.0.8 1380 | yargs-parser: 21.1.1 1381 | --------------------------------------------------------------------------------