clean-web-scraper 2.0.0
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Potentially problematic release.
This version of clean-web-scraper might be problematic. Click here for more details.
- package/.github/workflows/npm.yml +19 -0
- package/README.md +83 -0
- package/eslint.config.cjs +64 -0
- package/example-usage.js +25 -0
- package/main.js +2 -0
- package/package.json +30 -0
- package/src/WebScraper.js +210 -0
- package/src/my-custom-output.jsonl +1 -0
@@ -0,0 +1,19 @@
|
|
1
|
+
name: Publish on NPM registry
|
2
|
+
|
3
|
+
on:
|
4
|
+
push:
|
5
|
+
branches: ['main']
|
6
|
+
|
7
|
+
jobs:
|
8
|
+
build:
|
9
|
+
runs-on: ubuntu-latest
|
10
|
+
steps:
|
11
|
+
- uses: actions/checkout@v2
|
12
|
+
- uses: actions/setup-node@v2
|
13
|
+
with:
|
14
|
+
node-version: 20.x
|
15
|
+
registry-url: https://registry.npmjs.org/
|
16
|
+
# - run: npm install
|
17
|
+
- run: npm publish --access public
|
18
|
+
env:
|
19
|
+
NODE_AUTH_TOKEN: ${{secrets.NPM_TOKEN}}
|
package/README.md
ADDED
@@ -0,0 +1,83 @@
|
|
1
|
+
# đ¸ď¸ Web Content Scraper
|
2
|
+
|
3
|
+
A powerful Node.js web scraper that extracts clean, readable content from websites while keeping everything nicely organized. Perfect for creating AI training datasets! đ¤
|
4
|
+
|
5
|
+
## ⨠Features
|
6
|
+
|
7
|
+
- đ Smart recursive web crawling of internal links
|
8
|
+
- đ Clean content extraction using Mozilla's Readability
|
9
|
+
- đ§š Smart content processing and cleaning
|
10
|
+
- đď¸ Maintains original URL structure in saved files
|
11
|
+
- đŤ Excludes unwanted paths from scraping
|
12
|
+
- đ Handles relative and absolute URLs like a pro
|
13
|
+
- đŻ No duplicate page visits
|
14
|
+
- đ Generates JSONL output file for ML training
|
15
|
+
- đ AI-friendly clean text output (perfect for LLM fine-tuning!)
|
16
|
+
|
17
|
+
## đ ď¸ Prerequisites
|
18
|
+
|
19
|
+
- Node.js (v18 or higher)
|
20
|
+
- npm
|
21
|
+
|
22
|
+
## đŚ Dependencies
|
23
|
+
|
24
|
+
- **axios** - HTTP requests master
|
25
|
+
- **jsdom** - DOM parsing wizard
|
26
|
+
- **@mozilla/readability** - Content extraction genius
|
27
|
+
|
28
|
+
## đ Installation
|
29
|
+
|
30
|
+
```bash
|
31
|
+
npm i clean-web-scraper
|
32
|
+
|
33
|
+
# OR
|
34
|
+
|
35
|
+
git clone https://github.com/mlibre/Clean-Web-Scraper
|
36
|
+
cd Clean-Web-Scraper
|
37
|
+
npm install
|
38
|
+
```
|
39
|
+
|
40
|
+
## đť Usage
|
41
|
+
|
42
|
+
```js
|
43
|
+
const WebScraper = require('clean-web-scraper');
|
44
|
+
|
45
|
+
const scraper = new WebScraper({
|
46
|
+
baseURL: 'https://example.com', // Required: The website to scrape
|
47
|
+
folderPath: './output', // Required: Where to save the content
|
48
|
+
excludeList: ['/admin', '/private'], // Optional: Paths to exclude
|
49
|
+
exactExcludeList: ['/specific-page'],// Optional: Exact URLs to exclude
|
50
|
+
jsonlPath: 'output.jsonl' // Optional: Custom JSONL output path
|
51
|
+
});
|
52
|
+
|
53
|
+
scraper.start();
|
54
|
+
```
|
55
|
+
|
56
|
+
```bash
|
57
|
+
node example-usage.js
|
58
|
+
```
|
59
|
+
|
60
|
+
## đ¤ Output
|
61
|
+
|
62
|
+
Your AI-ready content is saved in a clean, structured format:
|
63
|
+
|
64
|
+
- đ Base folder: ./folderPath/example.com/
|
65
|
+
- đ Files preserve original URL paths
|
66
|
+
- đ Pure text format, perfect for LLM training and fine-tuning
|
67
|
+
- đ¤ No HTML, no mess - just clean, structured text ready for AI consumption
|
68
|
+
- đ JSONL output for ML training
|
69
|
+
|
70
|
+
## đ¤ AI/LLM Training Ready
|
71
|
+
|
72
|
+
The output is specifically formatted for AI training purposes:
|
73
|
+
|
74
|
+
- Clean, processed text without HTML markup
|
75
|
+
- Consistent formatting across all documents
|
76
|
+
- Structured content perfect for fine-tuning LLMs
|
77
|
+
- Ready to use in your ML pipelines
|
78
|
+
|
79
|
+
## Standing with Palestine đľđ¸
|
80
|
+
|
81
|
+
This project supports Palestinian rights and stands in solidarity with Palestine. We believe in the importance of documenting and preserving Palestinian narratives, history, and struggles for justice and liberation.
|
82
|
+
|
83
|
+
Free Palestine đľđ¸
|
@@ -0,0 +1,64 @@
|
|
1
|
+
// eslint.config.cjs
|
2
|
+
|
3
|
+
module.exports = [
|
4
|
+
{
|
5
|
+
languageOptions: {
|
6
|
+
parserOptions: {
|
7
|
+
ecmaVersion: 13,
|
8
|
+
impliedStrict: true,
|
9
|
+
}
|
10
|
+
},
|
11
|
+
rules: {
|
12
|
+
"no-trailing-spaces": "error",
|
13
|
+
"linebreak-style": ["error", "unix"],
|
14
|
+
"quotes": ["error", "double"],
|
15
|
+
"one-var": ["error", "never"],
|
16
|
+
"brace-style": ["error", "allman", { allowSingleLine: true }],
|
17
|
+
"space-before-blocks": "warn",
|
18
|
+
"func-call-spacing": "error",
|
19
|
+
"space-before-function-paren": "error",
|
20
|
+
"space-in-parens": ["error", "always", { exceptions: ["{}"] }],
|
21
|
+
"keyword-spacing": "error",
|
22
|
+
"comma-spacing": "error",
|
23
|
+
"space-unary-ops": "error",
|
24
|
+
"block-spacing": "error",
|
25
|
+
"arrow-spacing": "error",
|
26
|
+
"key-spacing": "error",
|
27
|
+
"comma-style": "error",
|
28
|
+
"space-infix-ops": "error",
|
29
|
+
"array-bracket-spacing": "error",
|
30
|
+
"object-curly-spacing": ["error", "always"],
|
31
|
+
"no-multi-spaces": "error",
|
32
|
+
"operator-linebreak": "error",
|
33
|
+
"function-paren-newline": "warn",
|
34
|
+
"arrow-body-style": ["error", "always"],
|
35
|
+
"no-template-curly-in-string": "error",
|
36
|
+
"no-new-object": "error",
|
37
|
+
"no-extra-parens": ["error", "all", { conditionalAssign: false }],
|
38
|
+
"no-empty-function": "error",
|
39
|
+
"no-empty": ["warn", { allowEmptyCatch: true }],
|
40
|
+
"no-eq-null": "error",
|
41
|
+
"no-extra-bind": "error",
|
42
|
+
"no-self-compare": "error",
|
43
|
+
"no-useless-call": "error",
|
44
|
+
"no-undefined": "error",
|
45
|
+
"no-array-constructor": "error",
|
46
|
+
"prefer-destructuring": ["error",
|
47
|
+
{
|
48
|
+
VariableDeclarator: { array: false, object: true }, AssignmentExpression: { array: false, object: false } }, { enforceForRenamedProperties: false
|
49
|
+
}
|
50
|
+
],
|
51
|
+
"object-shorthand": "warn",
|
52
|
+
"prefer-spread": "warn",
|
53
|
+
"prefer-template": "warn",
|
54
|
+
"no-loop-func": "warn",
|
55
|
+
"prefer-rest-params": "warn",
|
56
|
+
"no-new-func": "warn",
|
57
|
+
"no-unneeded-ternary": "warn",
|
58
|
+
"no-process-exit": "off",
|
59
|
+
"require-await": "warn",
|
60
|
+
"indent": ["error", "tab", { MemberExpression: 0 }],
|
61
|
+
"no-tabs": 0,
|
62
|
+
},
|
63
|
+
},
|
64
|
+
];
|
package/example-usage.js
ADDED
@@ -0,0 +1,25 @@
|
|
1
|
+
const WebScraper = require( "./src/WebScraper" );
|
2
|
+
|
3
|
+
const baseURL = "https://decolonizepalestine.com";
|
4
|
+
const folderPath = "./dataset";
|
5
|
+
const excludeList = [
|
6
|
+
"https://decolonizepalestine.com/cdn-cgi",
|
7
|
+
"https://decolonizepalestine.com/introduction-to-palestine",
|
8
|
+
"https://decolonizepalestine.com/myths",
|
9
|
+
"https://decolonizepalestine.com/reading-list",
|
10
|
+
"https://decolonizepalestine.com/support-us"
|
11
|
+
];
|
12
|
+
const exactExcludeList = [
|
13
|
+
"https://decolonizepalestine.com/rainbow-washing",
|
14
|
+
"https://decolonizepalestine.com/"
|
15
|
+
]
|
16
|
+
|
17
|
+
|
18
|
+
const scraper = new WebScraper({
|
19
|
+
baseURL,
|
20
|
+
folderPath,
|
21
|
+
excludeList,
|
22
|
+
exactExcludeList,
|
23
|
+
jsonlPath: "my-custom-output.jsonl"
|
24
|
+
});
|
25
|
+
scraper.start();
|
package/main.js
ADDED
package/package.json
ADDED
@@ -0,0 +1,30 @@
|
|
1
|
+
{
|
2
|
+
"name": "clean-web-scraper",
|
3
|
+
"version": "2.0.0",
|
4
|
+
"main": "main.js",
|
5
|
+
"scripts": {
|
6
|
+
"start": "node main.js",
|
7
|
+
"test": "echo \"Error: no test specified\" && exit 1"
|
8
|
+
},
|
9
|
+
"keywords": [
|
10
|
+
"clean-web-scraper",
|
11
|
+
"web-scraper",
|
12
|
+
"scraper",
|
13
|
+
"scraper-js",
|
14
|
+
"scraper-js-library",
|
15
|
+
"web-scraper-js",
|
16
|
+
"ai-ready-web-scraper",
|
17
|
+
"ai",
|
18
|
+
"fine-tune",
|
19
|
+
"data-processing"
|
20
|
+
],
|
21
|
+
"author": "",
|
22
|
+
"license": "ISC",
|
23
|
+
"description": "",
|
24
|
+
"dependencies": {
|
25
|
+
"@mozilla/readability": "^0.5.0",
|
26
|
+
"axios": "^1.7.9",
|
27
|
+
"eslint": "^9.17.0",
|
28
|
+
"jsdom": "^26.0.0"
|
29
|
+
}
|
30
|
+
}
|
@@ -0,0 +1,210 @@
|
|
1
|
+
const axios = require( "axios" );
|
2
|
+
const jsdom = require( "jsdom" );
|
3
|
+
const { JSDOM } = jsdom;
|
4
|
+
const { Readability } = require( "@mozilla/readability" );
|
5
|
+
const fs = require( "fs" );
|
6
|
+
const path = require( "path" );
|
7
|
+
|
8
|
+
class WebScraper
|
9
|
+
{
|
10
|
+
constructor ({ baseURL, folderPath, excludeList, exactExcludeList, jsonlPath })
|
11
|
+
{
|
12
|
+
this.baseURL = baseURL;
|
13
|
+
this.jsonlPath = jsonlPath || "output.jsonl";
|
14
|
+
this.folderPath = path.join( folderPath, baseURL.replace( /^(https?:\/\/)?(www\.)?/, "" ).replace( /\/$/, "" ) );
|
15
|
+
this.visited = new Set();
|
16
|
+
this.excludeList = new Set( excludeList );
|
17
|
+
this.exactExcludeList = this.normalizeExcludeList( exactExcludeList );
|
18
|
+
this.createOutputDirectory();
|
19
|
+
}
|
20
|
+
|
21
|
+
async start ()
|
22
|
+
{
|
23
|
+
this.visited.add( this.baseURL );
|
24
|
+
await this.fetchPage( this.baseURL );
|
25
|
+
this.createJSONLFile();
|
26
|
+
}
|
27
|
+
|
28
|
+
async fetchPage ( url )
|
29
|
+
{
|
30
|
+
try
|
31
|
+
{
|
32
|
+
const { data } = await axios.get( url );
|
33
|
+
const dom = new JSDOM( data, { url });
|
34
|
+
|
35
|
+
// Only save if the URL is not excluded
|
36
|
+
if ( !this.isExcluded( url ) )
|
37
|
+
{
|
38
|
+
const reader = new Readability( dom.window.document, { charThreshold: 500, nbTopCandidates: 20 });
|
39
|
+
const article = reader.parse();
|
40
|
+
|
41
|
+
if ( article )
|
42
|
+
{
|
43
|
+
this.saveArticle( url, article.textContent );
|
44
|
+
}
|
45
|
+
else
|
46
|
+
{
|
47
|
+
console.error( `No readable content found at ${url}` );
|
48
|
+
}
|
49
|
+
}
|
50
|
+
|
51
|
+
const links = this.extractLinks( data );
|
52
|
+
for ( const link of links )
|
53
|
+
{
|
54
|
+
if ( !this.visited.has( link ) )
|
55
|
+
{
|
56
|
+
this.visited.add( link );
|
57
|
+
await this.fetchPage( link );
|
58
|
+
}
|
59
|
+
}
|
60
|
+
}
|
61
|
+
catch ( error )
|
62
|
+
{
|
63
|
+
console.error( `Error fetching ${url}:`, error.message );
|
64
|
+
}
|
65
|
+
}
|
66
|
+
|
67
|
+
extractLinks ( data )
|
68
|
+
{
|
69
|
+
const links = new Set();
|
70
|
+
const regex = /<a\s+(?:[^>]*?\s+)?href=("|')(.*?)\1/gi;
|
71
|
+
let match;
|
72
|
+
|
73
|
+
while ( ( match = regex.exec( data ) ) !== null )
|
74
|
+
{
|
75
|
+
let href = match[2];
|
76
|
+
if ( href.endsWith( "/" ) )
|
77
|
+
{
|
78
|
+
href = href.slice( 0, -1 );
|
79
|
+
}
|
80
|
+
if ( href.startsWith( this.baseURL ) )
|
81
|
+
{
|
82
|
+
links.add( href );
|
83
|
+
}
|
84
|
+
else if ( href.startsWith( "/" ) )
|
85
|
+
{
|
86
|
+
links.add( new URL( href, this.baseURL ).href );
|
87
|
+
}
|
88
|
+
}
|
89
|
+
|
90
|
+
return links;
|
91
|
+
}
|
92
|
+
|
93
|
+
saveArticle ( url, content )
|
94
|
+
{
|
95
|
+
const processedContent = this.processContent( content );
|
96
|
+
|
97
|
+
let urlPath = new URL( url ).pathname;
|
98
|
+
if ( urlPath === "/" )
|
99
|
+
{
|
100
|
+
urlPath = "/index";
|
101
|
+
}
|
102
|
+
const filePath = path.join( __dirname, this.folderPath, urlPath );
|
103
|
+
const dir = path.dirname( filePath );
|
104
|
+
|
105
|
+
// Create metadata object
|
106
|
+
const metadata = {
|
107
|
+
url,
|
108
|
+
dateScraped: new Date().toISOString(),
|
109
|
+
contentLength: processedContent.length,
|
110
|
+
fileName: `${path.basename( filePath )}.txt`
|
111
|
+
};
|
112
|
+
|
113
|
+
// Create directory if it doesn't exist
|
114
|
+
fs.mkdirSync( dir, { recursive: true });
|
115
|
+
|
116
|
+
// Save the text content
|
117
|
+
fs.writeFileSync( `${filePath}.txt`, processedContent, "utf-8" );
|
118
|
+
|
119
|
+
// Save the JSON metadata
|
120
|
+
fs.writeFileSync( `${filePath}.json`, JSON.stringify( metadata, null, 2 ), "utf-8" );
|
121
|
+
|
122
|
+
console.log( `Saved: ${filePath}.txt` );
|
123
|
+
console.log( `Saved: ${filePath}.json` );
|
124
|
+
}
|
125
|
+
|
126
|
+
createJSONLFile ()
|
127
|
+
{
|
128
|
+
const txtFiles = fs.readdirSync( path.join( __dirname, this.folderPath ) )
|
129
|
+
.filter( file => { return file.endsWith( ".txt" ) });
|
130
|
+
|
131
|
+
const writeStream = fs.createWriteStream( path.join( __dirname, this.jsonlPath ) );
|
132
|
+
|
133
|
+
for ( const file of txtFiles )
|
134
|
+
{
|
135
|
+
const content = fs.readFileSync(
|
136
|
+
path.join( __dirname, this.folderPath, file ),
|
137
|
+
"utf-8"
|
138
|
+
);
|
139
|
+
const jsonLine = `${JSON.stringify({ text: content.trim() }) }\n`;
|
140
|
+
writeStream.write( jsonLine );
|
141
|
+
}
|
142
|
+
|
143
|
+
writeStream.end();
|
144
|
+
console.log( `Created JSONL file at: ${this.jsonlPath}` );
|
145
|
+
}
|
146
|
+
|
147
|
+
processContent ( content )
|
148
|
+
{
|
149
|
+
let processed = content;
|
150
|
+
|
151
|
+
// Remove "[You can read more about this here]" and similar patterns
|
152
|
+
processed = processed.replace( /\[You can read more about this here\]/g, "" ).trim();
|
153
|
+
|
154
|
+
// Trim each line
|
155
|
+
processed = processed.split( "\n" )
|
156
|
+
.map( line => { return line.trim() })
|
157
|
+
.join( "\n" );
|
158
|
+
|
159
|
+
// Replace 3 or more newlines with a single newline
|
160
|
+
processed = processed.replace( /\n{3,}/g, "\n\n" );
|
161
|
+
|
162
|
+
// Add more processing rules as needed:
|
163
|
+
// processed = processed.replace(/\[.*?\]/g, ''); // Removes all content within square brackets
|
164
|
+
// processed = processed.replace(/\(.*?\)/g, ''); // Removes all content within parentheses
|
165
|
+
|
166
|
+
return processed;
|
167
|
+
}
|
168
|
+
|
169
|
+
normalizeExcludeList ( list )
|
170
|
+
{
|
171
|
+
const normalizedSet = new Set();
|
172
|
+
for ( let i = 0; i < list.length; i++ )
|
173
|
+
{
|
174
|
+
const item = list[i];
|
175
|
+
if ( item.endsWith( "/" ) )
|
176
|
+
{
|
177
|
+
normalizedSet.add( item.slice( 0, -1 ) );
|
178
|
+
}
|
179
|
+
else
|
180
|
+
{
|
181
|
+
normalizedSet.add( item );
|
182
|
+
}
|
183
|
+
normalizedSet.add( `${item.endsWith( "/" ) ? item : `${item }/`}` );
|
184
|
+
}
|
185
|
+
return normalizedSet;
|
186
|
+
}
|
187
|
+
|
188
|
+
isExcluded ( url )
|
189
|
+
{
|
190
|
+
if ( this.exactExcludeList.has( url ) )
|
191
|
+
{
|
192
|
+
return true;
|
193
|
+
}
|
194
|
+
return Array.from( this.excludeList ).some( excluded => { return url.startsWith( excluded ) });
|
195
|
+
}
|
196
|
+
|
197
|
+
createOutputDirectory ()
|
198
|
+
{
|
199
|
+
if ( fs.existsSync( path.join( __dirname, this.folderPath ) ) )
|
200
|
+
{
|
201
|
+
fs.rmSync( path.join( __dirname, this.folderPath ), { recursive: true, force: true });
|
202
|
+
}
|
203
|
+
if ( !fs.existsSync( path.join( __dirname, this.folderPath ) ) )
|
204
|
+
{
|
205
|
+
fs.mkdirSync( path.join( __dirname, this.folderPath ), { recursive: true });
|
206
|
+
}
|
207
|
+
}
|
208
|
+
}
|
209
|
+
|
210
|
+
module.exports = WebScraper;
|
@@ -0,0 +1 @@
|
|
1
|
+
{"text":"Welcome to our Palestine FAQ. In this section you will find answers to the most commonly asked questions regarding the Palestinian question. For your convenience, we have divided the answers into categories:\n\nThe Question of Palestine\n\nWhat is the Palestinian question?\nThe Palestinian question refers to the Palestinian peopleâs struggle against Zionist and Israeli settler-colonialism, which has been intent on erasing Palestinians and claiming their lands for over a century.\n\nIsnât this an ancient struggle, going back thousands of years?\nNot at all. The beginning of the question of Palestine is rooted in the Zionist movement, and its goal of colonizing Palestine to establish a Zionist settler state there. The first Zionist conference took place at the very end of the 19th century (1897).\n\nWhy is it so incredibly complicated?\nWhen traced back to its roots, the Palestinian question is a remarkably simple story of settler-colonialism and resistance to it. Naturally, it is just as complex and worthy of study as any other anti-colonial struggle, however, the claims of exceptional complexity are often employed in an effort to obfuscate the reality on the ground and limit discussion. The question of Palestine is not exceptional in its complexity, we can trace its origins, chronicle its events and trajectories and analyze its politics all quite well. There are decades of scholarship on the matter for reference. The appeals to complexity often arise when attempting to justify actions or policies that would be deemed unjustifiable in another context, for example, arguing against the right of refugees to return home.\n\nIsn't it just a holy war?\nCertainly not. This is a case of a native population resisting settler colonialism. Throughout history peoples all over the world rose up to fight colonialism regardless of the religion of their colonizer. For example, it would be ridiculous to suggest that Vietnamese rebellion against the French was out of religious motivation. However, as with any struggle, religion can be cynically instrumentalized to legitimize and mask political goals.\n\nWhy do you avoid calling it a conflict?\nThe term âconflictâ is inadequate to describe the Palestinian question. It holds within it connotations of symmetry, of two conflicting and equal parties, rather than a case of an indigenous population resisting colonial dispossession and ethnocide. It obfuscates that this is not some local squabble between two already existing populations, but a case of foreign settlers seizing land to construct an exclusivist ethnocracy at the expense of the natives. Settler colonialism, by its very definition, is unequal.\n\nDid the United Nations establish Israel?\nThis is a popular misconception. The United Nations suggested a non-binding partition plan that was never implemented. Furthermore, the United Nations, both its General Assembly as well as its Security Council do not have the jurisdiction to impose political solutions, especially without the consent of those it affects.\nIsrael was established not through the UN, but through warfare and the creation of facts on the ground. Facts it created through the destruction and ethnic cleansing of hundreds of Palestinian villages and communities.\n\nWhat is the Nakba?\nThe Nakba is Arabic for âcatastropheâ or âcalamityâ, and it refers to the ethnic cleansing of Palestine at the hand of Zionist militias between 1947-1948 and the subsequent establishment of the state of Israel. This campaign of ethnic cleansing took place before, during and after the war of 1948, and saw approximately 800,000 Palestinians expelled from their homes, and over 530 Palestinian communities demolished. Today, Israel can only maintain itself as an ethnocracy by perpetuating the displacement of these refugees and their descendants.\n\nWhat is the occupation?\nThe mainstream usage of the term occupation refers to the occupation of the West Bank, Gaza Strip and East Jerusalem in the 1967 war. These areas remain occupied to this day and are ruled de facto by Israel, who controls most aspects of Palestinian life, down to determining who a Palestinian citizen is. It should be noted that we do not differentiate morally between the take-over of parts of Palestine in 1948 or 1967, as all of it is stolen, colonized land.\n\nDid Israel withdraw from the Gaza Strip?\nGaza is still in fact militarily occupied. For an area to be considered occupied the occupying state must exercise âeffective controlâ over it. Unlike in the past, the Israeli siege, surveillance and monitoring technology allow for effective control of Gaza through controlling select key positions without the necessity of a full occupation force inside the area.\nThis position is echoed by the United Nations, Amnesty International, the International Red Cross and countless other international organizations specialized in human rights and international humanitarian law.\n\nDo Palestinians have the right to resist Israeli colonialism?\nAccording to international law, it is legitimate for an occupied people to resist occupation by any means available to them. United Nations resolution 37/43 âReaffirms the legitimacy of the struggle of peoples for independence, territorial integrity, national unity and liberation from colonial and foreign domination and foreign occupation by all available means, including armed struggleâ.\nIt further specifically mentions the Palestinian people as possessing this right:\nâReaffirms the inalienable right of the Namibian people, the Palestinian people and all peoples under foreign and colonial domination to self-determination, national independence, territorial integrity, national unity and sovereignty without outside interferenceâ.\nBut even if such a right was not enshrined in international law, it is natural for humans to want to rid themselves from the domination of others.\n\nWhat is the Intifada?\nAn Intifada is an uprising or rebellion against oppression and tyranny. Coming from the Arabic root word nafada, its literal meaning is âshaking offâ. The word has come to be strongly associated with the Palestinian cause and resistance to tyranny, especially after the wide-scale protests, civil disobedience, boycotts and other forms of resistance against Israel during the Intifada of 1987 and Aqsa Intifada of 2000.\nWhile the word is heavily associated with Palestine, its usage predates the Palestinian Intifadas. For example, the Bread Intifada of 1977 in Egypt.\n\nDoes the Palestinian authority actually represent the will of the Palestinian people?\nLike any other society, Palestinians are not a monolith. The Palestinian intellectual and political tradition has had a long history of dissent and debate. However, Palestinians in general hold a negative view of the Palestinian Authority and the Oslo accords. Many have come to view the Palestinian Authority as subcontractors for Israeli control of Palestine, especially through its security coordination.\n\nIs the Palestinian question still relevant today?\nYes, the Palestinian people still suffer under Israeli colonialism in every part of Palestine. The liberation of all oppressed peoples should always be ârelevantâ to people of conscience. Despite the dubious claims that the Palestinian question is irrelevant today, it is still a cause that can marshal support and solidarity all across the globe, and has become a symbol for resistance against oppression and imperialism.\nIf the Palestinian question was truly something in the past, there would not be so much effort on part of Israel to censor and penalize solidarity actions, such as the BDS campaign all over the world.\n\nWhy should you care about Palestine?\nIf internationalist solidarity between oppressed peoples is not a compelling enough reason, itâs important to understand that the same imperialism oppressing Palestinians in Palestine is also oppressing you at home. The same forces of colonialism, supremacy, patriarchy and capitalistic exploitation that committed genocide against the natives, and repressed social justice and liberation movements all over the world are still alive and well, and are always looking for ways to maintain the status quo.\nIsrael is an outpost of world imperialism in the Middle East, it is not supported by the West out of any altruistic intention to âmake upâ for its genocidal past, it is supported because it aligns with and furthers its interests.\nFor instance, Israel and the United States share violent policing tactics with each other to help suppress any kind of resistance. The same teargas grenades used on protestors in Ferguson are used on protestors in Palestine. The same surveillance and spying technologies tested on Palestinians find their way into the arsenal of other repressive regimes the world over.\n\nWhat are some examples of solidarity between Palestine and other liberation movements?\nHistorically speaking, there have been strong ties between the Palestinian revolution and movements for liberation all over the world. Leaders such as Thomas Sankara and Kwame Ture supported the Palestinian struggle against Israeli colonialism. Huey Newton visited Palestinian refugee camps in an act of solidarity. George Jackson was heavily influenced by Palestinian poetry and thinkers while in jail. The Black Panther party, as well as the Young Lords Party all took firm pro-Palestinian and anti-imperialist stances.\nToday, these expressions of solidarity can be seen between Palestinian activists and the Black Lives Matter movement, as well as the Movement for Black Lives, the NODAPL protests, and other resistance movements all over the world. For example, the Deadly Exchange campaign aims to end collaboration and training between Israeli and American police departments, where both learn violent tactics from each other to suppress marginalized people and crush dissent.\n\nDoes the label Apartheid apply to the Palestinian context?\nWhile South Africa was a prominent example of an Apartheid state, it is not the only form it can take. According to the Rome Statute of the International Criminal Court, the crime of Apartheid is defined as âinhumane acts of a character similar to those referred to in paragraph 1, committed in the context of an institutionalized regime of systematic oppression and domination by one racial group over any other racial group or groups and committed with the intention of maintaining that regime;â\nThere are many inhumane acts listed under paragraph 1, but the most relevant to the Palestinian context are:\nMurder, deportation or forcible transfer of population, imprisonment and severe deprivation of liberty, torture, Persecution based on ethnic, religious or national origins, other inhumane acts of a similar character intentionally causing great suffering, or serious injury to body or to mental or physical health.\nIt is indisputable that Israel practices these acts against Palestinians, inside and outside of the green line. It is also indisputable that as a state built on a colonial ideology that privileges one ethnic group over the rest, its actions are ultimately committed to maintain this system of supremacy. BâTselem, Israelâs largest human rights organization, has officially designated Israel as an Apartheid state.\n\nBut Israel has Arab lawmakers; how could it be Apartheid?\nApartheid has a specific definition, and nowhere does it state that it must be a carbon copy of the South African model. There is a precedent of an Apartheid state having parliament members of the oppressed indigenous group, that being Southern Rhodesia. Despite allowing a certain number of black parliamentarians, it was still a racist entity ruled by a white government, with the very honest declared goal of maintaining itself as a white state. Israel, being an ethnocracy, has the similar goal of maintaining itself as a self-professed âJewish stateâ at the expense of everybody else in Palestine, necessitating the oppression of millions of Palestinians and the perpetual banishment of their refugees.\n\nWhy are there Palestinian refugees?\nThe main bulk of Palestinian refugees were created through the ethnic cleansing of Palestine at the hand of Zionist militias between 1947-1948 and the subsequent establishment of the state of Israel. This campaign of ethnic cleansing took place before and during the war of 1948, and saw approximately 800,000 Palestinians expelled from their homes, and over 530 villages being demolished. Another large wave of displacement and expulsions followed the war of 1967. Israel depends upon the displacement of these refugees and their descendants to maintain itself as an ethnocracy.\n\nWhy did the Palestinians leave during the Nakba?\nThe Palestinians did not âleaveâ their villages as much as they were forced out of them through various means. According to Salman Abu Sitta, and based on a wide array of sources, the majority of Palestinian villages (54%) were abandoned due to military assaults by Zionist militias. The second largest reason was direct expulsion by Zionist forces (24%). Panic caused by the atrocities committed in other fallen villages inspired mass panic that resulted in the abandonment of (10%) of the villages. Fear of Zionist attack resulted in a further (7%) of the villages being abandoned, while (2%) were abandoned due to psychological terror campaigns, dubbed âwhisperingâ campaigns.\nIt should be stressed, however, that the technicalities or reasons why the refugees left are irrelevant, as they have a right to return to their homes regardless.\n\nWeren't there Arab orders to evacuate the Palestinian villages?\nDespite the popularity -and convenience- of this claim there is no evidence to corroborate the existence of any blanket calls for mass Palestinian evacuation. As a matter of fact, there were calls to the opposite, and borders were often closed to Palestinian refugees, especially men of fighting age. The only villages that were partially evacuated by the Arab armies for various reasons amount to less than 1% of the ethnically cleansed communities. In any case, even if there had been such a blanket order, the refugees still have a right to return irrespective of such details.\n\nHow many Palestinian refugees are there today?\nAs of 2021, it is estimated that there are over 7 million Palestinian refugees worldwide, most of which are registered through UNRWA.\n\nWhere are Palestinian refugees concentrated?\nMost Palestinian refugees live in refugee camps in Palestine, Jordan, Lebanon and Syria. The rest are scattered all across the globe.\n\nWhy are Palestinian refugees prevented from returning?\nIsrael prevents Palestinian refugees from returning because it claims they are a security threat. However, seeing as Israel is a settler colony built on stolen land, it did not have the population numbers to sustain itself. It could only be established by creating new demographic realities on the ground, these new realities necessitated that approximately 80% of the Palestinians in what is today considered Israel be ethnically cleansed to maintain a demographically stable Zionist ethnocracy. In short, Israel can only exist because millions of Palestinians are scattered refugees all over the world, simply because they are not Jewish.\n\nDo Palestinian refugees have a right of return?\nYes, as with any other refugee population they are entitled to return to their homes. There are also United Nations resolutions specifically affirming the Palestinian right of return. Israel, however, contends that no such right exists.\n\nAre Palestinian refugees special?\nPalestinian refugees are special in the sense that they are overseen by the United Nations Relief and Works Agency for Palestine Refugees in the Near East (UNRWA) rather than the United Nations High Commissioner for Refugees (UNHCR). This is because (UNHCR) did not exist as an organization when the ethnic cleansing of Palestine occurred. This, however, confers no special privileges to Palestinians, and can in fact be detrimental to Palestinian refugees compared to refugees from other contexts.\n\nAre Palestinians the only refugees that can pass on their status to their descendants?\nAbsolutely not. According to the official United Nations website:\nâUnder international law and the principle of family unity, the children of refugees and their descendants are also considered refugees until a durable solution is found. Both UNRWA and UNHCR recognize descendants as refugees on this basis, a practice that has been widely accepted by the international community, including both donors and refugee hosting countries. Palestine refugees are not distinct from other protracted refugee situations such as those from Afghanistan or Somalia, where there are multiple generations of refugees, considered by UNHCR as refugees and supported as such. Protracted refugee situations are the result of the failure to find political solutions to their underlying political crises.â\n\nWhy is the right of return so special?\nThe expulsion of the Palestinians forms a cornerstone of the question of Palestine and the Palestinian revolution. The refugees expelled by Israel still languish in refugee camps simply for not being Jewish. For any lasting solution to materialize justice must be taken into account. There can be no justice without the right of return.\n\nWhy canât Palestinians just assimilate into some other Arab country?\nWhy should they? According to international law, refugees have a right to return to their homes and they should not be used as sacrificial lambs so that Israel can pursue its racist, artificial demographic aims.\n\nWhy are there Palestinian citizens of Israel?\nFor various reasons, such as a commanderâs decision during war, or the location of a village, or just by pure chance, some Palestinians were not ethnically cleansed during and after the establishment of Israel. It is estimated that around 20% of the original Palestinian population remained while the rest were forcefully expelled through various means.\nThis does not mean that the spared population had sided with the Zionist forces. For example, the city of Nazareth was spared because the Zionist commander thought that ethnically cleansing such a large amount of Palestinian Christians at the same time would look bad for Israel. However, ethnically cleansing smaller Christian and mixed villages around Nazareth and elsewhere was fine.\nIt should be noted that the destruction of Palestinian villages had nothing to do with whether they participated in the war of 1948 or not. Neutral villages with non-aggression pacts with the Yishuv were also ethnically cleansed.\n\nWhat is pinkwashing?\nPinkwashing refers to the efforts of Zionist organizations, as well as the Israeli government to invoke LGBTQ+ rights to distract from its human rights violations. This appeal is an attempt to establish a moral superiority for the settler state, and frame the Israeli settler as enlightened, as opposed to the backwards Palestinian Arab. This is all used to legitimize the existence of the Zionist settler-colonial project. It erases queer Palestinians and resistance to ongoing Israeli violence and is itself a form of colonial violence that attempts to further fracture Palestinian society.\n\nWhat is greenwashing?\nGreenwashing refers to the Israeli projection of an environmentally friendly and responsible image to divert attention away from its dismal record on human rights, international law and various well-documented war crimes against the Palestinians. It also covers for environmental racism, whereas Zionists pay lip service to ecological preservation and ahistorically depict Israel as âmaking the desert bloomâ. All the while, Israel continues polluting Palestinian land, planting invasive species, building âecological preservesâ to cover up ethnically cleansed villages, and presenting its theft of Palestinian water as a miraculous answer to the water scarcity.\n\nWhat is bluewashing?\nThe term âbluewashingâ is a portmanteau of the words âblueâ and âwhitewash,â which is generally a metaphor for the cover up of crimes committed; the color blue is used because of its association with the United Nation and has thus become associated with humanitarianism and human rights. Bluewashing was first used to criticize the corporate partnerships formed under the United Nations Global Compact initiative following credible accusations that this association with the United Nations was undeservedly improving the corporationsâ reputations. In short, these partnerships were being used as a fig leaf rather than an honest commitment to any kind of ideal.\nIsrael too is quite flagrantly attempting to improve its ugly reputation through a cover of humanitarianism regarding the Palestinians it has been massacring, ethnically cleansing, bombing, imprisoning, and keeping under occupation for over 70 years. Such âhumanitarianâ work is also intended to ideologically align Israel with the West despite its physical location in the East.\n\nWhat is redwashing?\nWhile many Palestinian activists and allies have used redwashing to refer to Israelâs cynical weaponization of indigeneity discourse, and its attempted recruitment of the Indigenous peoples of Turtle Island to cover up its settler-colonial nature, we have chosen here instead to use redwashing to refer to depictions of early Zionist institutions in Palestine as socialist, as well as current claims of Zionism being compatible with leftism or even progressivism.\nStill, the separate phenomenon of Israelâs audacious indigeneity claims is a significant one also worth critiquing, and so an article addressing this is forthcoming under the title of âBrownwashingâ.\n\nWhat is purplewashing?\nPurplewashing refers to when organizations or states project a feminist or gender inclusive facade on their politics, in order to make them seem more palatable and promote the image of social responsibility. This is part of an ideological framework referred to by scholars as colonial feminism, whereby womenâs rights are appropriated in the service of empire; in the context of Palestine, this rhetoric is also known as gendered Orientalism. The Palestinian Arab/Muslim is framed as an âotherâ, who is culturally or even genetically predisposed to misogyny. Naturally, this is juxtaposed with the framing of a liberal, enlightened, Israeli Westerner. Ultimately to Israel, this facade of feminism is a way to improve its image, and incorporate women into its violent, colonial, racist systems and institutions, as well as a way to paint Palestinians as unworthy of statehood or even humanity.  The fact that these systems subjugate other -usually Palestinian- women is hardly mentioned.\n\nWhat is faithwashing?\nFaithwashing refers to the efforts to frame the question of Palestine as a religious conflict, rather than a case of settler colonialism. This framing suggests that the solution lies through interfaith dialogue, completely sidelining the colonized native population in favor of coopted religious leaders with no connection to Palestine to normalize Israeli settler colonialism.\n\nHasnât Israel always sought peace with the Arabs?\nThis is a popular talking point, but has little evidence behind it. There are many examples of Israel deliberately seeking war to maximize territorial expansion. There have also been many Arab peace offers that Israel chose to neglect or reject. As a matter of fact, Palestinians have compromised tremendously during negotiations, and Israel has never -not even under Rabin- committed to a sovereign Palestinian state.\n\nWhy did the Palestinians reject every peace offer from Israel?\nHas it never once sounded suspicious to you how Israelis focus on the âpeace offersâ that were refused by the Palestinians, but never once discussed the actual parameters or substance in detail?\nBecause when these parameters are discussed, it becomes clear that these are terms nobody could accept. For example, even when Palestinians accepted the 1967 borders, a very limited return of refugees, and other compromises, this was still not good enough for Israel, which sought to shrink the Palestinian Bantustan even further and deny any real sovereignty to the supposed Palestinian state. These arrangements seek to formalize the status quo with cosmetic changes. Netanyahu promised that no Palestinian state will emerge, and in the case of any limited self-rule arrangement for the Palestinians, he spoke about a permanent IDF presence in the West Bank, as well as Israeli control of the borders and airspace. These are the amazing âopportunitiesâ that Palestinians have been declining, and as a result are being painted as warmongering rejectionists for doing so. As it stands, Palestinian aspirations cannot exceed the ceiling of Israeli table scraps. Furthermore, this talking point purposefully ignores Palestinian counter-offers and proposals that Israel has rejected over the years, solely to paint Palestinians in a bad light.\n\nDid Barak offer the Palestinians everything at Camp David?\nNot at all. The idea that Barak offered Arafat âeverythingâ which he rejected is a media spin to blame the Palestinians for the failure of the negotiations. Once actually inspected, you will come to see that Barakâs âgenerous offerâ lacked many aspects that would enable the emergence of a sovereign Palestinian state:\nThe claim that Palestinians were offered 96% of land in the West Bank sounds âgenerousâ, only then to find out that this 96% excluded areas already under Israeli control, such as the Dead Sea, the Jordan Valley, and East Jerusalem, effectively shrinking down the West Bank to around 80% at the most generous of estimates. In return, Israel was prepared to give an equivalent of 1% of land in the Naqab desert to the Palestinian state.\nThe West Bank would be crisscrossed by a network of settlements and Israeli areas, neatly dividing it into cantons with very little contiguity or connections. Even the noble sanctuary and the Aqsa mosque, as well as around a third of East Jerusalem would remain under permanent Israeli sovereignty in the supposed Palestinian capital. This is not even to mention that the Palestinian right of return was completely brushed under the carpet, with the Israelis not even allowing some refugees to return to the future Palestinian state.\nNone of this was conducive for the establishment of a real, sovereign and viable Palestinian state. Shlomo Ben Ami, Israeli Minister of Foreign Affairs at the time, and one of the main negotiators at Camp David, candidly admitted later that âCamp David was not the missed opportunity for the Palestinians, and if I were a Palestinian I would have rejected Camp David, as well.â\n\nIs the two-state solution the only viable solution?\nViable for whom and for what?\nThe two-state solution is inadequate to right historical wrongs, as it focuses on the pre-1967 borders as a starting point, which are in themselves a product of the colonization of Palestine, and not the root cause of it. It is thus preoccupied with finding solutions to symptoms, rather than dare address the root cause, which is Zionist settler colonialism and the ethnic cleansing of Palestinians.\nThis automatically means that Palestinians must relinquish any rights or hopes for their millions of refugees, and it also means that Palestinians must relinquish their rights to live in over 80% of the land they were ethnically cleansed from. Consequently, resource distribution, from water to fertile land, will be heavily stacked in Israelâs favor.\nShortly put, the two-state solution is more interested in maintaining Israelâs colonial gains and artificial demographic aspirations, and lending them legitimacy, rather than seeking justice for the Palestinians in any form.\n\nDonât most Palestinians support a two-state solution?\nSupport for the two-state solution has been steadily dwindling over the years, today most Palestinians do not support it. It should be noted that even among those who support it, a considerable number of Palestinians support it due to a lack of perceived alternatives, or as a stepping stone towards a more just solution.\nFor example, the vast majority of Palestinian university students do not see that the two-state solution is capable of answering the Palestinian question.\n\nWhat is the one-state solution?\nThe one-state solution calls for the establishment of a decolonized, unitary, secular, democratic state for all of those between the river and the sea. It does not merely advocate for greater Palestinian civil rights within the framework of the Israeli state. However, this would necessitate that Israel relinquish its state ideology of ethnic supremacy. The idea of a unitary state where everyone is equal is hardly new, and was proposed back before the original partition plans. Of course, the Zionist movement being hell-bent on the exclusive domination of the land, rejected this.\n\nDoes the one-state solution mean Jewish Israelis need to leave?\nNot at all, and none of the literature discussing this come close to suggesting that. In its most simple form, the one state solution calls for dismantling the Zionist colonial state and replacing it with an egalitarian democratic state which would not grant rights based on ethnicity, where every citizen is equal. It says nothing of displacement.\n\nDoes the one-state solution have any support among Palestinians and Israelis?\nSupport for the one-state solution fluctuates between 25-33% in both societies. This is a remarkably high number considering such a solution is often used by Palestinian and Israeli leaderships as an example of a nightmare scenario to be avoided at all costs. Furthermore, it is worth situating these numbers within their proper historical context. In mid-1988 for example, support for the two-state solution among Palestinians was barely 17%. At the end of the same year, the PLO adopted it as their basis for resolution and its support rate rose greatly, reaching a record high of 81% support for the peace process by 1996. It is not farfetched to imagine a similar transformation once the idea of two-states is buried for good.\n\nWhat is Zionism?\nZionism is a colonial ideology and political movement that calls for establishing a Jewish nation state in Palestine with a Jewish majority. Seeing as Palestine was already inhabited, and that there were barely any Zionists there before the 20th century, this necessitated the oppression and expulsion of the Palestinians to create the necessary conditions for this state.\n\nWhen was the Zionist movement established?\nOfficially, the first Zionist congress was in 1897, however, there were some precursor events and earlier settlers in Palestine tracing back to the mid-19th century.\n\nIs Zionism just Jewish self-determination?\nThe claim that Zionism is just Jewish self-determination has become popular as of late, but it is rife with critical omissions. It is akin to describing manifest destiny as âpilgrims seeking a better life for themselvesâ.  While this definition is convenient to its proponents, it leaves out the horrific acts of barbarity committed towards those ends. Israel as a colonial project was not created in a vacuum, its establishment necessitated the active oppression and dispossession of the Palestinians.\nPalestine has always been home to countless refugee populations, the idea that the Jewish people fleeing persecution could find a safe home in Palestine was never the issue. The issue is that these sentiments were never reciprocated by the Zionist movement, who showed disdain towards Palestinians from the very beginning and sought to take over the land with the aim of establishing an exclusive ethnic state.\n\nDidn't the Zionists just want to live in peace?\nNo, since their arrival the Zionist settlers exploited Palestinian hospitality and worked towards the aim of establishing an ethnocratic settler state at their expense. They banned Arab workers, established a Jewish only trade union, and censured those buying Arab produce or cooperating in any manner. As Menachem Usishkin, chairman of the Jewish National Fund said, they wanted to be the âlandlords of this landâ. Even before any physical Zionist settlement, Herzl wrote about ways to get rid of the population already living there.\n\nDidn't the Zionists accept the partition plan while the Arabs rejected it?\nWhile publicly the Zionist Yishuv accepted the partition plan, it did so as a temporary tactic only. In private, they rejected any idea of partition and quite candidly admitted that partition would be a means to establish a strong army to take over the rest of Palestine.\nWhile addressing the Zionist Executive, Ben Gurion emphasized that any acceptance of partition would be tactical and temporary:\nâAfter the formation of a large army in the wake of the establishment of the state, we will abolish partition and expand to the whole of Palestine.â\n\nIs anti-Zionism antisemitism?\nNo, criticism of Israel and its founding ideology cannot be conflated with the hatred of the Jewish people. When Palestinians resist Israeli colonialism, it is not due to the religion or ethnicity of Israelis. Resistance to foreign domination has been a staple of oppressed and colonized people all across the globe. From the very beginning, the Zionist movement had the goal of establishing an exclusivist ethnic state at the expense of the natives already living there, Palestinians objecting to and resisting this endeavor cannot be compared to the odious, murderous antisemitism that plagued Europe throughout history.\nThis is not even to mention that most Zionists today arenât even Jewish, and many anti-Zionists are.\n\nIf Israel is a colony, who is it a colony of?\nIsrael is a settler colony. Settler colonialism differs from classic colonialism, in that settler colonialism only initially and temporarily relies on an empire for their existence. In many situations, the colonists arenât even from the empire supporting them, and end up fighting the very sponsor that ensured their survival in the first place. Another difference is that settlers are not merely interested in the resources of these new lands, but also in the lands themselves, and to carve out a new homeland for themselves in the area.\nThe obvious issue here is that these lands were already inhabited by other people before their arrival.\n\nDid Israel make the desert bloom?\nTo begin with, Palestine is situated in the fertile crescent, and is one of the birth places of agriculture. It was never as much a desert as the Zionist narrative claims. The vast majority of cultivated agricultural land in Israel today was already being cultivated by Palestinians before their ethnic cleansing. Schechtman estimates that on the eve of the 1948 war, around 2,990,000 dunams of land (or 739,750 acres) were being cultivated by Palestinians. These cultivated lands were so vast, that they were âgreater than the physical area which was under cultivation in Israel almost thirty years later.â It took Israel 30 years to even equal the amount of land being cultivated before its establishment. Alan George continues: âThe impressive expansion of Israelâs cultivated area since 1948 has been more apparent than real since it involved mainly the âreclamationâ of farmland belonging to the refugees.â\nAnother aspect we should be wary of is reading desert as to mean uncultivated. Palestinian Bedouins have long cultivated lands in the Naqab desert using traditional farming and water preserving techniques. Records show that despite the loud proclamations of Zionists making the desert bloom, in 1944 land cultivated by Palestinians in the Naqab desert alone was three times of that cultivated by the entire Zionist settler presence in Palestine. As a matter of fact, the amount of cultivated land in the Naqab desert has dropped significantly since the Nakba in 1947-48. This is yet another case of a popular Zionist slogan being the complete opposite of reality.\n\nIs Israel a democracy?\nNo, Israel is an ethnocracy, which is a political system dominated by a specific ethnic group, and its policies revolve around furthering the interests of said group to the detriment of the rest. Usually ethnocracies have a thin democratic facade, but while it has the nominative and formal criteria of democracy, the way it functions is counter to the core spirit and ideas of democracy, such as equality among the populace.\n\nIs every Israeli citizen equal?\nIsrael distinguishes between citizenship and nationality. For example, you can be a citizen of Israel but be a Druze national, or a Jewish national. Your nationality is determined by your ethnicity and it cannot be changed or challenged. Many of the rights you are accorded in Israel stem from your nationality not your citizenship. Meaning an âArabâ Israeli citizen and a Jewish Israeli citizen, while both citizens, enjoy different rights and privileges determined by their ânationalityâ. Seeing how Israel is an ethnocracy it is not a mystery who this system privileges and who it discriminates against. This discrimination is enshrined both in law and in practice.\n\nDoes Israel have a right to exist?\nPeople have a right to self-determination, but no state in the world has a right to exist. This ârightâ simply has no foundation, and Israel is not special in this regard.\n\nWhat is Hasbara?\nHasbara, meaning âexplainingâ is Israeli public diplomacy, especially that aimed at international audiences. It seeks to spread a positive image of Israel and legitimize its actions, often through outright false talking points and demonization of Palestinians. It is a state-backed endeavor, with fellowships, organizations and other funded activities to spread it. In short, Israeli propaganda.\n\nWhat is BDS?\nThe Boycott, Disinvestment and Sanctions (BDS) movement is a non-violent human rights campaign formed in 2005 by over 170 Palestinian non-governmental organizations, unions and civil society groups. The campaign aims to apply international pressure (economic and otherwise) on Israel until it complies with international law, in order to protect the rights of Palestinians. The BDS movement does not take a position on political solutions, as it is strictly a human rights movement.\n\nWhat are the goals of BDS?\nThe BDS movement has three goals:\n\nEnding Israeli occupation and colonization of all Arab lands and dismantling the Wall.\nRecognizing the fundamental rights of the Palestinian citizens of Israel to full equality.\nRespecting, protecting and promoting the rights of Palestinian refugees to return to their homes and properties as stipulated in UN resolution 194.\n\nSimply put, the consistent application of international law.\n\nDo Palestinians support BDS?\nYes, support for BDS is ubiquitous in Palestinian civil society as well as among the general Palestinian populace. However, we must keep in mind that Palestinians under occupation often have no choice but to purchase Israeli products. For example, if you wish to have water, electricity or fuel, youâre forced to deal with Israel either directly or indirectly.\n\nWon't BDS harm Palestinian workers?\nBDS, being a call from Palestinian civil society includes Palestinian workers and major trade unions. Any short-term harm is far outweighed by the benefits of a successful BDS campaign, considering that UNCTAD estimates that the Israeli occupation and de-development of the Palestinian economy has cost Palestinians over two million jobs since 2000. It is incredibly condescending to tell Palestinian workers what their own interests are. This criticism is seldom made in good faith, however, if the goal is truly to support Palestinian workers, then helping stop the methodical Israeli destruction of the Palestinian economy would be a much more effective method.\n\nDoes BDS call for the destruction of Israel?\nNo, it does not. It does, however, call for the return of Palestinian refugees in accordance with international law, which would endanger Israelâs ruling ideology of reactionary ethnic-nationalism and artificial demographic aspirations.\n\nWhy does BDS single out Israel?\nThe BDS movement is not some universal scale of justice meting out punishment to all those who deserve. Itâs specifically a call to action from Palestinians about the Palestinian context, nothing more.\n\nDoesn't BDS harm Israelis who are sympathetic to Palestinians?\nBDS does not target individual Israelis, but institutions complicit in the oppression of Palestinians.\n\nDoesn't BDS lay all of the blame on Israel?\nThis criticism could be justified if both the Palestinians and Israelis were symmetrical in capabilities and context. In reality, it is the Israelis who are occupying the Palestinians, and it is the Israelis who are colonizing Palestine. Israelis hold the power and Palestinians have no real means of imposing their wishes. This is not a case of two neighboring countries having a dispute, but a context of settler colonialism, which is unequal by definition.\n\nDoesn't BDS harm academic freedom?\nIsraeli universities are not neutral bystanders in the oppression of Palestinians, but play a key role in upholding this oppression. Either through developing discriminatory policies for the government or designing more efficient weapons of war, Israeli academia is complicit.\nFurthermore, the claim of the sanctity of academic freedom only seems to arise when we mention boycotting Israeli academic institutions. Palestinian universities have been bombed, and their students arrested without a single complaint from those posing as champions of academic freedom.\n\nWhy call for a cultural boycott of Israel?\nBDS does not target individual Israeli artists, but institutions or those complicit in the oppression of Palestinians and the whitewashing of Israeli crimes.\nIsrael has always been very public about using cultural means to improve its image abroad, and divert attention away from its oppression of the Palestinians. A recent example is Israel hosting Eurovision in Tel Aviv in an attempt to put a pluralistic and âpretty faceâ on the state, and whitewash its human rights violations. It should be noted that Israel is not unique in this regard, as Apartheid South Africa also hosted music festivals and cultural events in an effort to change perceptions of the racist state.\n\nWhy did you make this website?\nWe wanted to create a website which could serve as a quick reference for those interested in Palestine. We would provide some quick, basic answers to some commonly discussed topics and then recommend further readings to deepen knowledge on said topic. Basically, we wanted to create a website we wished existed when we were younger and wanted to expand our knowledge on Palestine.\n\nIs your website objective and neutral?\nObjective, yes. Neutral, not at all.\nThere is a common misconception, that in order to be objective you need to be neutral. These concepts can be connected but they do not necessarily follow from each other. Having two points of view does not automatically mean that both points of view are equally legitimate or based in reality, or that the truth has to be located somewhere in the middle. For example, you can of course bring two opposing sides to discuss if climate change is real or not, but treating them both as equally valid and of equal worth when one is backed by scientific consensus and the other isnât is not a fair and balanced representation of reality. It is a false equation of two sides simply for being two different sides. This actually gives legitimacy to reactionary and anti-scientific positions.\nSimilarly, Israeli colonialism and ethnic cleansing of Palestinians is an objective fact. Maintaining a neutral position on this war crime is not only immoral, but enables Israel to commit further heinous acts in the future. Therefore, we take a very clear position: For the liberation of Palestine. However, all of our information and sources are objective and based on rigorous academic scholarship and testimonies.\n\nWho is this website run by?\nThis website is run by two Palestinians living in Ramallah. We are not affiliated with any organization, party or government. This is a strictly personal and independent endeavor.\n\nWho funds this website?\nThe creation of the website was completely self-funded by two Palestinians living in Ramallah. The maintenance and further expansion of the website is made possible by our generous patrons and backers.\n\nCan I use your writing? What is your copyright policy?\nOf course! Nothing would make us happier. This website operates under a Creative Commons Attribution-NonCommercial-ShareAlike policy. Meaning that you are free to share, adapt and use this material under these conditions:\n1) You must credit us.\n2) You may not use the material for commercial purposes.\n3) If you remix, transform, or build upon the material, you must distribute your contributions under the same two conditions.\n\nHow can I support you?\nIf you feel like you have learned something new and useful, you could always spread the word around about the website.\nYou could also become a Patron through Patreon to help support the continuing growth of the website, as well as the further education of its authors. [Click link here to go to Patreon]\n\nI love your graphics! Who are your artists?\nOur beautiful art is the result of the fantastic artistic talents of three Palestinian artists, comissioned specifically for the site.\nThey are, in no particular order:\nimaginary0friend\npaliart.by.hiba\nmsh.fannana\n\nDidnât find what you were looking for?\nCheck out our myths section for a more comprehensive list of myths and talking-points.\nYou can also explore our introductory articles for a general overview of the history of the Palestinian question."}
|