starting transition to Eleventy

This commit is contained in:
Tommi 2022-06-01 10:26:43 +02:00
parent f860fca110
commit ea68e427e9
85 changed files with 22130 additions and 1117 deletions

190
.eleventy.js Normal file
View File

@ -0,0 +1,190 @@
const fs = require('fs');
const miniHtml = require('html-minifier');
const _ = require('lodash');
const pluginRss = require('@11ty/eleventy-plugin-rss');
// Markdown //
const markdownIt = require('markdown-it');
const md = markdownIt({
html: true,
fence: false
})
.disable('code')
.use(require('markdown-it-attrs'))
.use(require('markdown-it-anchor'))
.use(require('markdown-it-footnote'))
.use(require('markdown-it-sup'))
.use(require('markdown-it-sub'))
.use(require('markdown-it-ins'))
.use(require('markdown-it-mark'))
.use(require('markdown-it-task-lists'))
.use(require('markdown-it-container'), 'box')
.use(require('markdown-it-collapsible'))
.use(require('markdown-it-abbr'))
.use(require('markdown-it-mathjax3'));
module.exports = function(eleventyConfig) {
// General //
eleventyConfig.setLibrary('md', md);
eleventyConfig.setFrontMatterParsingOptions({
permalink: '/{{ page.fileSlug }}/',
});
eleventyConfig.addDataExtension('csv', contents => require('csv-parse/sync').parse(contents, {columns: true, skip_empty_lines: true}));
eleventyConfig.setFrontMatterParsingOptions({ excerpt: true, excerpt_separator: '<!--excerpt-->'});
eleventyConfig.setQuietMode(true);
// Collections //
eleventyConfig.addCollection('posts', function(collection) {
return collection.getFilteredByGlob('content/posts/*').sort((a, b) => {
return b.date - a.date; // sort by date - descending
});
});
eleventyConfig.addCollection('jam', function(collection) {
return collection.getFilteredByGlob('content/notes/public/*').sort((a, b) => {
return b.date - a.date;
});
});
eleventyConfig.addCollection('poetry', function(collection) {
return collection.getFilteredByGlob('content/poetry/*').sort((a, b) => {
return b.date - a.date;
});
});
eleventyConfig.addCollection('sconnesso', function(collection) {
return collection.getFilteredByGlob('content/sconnesso/*').sort((a, b) => {
return b.date - a.date;
});
});
// Multilingual sitemap collection. See https://github.com/quasibit/eleventy-plugin-sitemap#create-a-multilingual-sitemap
eleventyConfig.addCollection('sitemap', function(collectionApi) {
return collectionApi
.getAll()
.map((item, index, all) => {
return {
url: item.url,
date: item.date,
data: {
...item.data,
sitemap: {
...item.data.sitemap,
links:
all
.filter(other => other.data.ref === item.data.ref)
.map(translation => {
return {
url: translation.url,
lang: translation.data.lang,
};
}),
},
},
}
});
});
// Scss //
eleventyConfig.addWatchTarget('styles');
eleventyConfig.addPassthroughCopy({'styles': '/'});
eleventyConfig.addPassthroughCopy({'svg': '/'});
eleventyConfig.addPassthroughCopy('js');
// Plugins //
eleventyConfig.addPlugin(require('@11ty/eleventy-plugin-directory-output'));
eleventyConfig.addPlugin(require('eleventy-plugin-find'));
eleventyConfig.addPlugin(require('@quasibit/eleventy-plugin-schema'));
eleventyConfig.addPlugin(require('@11ty/eleventy-plugin-syntaxhighlight'));
eleventyConfig.addPlugin(require('@aloskutov/eleventy-plugin-external-links'), {
url: 'https://quitsocialmedia.club',
rel: ['noreferrer', 'noopener', 'external'],
overwrite: false,
});
eleventyConfig.addPlugin(require('eleventy-plugin-embed-everything'), {
youtube: {
options: {
embedClass: 'embed',
lite: {
css: {
enabled: false
}
}
}
},
spotify: {
options: {
embedClass: 'embed',
width: '100%'
}
},
instagram: {
options: {
embedClass: 'embed'
}
}
});
eleventyConfig.addPlugin(require('eleventy-plugin-svg-contents'));
eleventyConfig.addPlugin(require('@sardine/eleventy-plugin-tinysvg'), {
baseUrl: 'assets/svg/'
});
eleventyConfig.addPlugin(require('eleventy-plugin-toc'), {
ul: true,
});
eleventyConfig.addPlugin(pluginRss);
eleventyConfig.addPlugin(require('@quasibit/eleventy-plugin-sitemap'), {
sitemap: {
hostname: 'https://quitsocialmedia.club'
},
});
// Filters //
eleventyConfig.addFilter('reverse', (collection) => {
const arr = [...collection];
return arr.reverse();
});
eleventyConfig.addFilter('markdownify', (str) => {
return md.renderInline(str);
});
// RSS Filters //
eleventyConfig.addFilter('dateToRfc3339', pluginRss.dateToRfc3339);
eleventyConfig.addFilter('getNewestCollectionItemDate', pluginRss.getNewestCollectionItemDate);
eleventyConfig.addFilter('absoluteUrl', pluginRss.absoluteUrl);
eleventyConfig.addFilter('convertHtmlToAbsoluteUrls', pluginRss.convertHtmlToAbsoluteUrls);
// Minify output //
eleventyConfig.addTransform('miniHtml', function(content, outputPath) {
if( this.outputPath && this.outputPath.endsWith('.html') ) {
let minified = miniHtml.minify(content, {
useShortDoctype: true,
removeComments: true,
collapseWhitespace: true,
minifyCSS: true,
minifyJS: true,
minifyURLs: true
});
return minified;
}
return content;
});
// 404 //
eleventyConfig.setBrowserSyncConfig({
callbacks: {
ready: function(err, bs) {
bs.addMiddleware('*', (req, res) => {
const content_404 = fs.readFileSync('www/404.html');
res.writeHead(404, { 'Content-Type': 'text/html; charset=UTF-8' });
res.write(content_404);
res.end();
});
}
}
});
return {
dir: {
includes: 'includes',
layouts: 'layouts',
data: 'data',
output: 'www'
}
}; // there should never be anything after the “return” function
};

8
.eleventyignore Normal file
View File

@ -0,0 +1,8 @@
riordinare/
content/notes/templates/
content/notes/.obsidian
content/notes/.trash
content/notes/PISE
content/notes/obsidian.css
content/notes/.*
README.md

10
.gitignore vendored Normal file
View File

@ -0,0 +1,10 @@
# Eleventy stuff
node_modules
dist
.env
cache
.cache
www
# Local Netlify folder
.netlify

1
.nvmrc Normal file
View File

@ -0,0 +1 @@
lts/*

View File

@ -1 +0,0 @@
3.1.0

33
Gemfile
View File

@ -1,33 +0,0 @@
source "https://rubygems.org"
# Hello! This is where you manage which Jekyll version is used to run.
# When you want to use a different version, change it below, save the
# file and run `bundle install`. Run Jekyll with `bundle exec`, like so:
#
# bundle exec jekyll serve
#
# This will help ensure the proper Jekyll version is running.
# Happy Jekylling!
gem "jekyll"
# Add Liquid-C for faster rendering of Liquid
gem "liquid-c"
# If you want to use GitHub Pages, remove the "gem "jekyll"" above and
# uncomment the line below. To upgrade, run `bundle update github-pages`.
# gem "github-pages", group: :jekyll_plugins
# If you have any plugins, put them here!
group :jekyll_plugins do
gem "webrick"
gem "jekyll-feed"
gem "jekyll-seo-tag"
gem "jekyll-sitemap"
gem "jekyll-last-modified-at"
gem "jekyll-target-blank"
gem "jekyll-watch"
gem "jekyll-redirect-from"
gem "jekyll-email-protect"
gem "jekyll-debug"
gem "jekyll-mentions"
gem "jekyll-auto-image"
gem "html-proofer"
end

View File

@ -1,146 +0,0 @@
GEM
remote: https://rubygems.org/
specs:
activesupport (7.0.0)
concurrent-ruby (~> 1.0, >= 1.0.2)
i18n (>= 1.6, < 2)
minitest (>= 5.1)
tzinfo (~> 2.0)
addressable (2.8.0)
public_suffix (>= 2.0.2, < 5.0)
coderay (1.1.3)
colorator (1.1.0)
concurrent-ruby (1.1.9)
em-websocket (0.5.3)
eventmachine (>= 0.12.9)
http_parser.rb (~> 0)
ethon (0.15.0)
ffi (>= 1.15.0)
eventmachine (1.2.7)
ffi (1.15.4)
forwardable-extended (2.6.0)
html-pipeline (2.14.0)
activesupport (>= 2)
nokogiri (>= 1.4)
html-proofer (3.19.3)
addressable (~> 2.3)
mercenary (~> 0.3)
nokogiri (~> 1.12)
parallel (~> 1.3)
rainbow (~> 3.0)
typhoeus (~> 1.3)
yell (~> 2.0)
http_parser.rb (0.8.0)
i18n (1.8.11)
concurrent-ruby (~> 1.0)
jekyll (4.2.1)
addressable (~> 2.4)
colorator (~> 1.0)
em-websocket (~> 0.5)
i18n (~> 1.0)
jekyll-sass-converter (~> 2.0)
jekyll-watch (~> 2.0)
kramdown (~> 2.3)
kramdown-parser-gfm (~> 1.0)
liquid (~> 4.0)
mercenary (~> 0.4.0)
pathutil (~> 0.9)
rouge (~> 3.0)
safe_yaml (~> 1.0)
terminal-table (~> 2.0)
jekyll-auto-image (1.1.3)
jekyll
jekyll-debug (0.0.2)
liquid (>= 2.5, < 5.0)
pry (~> 0.10)
rb-readline (~> 0.5)
jekyll-email-protect (1.1.0)
jekyll-feed (0.16.0)
jekyll (>= 3.7, < 5.0)
jekyll-last-modified-at (1.3.0)
jekyll (>= 3.7, < 5.0)
posix-spawn (~> 0.3.9)
jekyll-mentions (1.6.0)
html-pipeline (~> 2.3)
jekyll (>= 3.7, < 5.0)
jekyll-redirect-from (0.16.0)
jekyll (>= 3.3, < 5.0)
jekyll-sass-converter (2.1.0)
sassc (> 2.0.1, < 3.0)
jekyll-seo-tag (2.7.1)
jekyll (>= 3.8, < 5.0)
jekyll-sitemap (1.4.0)
jekyll (>= 3.7, < 5.0)
jekyll-target-blank (2.0.0)
jekyll (>= 3.0, < 5.0)
nokogiri (~> 1.10)
jekyll-watch (2.2.1)
listen (~> 3.0)
kramdown (2.3.1)
rexml
kramdown-parser-gfm (1.1.0)
kramdown (~> 2.0)
liquid (4.0.3)
liquid-c (4.0.0)
liquid (>= 3.0.0)
listen (3.7.0)
rb-fsevent (~> 0.10, >= 0.10.3)
rb-inotify (~> 0.9, >= 0.9.10)
mercenary (0.4.0)
method_source (1.0.0)
mini_portile2 (2.6.1)
minitest (5.15.0)
nokogiri (1.12.5)
mini_portile2 (~> 2.6.1)
racc (~> 1.4)
parallel (1.21.0)
pathutil (0.16.2)
forwardable-extended (~> 2.6)
posix-spawn (0.3.15)
pry (0.14.1)
coderay (~> 1.1)
method_source (~> 1.0)
public_suffix (4.0.6)
racc (1.6.0)
rainbow (3.0.0)
rb-fsevent (0.11.0)
rb-inotify (0.10.1)
ffi (~> 1.0)
rb-readline (0.5.5)
rexml (3.2.5)
rouge (3.27.0)
safe_yaml (1.0.5)
sassc (2.4.0)
ffi (~> 1.9)
terminal-table (2.0.0)
unicode-display_width (~> 1.1, >= 1.1.1)
typhoeus (1.4.0)
ethon (>= 0.9.0)
tzinfo (2.0.4)
concurrent-ruby (~> 1.0)
unicode-display_width (1.8.0)
webrick (1.7.0)
yell (2.2.2)
PLATFORMS
ruby
DEPENDENCIES
html-proofer
jekyll
jekyll-auto-image
jekyll-debug
jekyll-email-protect
jekyll-feed
jekyll-last-modified-at
jekyll-mentions
jekyll-redirect-from
jekyll-seo-tag
jekyll-sitemap
jekyll-target-blank
jekyll-watch
liquid-c
webrick
BUNDLED WITH
2.2.31

View File

@ -1 +0,0 @@
This website has no tracking, no ads, no analytics, no annoying stuff, therefore no possible security breaches. Nevertheless, there's a tiny little part of back-end cloud computing if you subscribe to the newsletter. If you encounter any problem in this process, please send an email to [security@quitsocialmedia.club](mailto:security@quitsocialmedia.club).

View File

@ -1,67 +0,0 @@
title: Quit Social Media
email: hi@quitsocialmedia.club
description: >-
Why and how to quit Social Media.
baseurl: ''
url: https://quitsocialmedia.club
author: Tommi
publisher: Tommi
github_username: xplosionmind
git_repository: quitsocialmedia.club
future: true
profile: true
livereload: true
strict_front_matter: true
favicon: /favicon.svg
image: /logos/qsm.png
images: /images
assets: /assets
video: /video
audio: /audio
logos: /logos
fonts: 'https://tommi.space/fonts'
exclude:
- riordinare/
keep_files:
- images/
- assets/
social:
name: xplosionmind
tagline: Living a healthier life on the web
twitter:
username: xplosionmind
card: summary
plugins:
- jekyll-feed
- jekyll-seo-tag
- jekyll-sitemap
- jekyll-last-modified-at
- jekyll-target-blank
- jekyll-watch
- jekyll-redirect-from
- jekyll-debug
- jekyll-watch
- jekyll-email-protect
sass:
style: compressed
compress_html:
clippings: all
comments: all
endings: all
startings: all
permalink: /:title
defaults:
-
scope:
path: ''
values:
layout: page
lang: en
image: /logos/qsm.png
toc: true
anchors: true

View File

@ -1,152 +0,0 @@
{% capture headingsWorkspace %}
{% comment %}
Copyright (c) 2018 Vladimir "allejo" Jimenez
Permission is hereby granted, free of charge, to any person
obtaining a copy of this software and associated documentation
files (the "Software"), to deal in the Software without
restriction, including without limitation the rights to use,
copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the
Software is furnished to do so, subject to the following
conditions:
The above copyright notice and this permission notice shall be
included in all copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES
OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND
NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT
HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY,
WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR
OTHER DEALINGS IN THE SOFTWARE.
{% endcomment %}
{% comment %}
Version 1.0.9
https://github.com/allejo/jekyll-anchor-headings
"Be the pull request you wish to see in the world." ~Ben Balter
Usage:
{% include anchor_headings.html html=content anchorBody="#" %}
Parameters:
* html (string) - the HTML of compiled markdown generated by kramdown in Jekyll
Optional Parameters:
* beforeHeading (bool) : false - Set to true if the anchor should be placed _before_ the heading's content
* headerAttrs (string) : '' - Any custom HTML attributes that will be added to the heading tag; you may NOT use `id`;
the `%heading%` and `%html_id%` placeholders are available
* anchorAttrs (string) : '' - Any custom HTML attributes that will be added to the `<a>` tag; you may NOT use `href`, `class` or `title`;
the `%heading%` and `%html_id%` placeholders are available
* anchorBody (string) : '' - The content that will be placed inside the anchor; the `%heading%` placeholder is available
* anchorClass (string) : '' - The class(es) that will be used for each anchor. Separate multiple classes with a space
* anchorTitle (string) : '' - The `title` attribute that will be used for anchors
* h_min (int) : 1 - The minimum header level to build an anchor for; any header lower than this value will be ignored
* h_max (int) : 6 - The maximum header level to build an anchor for; any header greater than this value will be ignored
* bodyPrefix (string) : '' - Anything that should be inserted inside of the heading tag _before_ its anchor and content
* bodySuffix (string) : '' - Anything that should be inserted inside of the heading tag _after_ its anchor and content
Output:
The original HTML with the addition of anchors inside of all of the h1-h6 headings.
{% endcomment %}
{% assign minHeader = include.h_min | default: 1 %}
{% assign maxHeader = include.h_max | default: 6 %}
{% assign beforeHeading = include.beforeHeading %}
{% assign nodes = include.html | split: '<h' %}
{% capture edited_headings %}{% endcapture %}
{% for _node in nodes %}
{% capture node %}{{ _node | strip }}{% endcapture %}
{% if node == "" %}
{% continue %}
{% endif %}
{% assign nextChar = node | replace: '"', '' | strip | slice: 0, 1 %}
{% assign headerLevel = nextChar | times: 1 %}
<!-- If the level is cast to 0, it means it's not a h1-h6 tag, so let's see if we need to fix it -->
{% if headerLevel == 0 %}
<!-- Split up the node based on closing angle brackets and get the first one. -->
{% assign firstChunk = node | split: '>' | first %}
<!-- If the first chunk does NOT contain a '<', that means we've broken another HTML tag that starts with 'h' -->
{% unless firstChunk contains '<' %}
{% capture node %}<h{{ node }}{% endcapture %}
{% endunless %}
{% capture edited_headings %}{{ edited_headings }}{{ node }}{% endcapture %}
{% continue %}
{% endif %}
{% capture _closingTag %}</h{{ headerLevel }}>{% endcapture %}
{% assign _workspace = node | split: _closingTag %}
{% assign _idWorkspace = _workspace[0] | split: 'id="' %}
{% assign _idWorkspace = _idWorkspace[1] | split: '"' %}
{% assign html_id = _idWorkspace[0] %}
{% capture _hAttrToStrip %}{{ _workspace[0] | split: '>' | first }}>{% endcapture %}
{% assign header = _workspace[0] | replace: _hAttrToStrip, '' %}
<!-- Build the anchor to inject for our heading -->
{% capture anchor %}{% endcapture %}
{% if html_id and headerLevel >= minHeader and headerLevel <= maxHeader %}
{% assign escaped_header = header | strip_html %}
{% if include.headerAttrs %}
{% capture _hAttrToStrip %}{{ _hAttrToStrip | split: '>' | first }} {{ include.headerAttrs | replace: '%heading%', escaped_header | replace: '%html_id%', html_id }}>{% endcapture %}
{% endif %}
{% capture anchor %}href="#{{ html_id }}"{% endcapture %}
{% if include.anchorClass %}
{% capture anchor %}{{ anchor }} class="{{ include.anchorClass }}"{% endcapture %}
{% endif %}
{% if include.anchorTitle %}
{% capture anchor %}{{ anchor }} title="{{ include.anchorTitle | replace: '%heading%', escaped_header }}"{% endcapture %}
{% endif %}
{% if include.anchorAttrs %}
{% capture anchor %}{{ anchor }} {{ include.anchorAttrs | replace: '%heading%', escaped_header | replace: '%html_id%', html_id }}{% endcapture %}
{% endif %}
{% capture anchor %}<a {{ anchor }}>{{ include.anchorBody | replace: '%heading%', escaped_header | default: '' }}</a>{% endcapture %}
<!-- In order to prevent adding extra space after a heading, we'll let the 'anchor' value contain it -->
{% if beforeHeading %}
{% capture anchor %}{{ anchor }} {% endcapture %}
{% else %}
{% capture anchor %} {{ anchor }}{% endcapture %}
{% endif %}
{% endif %}
{% capture new_heading %}
<h{{ _hAttrToStrip }}
{{ include.bodyPrefix }}
{% if beforeHeading %}
{{ anchor }}{{ header }}
{% else %}
{{ header }}{{ anchor }}
{% endif %}
{{ include.bodySuffix }}
</h{{ headerLevel }}>
{% endcapture %}
<!--
If we have content after the `</hX>` tag, then we'll want to append that here so we don't lost any content.
-->
{% assign chunkCount = _workspace | size %}
{% if chunkCount > 1 %}
{% capture new_heading %}{{ new_heading }}{{ _workspace | last }}{% endcapture %}
{% endif %}
{% capture edited_headings %}{{ edited_headings }}{{ new_heading }}{% endcapture %}
{% endfor %}
{% endcapture %}{% assign headingsWorkspace = '' %}{{ edited_headings | strip }}

View File

@ -1,182 +0,0 @@
{% capture tocWorkspace %}
{% comment %}
Copyright (c) 2017 Vladimir "allejo" Jimenez
Permission is hereby granted, free of charge, to any person
obtaining a copy of this software and associated documentation
files (the "Software"), to deal in the Software without
restriction, including without limitation the rights to use,
copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the
Software is furnished to do so, subject to the following
conditions:
The above copyright notice and this permission notice shall be
included in all copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES
OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND
NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT
HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY,
WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR
OTHER DEALINGS IN THE SOFTWARE.
{% endcomment %}
{% comment %}
Version 1.1.0
https://github.com/allejo/jekyll-toc
"...like all things liquid - where there's a will, and ~36 hours to spare, there's usually a/some way" ~jaybe
Usage:
{% include toc.html html=content sanitize=true class="inline_toc" id="my_toc" h_min=2 h_max=3 %}
Parameters:
* html (string) - the HTML of compiled markdown generated by kramdown in Jekyll
Optional Parameters:
* sanitize (bool) : false - when set to true, the headers will be stripped of any HTML in the TOC
* class (string) : '' - a CSS class assigned to the TOC
* id (string) : '' - an ID to assigned to the TOC
* h_min (int) : 1 - the minimum TOC header level to use; any header lower than this value will be ignored
* h_max (int) : 6 - the maximum TOC header level to use; any header greater than this value will be ignored
* ordered (bool) : false - when set to true, an ordered list will be outputted instead of an unordered list
* item_class (string) : '' - add custom class(es) for each list item; has support for '%level%' placeholder, which is the current heading level
* submenu_class (string) : '' - add custom class(es) for each child group of headings; has support for '%level%' placeholder which is the current "submenu" heading level
* base_url (string) : '' - add a base url to the TOC links for when your TOC is on another page than the actual content
* anchor_class (string) : '' - add custom class(es) for each anchor element
* skip_no_ids (bool) : false - skip headers that do not have an `id` attribute
Output:
An ordered or unordered list representing the table of contents of a markdown block. This snippet will only
generate the table of contents and will NOT output the markdown given to it
{% endcomment %}
{% capture newline %}
{% endcapture %}
{% assign newline = newline | rstrip %} <!-- Remove the extra spacing but preserve the newline -->
{% capture deprecation_warnings %}{% endcapture %}
{% if include.baseurl %}
{% capture deprecation_warnings %}{{ deprecation_warnings }}<!-- jekyll-toc :: "baseurl" has been deprecated, use "base_url" instead -->{{ newline }}{% endcapture %}
{% endif %}
{% if include.skipNoIDs %}
{% capture deprecation_warnings %}{{ deprecation_warnings }}<!-- jekyll-toc :: "skipNoIDs" has been deprecated, use "skip_no_ids" instead -->{{ newline }}{% endcapture %}
{% endif %}
{% capture jekyll_toc %}{% endcapture %}
{% assign orderedList = include.ordered | default: false %}
{% assign baseURL = include.base_url | default: include.baseurl | default: '' %}
{% assign skipNoIDs = include.skip_no_ids | default: include.skipNoIDs | default: false %}
{% assign minHeader = include.h_min | default: 1 %}
{% assign maxHeader = include.h_max | default: 6 %}
{% assign nodes = include.html | strip | split: '<h' %}
{% assign firstHeader = true %}
{% assign currLevel = 0 %}
{% assign lastLevel = 0 %}
{% capture listModifier %}{% if orderedList %}ol{% else %}ul{% endif %}{% endcapture %}
{% for node in nodes %}
{% if node == "" %}
{% continue %}
{% endif %}
{% assign currLevel = node | replace: '"', '' | slice: 0, 1 | times: 1 %}
{% if currLevel < minHeader or currLevel > maxHeader %}
{% continue %}
{% endif %}
{% assign _workspace = node | split: '</h' %}
{% assign _idWorkspace = _workspace[0] | split: 'id="' %}
{% assign _idWorkspace = _idWorkspace[1] | split: '"' %}
{% assign htmlID = _idWorkspace[0] %}
{% assign _classWorkspace = _workspace[0] | split: 'class="' %}
{% assign _classWorkspace = _classWorkspace[1] | split: '"' %}
{% assign htmlClass = _classWorkspace[0] %}
{% if htmlClass contains "no_toc" %}
{% continue %}
{% endif %}
{% if firstHeader %}
{% assign minHeader = currLevel %}
{% endif %}
{% capture _hAttrToStrip %}{{ _workspace[0] | split: '>' | first }}>{% endcapture %}
{% assign header = _workspace[0] | replace: _hAttrToStrip, '' %}
{% if include.item_class and include.item_class != blank %}
{% capture listItemClass %} class="{{ include.item_class | replace: '%level%', currLevel | split: '.' | join: ' ' }}"{% endcapture %}
{% endif %}
{% if include.submenu_class and include.submenu_class != blank %}
{% assign subMenuLevel = currLevel | minus: 1 %}
{% capture subMenuClass %} class="{{ include.submenu_class | replace: '%level%', subMenuLevel | split: '.' | join: ' ' }}"{% endcapture %}
{% endif %}
{% capture anchorBody %}{% if include.sanitize %}{{ header | strip_html }}{% else %}{{ header }}{% endif %}{% endcapture %}
{% if htmlID %}
{% capture anchorAttributes %} href="{% if baseURL %}{{ baseURL }}{% endif %}#{{ htmlID }}"{% endcapture %}
{% if include.anchor_class %}
{% capture anchorAttributes %}{{ anchorAttributes }} class="{{ include.anchor_class | split: '.' | join: ' ' }}"{% endcapture %}
{% endif %}
{% capture listItem %}<a{{ anchorAttributes }}>{{ anchorBody }}</a>{% endcapture %}
{% elsif skipNoIDs == true %}
{% continue %}
{% else %}
{% capture listItem %}{{ anchorBody }}{% endcapture %}
{% endif %}
{% if currLevel > lastLevel %}
{% capture jekyll_toc %}{{ jekyll_toc }}<{{ listModifier }}{{ subMenuClass }}>{% endcapture %}
{% elsif currLevel < lastLevel %}
{% assign repeatCount = lastLevel | minus: currLevel %}
{% for i in (1..repeatCount) %}
{% capture jekyll_toc %}{{ jekyll_toc }}</li></{{ listModifier }}>{% endcapture %}
{% endfor %}
{% capture jekyll_toc %}{{ jekyll_toc }}</li>{% endcapture %}
{% else %}
{% capture jekyll_toc %}{{ jekyll_toc }}</li>{% endcapture %}
{% endif %}
{% capture jekyll_toc %}{{ jekyll_toc }}<li{{ listItemClass }}>{{ listItem }}{% endcapture %}
{% assign lastLevel = currLevel %}
{% assign firstHeader = false %}
{% endfor %}
{% assign repeatCount = minHeader | minus: 1 %}
{% assign repeatCount = lastLevel | minus: repeatCount %}
{% for i in (1..repeatCount) %}
{% capture jekyll_toc %}{{ jekyll_toc }}</li></{{ listModifier }}>{% endcapture %}
{% endfor %}
{% if jekyll_toc != '' %}
{% assign rootAttributes = '' %}
{% if include.class and include.class != blank %}
{% capture rootAttributes %} class="{{ include.class | split: '.' | join: ' ' }}"{% endcapture %}
{% endif %}
{% if include.id and include.id != blank %}
{% capture rootAttributes %}{{ rootAttributes }} id="{{ include.id }}"{% endcapture %}
{% endif %}
{% if rootAttributes %}
{% assign nodes = jekyll_toc | split: '>' %}
{% capture jekyll_toc %}<{{ listModifier }}{{ rootAttributes }}>{{ nodes | shift | join: '>' }}>{% endcapture %}
{% endif %}
{% endif %}
{% endcapture %}{% assign tocWorkspace = '' %}{{ deprecation_warnings }}{{ jekyll_toc }}

View File

@ -1,10 +0,0 @@
---
# Jekyll layout that compresses HTML
# v3.1.0
# http://jch.penibelst.de/
# © 20142015 Anatol Broder
# MIT License
---
{% capture _LINE_FEED %}
{% endcapture %}{% if site.compress_html.ignore.envs contains jekyll.environment or site.compress_html.ignore.envs == "all" %}{{ content }}{% else %}{% capture _content %}{{ content }}{% endcapture %}{% assign _profile = site.compress_html.profile %}{% if site.compress_html.endings == "all" %}{% assign _endings = "html head body li dt dd optgroup option colgroup caption thead tbody tfoot tr td th" | split: " " %}{% else %}{% assign _endings = site.compress_html.endings %}{% endif %}{% for _element in _endings %}{% capture _end %}</{{ _element }}>{% endcapture %}{% assign _content = _content | remove: _end %}{% endfor %}{% if _profile and _endings %}{% assign _profile_endings = _content | size | plus: 1 %}{% endif %}{% for _element in site.compress_html.startings %}{% capture _start %}<{{ _element }}>{% endcapture %}{% assign _content = _content | remove: _start %}{% endfor %}{% if _profile and site.compress_html.startings %}{% assign _profile_startings = _content | size | plus: 1 %}{% endif %}{% if site.compress_html.comments == "all" %}{% assign _comments = "<!-- -->" | split: " " %}{% else %}{% assign _comments = site.compress_html.comments %}{% endif %}{% if _comments.size == 2 %}{% capture _comment_befores %}.{{ _content }}{% endcapture %}{% assign _comment_befores = _comment_befores | split: _comments.first %}{% for _comment_before in _comment_befores %}{% if forloop.first %}{% continue %}{% endif %}{% capture _comment_outside %}{% if _carry %}{{ _comments.first }}{% endif %}{{ _comment_before }}{% endcapture %}{% capture _comment %}{% unless _carry %}{{ _comments.first }}{% endunless %}{{ _comment_outside | split: _comments.last | first }}{% if _comment_outside contains _comments.last %}{{ _comments.last }}{% assign _carry = false %}{% else %}{% assign _carry = true %}{% endif %}{% endcapture %}{% assign _content = _content | remove_first: _comment %}{% endfor %}{% if _profile %}{% assign _profile_comments = _content | size | plus: 1 %}{% endif %}{% endif %}{% assign _pre_befores = _content | split: "<pre" %}{% assign _content = "" %}{% for _pre_before in _pre_befores %}{% assign _pres = _pre_before | split: "</pre>" %}{% assign _pres_after = "" %}{% if _pres.size != 0 %}{% if site.compress_html.blanklines %}{% assign _lines = _pres.last | split: _LINE_FEED %}{% capture _pres_after %}{% for _line in _lines %}{% assign _trimmed = _line | split: " " | join: " " %}{% if _trimmed != empty or forloop.last %}{% unless forloop.first %}{{ _LINE_FEED }}{% endunless %}{{ _line }}{% endif %}{% endfor %}{% endcapture %}{% else %}{% assign _pres_after = _pres.last | split: " " | join: " " %}{% endif %}{% endif %}{% capture _content %}{{ _content }}{% if _pre_before contains "</pre>" %}<pre{{ _pres.first }}</pre>{% endif %}{% unless _pre_before contains "</pre>" and _pres.size == 1 %}{{ _pres_after }}{% endunless %}{% endcapture %}{% endfor %}{% if _profile %}{% assign _profile_collapse = _content | size | plus: 1 %}{% endif %}{% if site.compress_html.clippings == "all" %}{% assign _clippings = "html head title base link meta style body article section nav aside h1 h2 h3 h4 h5 h6 hgroup header footer address p hr blockquote ol ul li dl dt dd figure figcaption main div table caption colgroup col tbody thead tfoot tr td th" | split: " " %}{% else %}{% assign _clippings = site.compress_html.clippings %}{% endif %}{% for _element in _clippings %}{% assign _edges = " <e;<e; </e>;</e>;</e> ;</e>" | replace: "e", _element | split: ";" %}{% assign _content = _content | replace: _edges[0], _edges[1] | replace: _edges[2], _edges[3] | replace: _edges[4], _edges[5] %}{% endfor %}{% if _profile and _clippings %}{% assign _profile_clippings = _content | size | plus: 1 %}{% endif %}{{ _content }}{% if _profile %} <table id="compress_html_profile_{{ site.time | date: "%Y%m%d" }}" class="compress_html_profile"> <thead> <tr> <td>Step <td>Bytes <tbody> <tr> <td>raw <td>{{ content | size }}{% if _profile_endings %} <tr> <td>endings <td>{{ _profile_endings }}{% endif %}{% if _profile_startings %} <tr> <td>startings <td>{{ _profile_startings }}{% endif %}{% if _profile_comments %} <tr> <td>comments <td>{{ _profile_comments }}{% endif %}{% if _profile_collapse %} <tr> <td>collapse <td>{{ _profile_collapse }}{% endif %}{% if _profile_clippings %} <tr> <td>clippings <td>{{ _profile_clippings }}{% endif %} </table>{% endif %}{% endif %}

View File

@ -1,30 +0,0 @@
---
layout: wrapper
---
<div class="h-entry one column">
<div class="row page-header">
<a class="u-uid" href="{{ page.url }}"><h1 class="p-name">{{ page.title }}</h1></a>
<p>{{ page.description }}</p>
</div>
{% if page.toc == true %}
<div class="row toc">
<h2>{% case page.lang %}{% when 'it' %}Indice{% else %}Table of contents{% endcase %}</h2>
{% include toc.html html=content %}
</div>
{% endif %}
<div class="row">
<article class="e-content note">
<p>{{ page.description }}</p>
{% include anchor-parser.html html=content %}
</article>
</div>
<div class="flex row">
<a class="button" href="/l{{ page.nextlevel }}">{% if page.lang == 'it' %}Livello successivo{% else %}Next level{%endif %}</a>
</div>
{% include edit.html %}
{% include share.html %}
</div>

View File

@ -1,64 +0,0 @@
.highlight .hll { background-color: transparent; }
.highlight .c { color: var(--light-grey); } /* Comment */
.highlight .err { color: white; background-color: var(--red); } /* Error */
.highlight .k { color: var(--blue); } /* Keyword */
.highlight .l { color: var(--razzmatazz); } /* Literal */
.highlight .n { color: white; } /* Name */
.highlight .o { color: var(--red); } /* Operator */
.highlight .p { color: var(--text); } /* Punctuation */
.highlight .cm { color: var(--light-grey); } /* Comment.Multiline */
.highlight .c { color: var(--light-grey); } /* Comment.Preproc */
.highlight .c1 { color: var(--light-grey); } /* Comment.Single */
.highlight .cs { color: var(--light-grey); } /* Comment.Special */
.highlight .ge { font-style: italic } /* Generic.Emph */
.highlight .gs { font-weight: bold } /* Generic.Strong */
.highlight .kc { color: var(--blue); } /* Keyword.Constant */
.highlight .kd { color: var(--blue); } /* Keyword.Declaration */
.highlight .kn { color: var(--red); } /* Keyword.Namespace */
.highlight .kp { color: var(--blue); } /* Keyword.Pseudo */
.highlight .kr { color: var(--blue); } /* Keyword.Reserved */
.highlight .kt { color: var(--blue); } /* Keyword.Type */
.highlight .ld { color: var(--yellow); } /* Literal.Date */
.highlight .m { color: var(--razzmatazz); } /* Literal.Number */
.highlight .s { color: var(--yellow); } /* Literal.String */
.highlight .na { color: var(--green); } /* Name.Attribute */
.highlight .nb { color: var(--text); } /* Name.Builtin */
.highlight .nc { color: var(--green); } /* Name.Class */
.highlight .no { color: var(--blue); } /* Name.Constant */
.highlight .nd { color: var(--green); } /* Name.Decorator */
.highlight .ni { color: var(--text); } /* Name.Entity */
.highlight .ne { color: var(--green); } /* Name.Exception */
.highlight .nf { color: var(--green); } /* Name.Function */
.highlight .nl { color: var(--text); } /* Name.Label */
.highlight .nn { color: var(--text); } /* Name.Namespace */
.highlight .nx { color: var(--green); } /* Name.Other */
.highlight .py { color: var(--text); } /* Name.Property */
.highlight .nt { color: var(--red); } /* Name.Tag */
.highlight .nv { color: var(--light-grey); } /* Name.Variable */
.highlight .ow { color: var(--red); } /* Operator.Word */
.highlight .w { color: var(--text); } /* Text.Whitespace */
.highlight .mf { color: var(--razzmatazz); } /* Literal.Number.Float */
.highlight .mh { color: var(--razzmatazz); } /* Literal.Number.Hex */
.highlight .mi { color: var(--razzmatazz); } /* Literal.Number.Integer */
.highlight .mo { color: var(--razzmatazz); } /* Literal.Number.Oct */
.highlight .sb { color: var(--yellow); } /* Literal.String.Backtick */
.highlight .sc { color: var(--yellow); } /* Literal.String.Char */
.highlight .sd { color: var(--yellow); } /* Literal.String.Doc */
.highlight .s2 { color: var(--yellow); } /* Literal.String.Double */
.highlight .se { color: var(--razzmatazz); } /* Literal.String.Escape */
.highlight .sh { color: var(--yellow); } /* Literal.String.Heredoc */
.highlight .si { color: var(--yellow); } /* Literal.String.Interpol */
.highlight .sx { color: var(--yellow); } /* Literal.String.Other */
.highlight .sr { color: var(--yellow); } /* Literal.String.Regex */
.highlight .s1 { color: var(--yellow); } /* Literal.String.Single */
.highlight .ss { color: var(--yellow); } /* Literal.String.Symbol */
.highlight .bp { color: var(--text); } /* Name.Builtin.Pseudo */
.highlight .vc { color: var(--text); } /* Name.Variable.Class */
.highlight .vg { color: var(--text); } /* Name.Variable.Global */
.highlight .vi { color: var(--text); } /* Name.Variable.Instance */
.highlight .il { color: var(--razzmatazz); } /* Literal.Number.Integer.Long */
.highlight .gh { color: var(--text); } /* Generic Heading & Diff Header */
.highlight .gu { color: var(--light-grey); } /* Generic.Subheading & Diff Unified/Comment? */
.highlight .gd { color: var(--red); } /* Generic.Deleted & Diff Deleted */
.highlight .gi { color: var(--green); } /* Generic.Inserted & Diff Inserted */

16
data/site.json Normal file
View File

@ -0,0 +1,16 @@
{
"title": "Quit Social Media",
"url": "https://quitsocialmedia.club",
"domain": "quitsocialmedia.club",
"author":{
"name": "Tommi",
"email": "surfing@tommi.space",
"avatar": "https://tommi.space/profile.jpg",
"url": "https://tommi.space/about"
},
"primary": "#E6£946",
"description": "Why and How to quit mainstream social media",
"favicon": "https://quitsocialmedia.club/favicon.svg",
"image": "/logos/qsm.png",
"source": "https://codeberg.org/tommi/quitsocialmedia.club"
}

View File

@ -1,15 +1,10 @@
---
---
/* TEAM */
Author: Tommi
Contact: tommi@quitsocialmedia.club
Mastodon: @xplosionmind@mastodon.online
Mastodon: @tommi@stream.tommi.space
Location: Italy
/* SITE */
Last update: {{ site.last_modified_at }}
Standards: HTML5, CSS3, pure JavaScript (the latter used in very few cases)
Components: none
Software: Jekyll
Software: Eleventy

View File

@ -1,13 +1,13 @@
<div class='row'>
<div class='blue box'>
🤔
{% case page.lang %}
{% case page.data.lang %}
{% when 'it' %}
Ciò che è scritto in questa pagina ti lascia perplesso, contrariato, o ti sembra manchi qualcosa? Se la risposta è affermativa, sarebbe favoloso se potessi <a href='/contribuisci' target='_blank' title='Contribuisci'>contribuire</a> per migliorarne i contenuti 📈!
{% when 'fr' %}
Est-ce que les choses écrites ici ne vous convincez pas? Si la réponse est affirmative, vous pourriez <a href='/contribuez' title='Contribuez'>contribuer</a> et rendre ce site meilleur 📈!
{% else %}
What is written in this page left you puzzled, vexed, or you feel something is missing? If the answer is affirmative, you really should <a href='/contribute' rel='noener noreferrer' target='_blank' title=''>contribute</a> and make it better 📈!
What is written in this page left you puzzled, vexed, or you feel something is missing? If the answer is affirmative, you really should <a href='/contribute' target='_blank' title='Contribute'>contribute</a> and make it better 📈!
{% endcase %}
</div>
</div>

View File

@ -1,5 +1,5 @@
---
layout: none
layout: ~
---
<!DOCTYPE html>
<html>
@ -21,9 +21,9 @@ layout: none
}
</style>
<body>
<a class='vertical flex' href='{{ page.link }}'>
<h1 style='margin: var(--regular) auto'>{{ page.title }}</h1>
{{ content | markdownify }}
<a class='vertical flex' href='{{ link }}'>
<h1 style='margin: var(--regular) auto'>{{ title }}</h1>
{{ content }}
</a>
</body>
</html>

29
layouts/level.html Normal file
View File

@ -0,0 +1,29 @@
---
layout: wrapper
---
<div class='h-entry one column'>
<div class='row page-header'>
<a class='u-uid' href='{{ page.url }}'><h1 class='p-name'>{{ title }}</h1></a>
<p>{{ description }}</p>
</div>
{% if toc %}
<div class='row toc'>
<h2>{% case page.lang %}{% when 'it' %}Indice{% else %}Table of contents{% endcase %}</h2>
</div>
{% endif %}
<div class='row'>
<article class='e-content note'>
<p>{{ description }}</p>
{% {{ content }} %}
</article>
</div>
<div class='flex row'>
<a class='button' href='/l{{ page.nextlevel }}'>{% if page.lang == 'it' %}Livello successivo{% else %}Next level{%endif %}</a>
</div>
{% include edit.html %}
{% include share.html %}
</div>

View File

@ -1,5 +1,4 @@
---
layout: compress
---
<!DOCTYPE html>
<html lang='{% if page.lang == 'it' %}it{% else %}en{% endif %}'>

21056
package-lock.json generated Normal file

File diff suppressed because it is too large Load Diff

364
package.json Normal file
View File

@ -0,0 +1,364 @@
{
"name": "quitsocialmedia.club",
"version": "1.0.0",
"description": "Quit Social Media",
"scripts": {
"watch:sass": "sass --watch --style=compressed styles:www",
"build:sass": "sass --style=compressed styles/:www",
"watch:eleventy": "ELEVENTY_ENV=development eleventy --serve --watch",
"build:eleventy": "ELEVENTY_ENV=production eleventy",
"start": "npm-run-all build:sass --parallel watch:*",
"build": "npm-run-all build:*",
"debug": "DEBUG=Eleventy* npm start",
"clean": "del-cli dist"
},
"repository": {
"type": "git",
"url": "git+https://codeberg.org/tommi/quitsocialmedia.club.git"
},
"keywords": [],
"author": "",
"license": "ISC",
"bugs": {
"url": "https://codeberg.org/tommi/quitsocialmedia.club/issues"
},
"homepage": "https://quitsocialmedia.club",
"devDependencies": {
"@11ty/eleventy": "^1.0.1",
"@11ty/eleventy-img": "^2.0.0",
"@11ty/eleventy-plugin-directory-output": "^1.0.1",
"@11ty/eleventy-plugin-rss": "^1.1.2",
"@11ty/eleventy-plugin-syntaxhighlight": "^4.0.0",
"@sardine/eleventy-plugin-tinyhtml": "^0.2.0",
"@sardine/eleventy-plugin-tinysvg": "^1.2.0",
"clean-css": "^5.3.0",
"csv-parse": "^5.0.4",
"eleventy-plugin-svg-contents": "^0.7.0",
"eleventy-plugin-youtube-embed": "^1.7.0",
"fs": "^0.0.1-security",
"lodash": "^4.17.21",
"markdown-it": "^12.3.2",
"markdown-it-abbr": "^1.0.4",
"markdown-it-anchor": "^8.4.1",
"markdown-it-attrs": "^4.1.3",
"markdown-it-collapsible": "^1.0.0",
"markdown-it-container": "^3.0.0",
"markdown-it-del": "^0.1.0",
"markdown-it-footnote": "^3.0.3",
"markdown-it-ins": "^3.0.1",
"markdown-it-mark": "^3.0.1",
"markdown-it-mathjax3": "^4.3.1",
"markdown-it-sub": "^1.0.0",
"markdown-it-sup": "^1.0.0",
"markdown-it-task-lists": "^2.1.1",
"markdown-it-wikilinks": "^1.2.0",
"node-fetch": "^3.2.3",
"npm-run-all": "^4.1.5",
"relateurl": "^0.2.7",
"run-all": "^1.0.1",
"sass": "^1.49.9",
"uglify-js": "^3.15.3"
},
"dependencies": {
"@aloskutov/eleventy-plugin-external-links": "^1.4.0",
"@quasibit/eleventy-plugin-schema": "^1.9.1",
"@quasibit/eleventy-plugin-sitemap": "^2.1.5",
"a-sync-waterfall": "^1.0.1",
"abbrev": "^1.1.1",
"accepts": "^1.3.8",
"acorn": "^8.7.0",
"after": "^0.8.2",
"ansi-regex": "^6.0.1",
"ansi-styles": "^6.1.0",
"anymatch": "^3.1.2",
"argparse": "^2.0.1",
"array-differ": "^4.0.0",
"array-union": "^3.0.1",
"array-uniq": "^3.0.0",
"arraybuffer.slice": "^0.0.7",
"arrify": "^3.0.0",
"asap": "^2.0.6",
"assert-never": "^1.2.1",
"async": "^3.2.3",
"async-each-series": "^1.1.0",
"axios": "^0.26.1",
"babel-walk": "^3.0.0",
"backo2": "^1.0.2",
"balanced-match": "^2.0.0",
"base64-arraybuffer": "^1.0.2",
"base64id": "^2.0.0",
"batch": "^0.6.1",
"binary-extensions": "^2.2.0",
"blob": "^0.1.0",
"brace-expansion": "^2.0.1",
"braces": "^3.0.2",
"browser-sync": "^2.27.9",
"browser-sync-client": "^2.27.9",
"browser-sync-ui": "^2.27.9",
"bs-recipes": "^1.3.4",
"bs-snippet-injector": "^2.0.1",
"bytes": "^3.1.2",
"call-bind": "^1.0.2",
"camelcase": "^6.3.0",
"chalk": "^5.0.1",
"character-parser": "^4.0.0",
"chokidar": "^3.5.3",
"cliui": "^7.0.4",
"color-convert": "^2.0.1",
"color-name": "^1.1.4",
"commander": "^9.1.0",
"component-bind": "^1.0.0",
"component-emitter": "^1.3.0",
"component-inherit": "^0.0.3",
"concat-map": "^0.0.1",
"condense-newlines": "^0.2.1",
"config-chain": "^1.1.13",
"connect": "^3.7.0",
"connect-history-api-fallback": "^1.6.0",
"constantinople": "^4.0.1",
"cookie": "^0.4.2",
"date-time": "^4.0.0",
"debug": "^4.3.4",
"decamelize": "^6.0.0",
"del": "^6.0.0",
"del-cli": "^4.0.1",
"depd": "^2.0.0",
"dependency-graph": "^0.11.0",
"destroy": "^1.2.0",
"dev-ip": "^1.0.1",
"dlv": "^1.1.3",
"doctypes": "^1.1.0",
"easy-extender": "^2.3.4",
"eazy-logger": "^3.1.0",
"editorconfig": "^0.15.3",
"ee-first": "^1.1.1",
"ejs": "^3.1.6",
"eleventy-plugin-embed-everything": "^1.14.0",
"eleventy-plugin-embed-instagram": "^1.2.3",
"eleventy-plugin-find": "^1.0.0",
"eleventy-plugin-toc": "^1.1.5",
"emoji-regex": "^10.0.1",
"encodeurl": "^1.0.2",
"engine.io": "^6.1.3",
"engine.io-client": "^6.1.1",
"engine.io-parser": "^5.0.3",
"entities": "^3.0.1",
"errno": "^1.0.0",
"escalade": "^3.1.1",
"escape-html": "^1.0.3",
"escape-string-regexp": "^5.0.0",
"esprima": "^4.0.1",
"etag": "^1.8.1",
"eventemitter3": "^4.0.7",
"extend-shallow": "^3.0.2",
"fast-glob": "^3.2.11",
"fastq": "^1.13.0",
"fill-range": "^7.0.1",
"finalhandler": "^1.2.0",
"find-up": "^6.3.0",
"follow-redirects": "^1.14.9",
"fresh": "^0.5.2",
"fs-extra": "^10.0.1",
"fs.realpath": "^1.0.0",
"fsevents": "^2.3.2",
"function-bind": "^1.1.1",
"get-caller-file": "^2.0.5",
"get-intrinsic": "^1.1.1",
"glob": "^7.2.0",
"glob-parent": "^6.0.2",
"globby": "^13.1.1",
"graceful-fs": "^4.2.9",
"gray-matter": "^4.0.3",
"hamljs": "^0.6.2",
"handlebars": "^4.7.7",
"has": "^1.0.3",
"has-ansi": "^5.0.1",
"has-binary2": "^2.0.0",
"has-color": "^0.1.7",
"has-cors": "^1.1.0",
"has-flag": "^5.0.1",
"has-symbols": "^1.0.3",
"has-tostringtag": "^1.0.0",
"http-errors": "^2.0.0",
"http-proxy": "^1.18.1",
"iconv-lite": "^0.6.3",
"immutable": "^4.0.0",
"indexof": "^0.0.1",
"inflight": "^1.0.6",
"inherits": "^2.0.4",
"ini": "^2.0.0",
"is-absolute": "^1.0.0",
"is-binary-path": "^2.1.0",
"is-buffer": "^2.0.5",
"is-core-module": "^2.8.1",
"is-expression": "^4.0.0",
"is-extendable": "^1.0.1",
"is-extglob": "^2.1.1",
"is-fullwidth-code-point": "^4.0.0",
"is-glob": "^4.0.3",
"is-number": "^7.0.0",
"is-number-like": "^1.0.8",
"is-path-cwd": "^3.0.0",
"is-path-in-cwd": "^4.0.0",
"is-path-inside": "^4.0.0",
"is-promise": "^4.0.0",
"is-regex": "^1.1.4",
"is-relative": "^1.0.0",
"is-unc-path": "^1.0.0",
"is-whitespace": "^0.3.0",
"is-windows": "^1.0.2",
"is-wsl": "^2.2.0",
"isarray": "^2.0.5",
"javascript-stringify": "^2.1.0",
"js-beautify": "^1.14.0",
"js-stringify": "^1.0.2",
"js-yaml": "^4.1.0",
"jsonfile": "^6.1.0",
"jstransformer": "^1.0.0",
"junk": "^4.0.0",
"kind-of": "^6.0.3",
"limiter": "^2.1.0",
"linkify-it": "^3.0.3",
"liquidjs": "^9.36.0",
"localtunnel": "^2.0.2",
"locate-path": "^7.1.0",
"lodash.isfinite": "^3.3.2",
"lru-cache": "^7.7.1",
"luxon": "^2.3.1",
"map-cache": "^0.2.2",
"maximatch": "^0.1.0",
"mdurl": "^1.0.1",
"merge2": "^1.4.1",
"micromatch": "^4.0.4",
"mime": "^3.0.0",
"mime-db": "^1.52.0",
"mime-types": "^2.1.35",
"minimatch": "^5.0.1",
"minimist": "^1.2.6",
"mitt": "^3.0.0",
"mkdirp": "^1.0.4",
"moo": "^0.5.1",
"ms": "^2.1.3",
"multimatch": "^6.0.0",
"mustache": "^4.2.0",
"negotiator": "^0.6.3",
"neo-async": "^2.6.2",
"nopt": "^5.0.0",
"normalize-path": "^3.0.0",
"npm-check-updates": "^12.5.4",
"nunjucks": "^3.2.3",
"object-assign": "^4.1.1",
"on-finished": "^2.4.1",
"once": "^1.4.0",
"openurl": "^1.1.1",
"opn": "^5.5.0",
"p-limit": "^4.0.0",
"p-locate": "^6.0.0",
"p-try": "^3.0.0",
"parse-filepath": "^1.0.2",
"parse-ms": "^3.0.0",
"parseqs": "^0.0.6",
"parseuri": "^0.0.6",
"parseurl": "^1.3.3",
"path-exists": "^5.0.0",
"path-is-absolute": "^1.0.1",
"path-is-inside": "^1.0.2",
"path-parse": "^1.0.7",
"path-root": "^0.1.1",
"path-root-regex": "^0.1.2",
"picomatch": "^2.3.1",
"pify": "^5.0.0",
"pinkie": "^2.0.4",
"pinkie-promise": "^2.0.1",
"please-upgrade-node": "^3.2.0",
"portscanner": "^2.2.0",
"pretty": "^2.0.0",
"pretty-ms": "^7.0.1",
"promise": "^8.1.0",
"proto-list": "^1.2.4",
"prr": "^1.0.1",
"pseudomap": "^1.0.2",
"pug": "^3.0.2",
"pug-attrs": "^3.0.0",
"pug-code-gen": "^3.0.2",
"pug-error": "^2.0.0",
"pug-filters": "^4.0.0",
"pug-lexer": "^5.0.1",
"pug-linker": "^4.0.0",
"pug-load": "^3.0.0",
"pug-parser": "^6.0.0",
"pug-runtime": "^3.0.1",
"pug-strip-comments": "^2.0.0",
"pug-walk": "^2.0.0",
"qs": "^6.10.3",
"queue-microtask": "^1.2.3",
"range-parser": "^1.2.1",
"raw-body": "^2.5.1",
"readdirp": "^3.6.0",
"recursive-copy": "^2.0.14",
"require-directory": "^2.1.1",
"require-main-filename": "^2.0.0",
"requires-port": "^1.0.0",
"resolve": "^1.22.0",
"resp-modifier": "^6.0.2",
"reusify": "^1.0.4",
"rimraf": "^3.0.2",
"run-parallel": "^1.2.0",
"rx": "^4.1.0",
"rxjs": "^7.5.5",
"safer-buffer": "^2.1.2",
"section-matter": "^1.0.0",
"semver": "^7.3.5",
"semver-compare": "^1.0.0",
"send": "^0.17.2",
"serve-index": "^1.9.1",
"serve-static": "^1.14.2",
"server-destroy": "^1.0.1",
"set-blocking": "^2.0.0",
"setprototypeof": "^1.2.0",
"sigmund": "^1.0.1",
"slash": "^4.0.0",
"slugify": "^1.6.5",
"socket.io": "^4.4.1",
"socket.io-adapter": "^2.3.3",
"socket.io-client": "^4.4.1",
"socket.io-parser": "^4.1.2",
"source-map": "^0.7.3",
"sprintf-js": "^1.1.2",
"statuses": "^2.0.1",
"stream-throttle": "^0.1.3",
"string-width": "^5.1.2",
"strip-ansi": "^7.0.1",
"strip-bom-string": "^1.0.0",
"supports-color": "^9.2.1",
"symbol-observable": "^4.0.0",
"text-table": "^0.2.0",
"tfunk": "^4.0.0",
"time-require": "^0.1.2",
"to-array": "^0.1.4",
"to-fast-properties": "^4.0.0",
"to-regex-range": "^5.0.1",
"toidentifier": "^1.0.1",
"token-stream": "^1.0.0",
"ua-parser-js": "^1.0.2",
"uc.micro": "^1.0.6",
"unc-path-regex": "^0.1.2",
"universalify": "^2.0.0",
"unpipe": "^1.0.0",
"utils-merge": "^1.0.1",
"valid-url": "^1.0.9",
"void-elements": "^3.1.0",
"which-module": "^2.0.0",
"with": "^7.0.2",
"wordwrap": "^1.0.0",
"wrap-ansi": "^8.0.1",
"wrappy": "^1.0.2",
"ws": "^8.5.0",
"xmlhttprequest-ssl": "^2.0.0",
"y18n": "^5.0.8",
"yallist": "^4.0.0",
"yargs": "^17.4.0",
"yargs-parser": "^21.0.1",
"yeast": "^0.1.2"
}
}

View File

@ -1,8 +1,8 @@
---
title: But…
ref: ma
permalink: /but
redirect_from: [/yet,/objections,/but…,/mais,/mais…]
permalink: /but/
redirect_from: [/yet/,/objections/,/but…/,/mais/,/mais…/]
description: There are a ton of reasons to abandon Social Media, but there are a lot of arguably equally valuable ones not to do so. Here I will go through the main ones and show how nuch they are not completely valid.
tags: l10n
---

View File

@ -1,9 +1,9 @@
---
title: Contribute
permalink: /contribute
permalink: /contribute/
ref: contrib
description: 'If you think this website is useful, insightful, necessary and/or important, you should consider contributing to make it even better!'
redirect_from: [/contribuer,/contribuez,/n1000,/contribution,/contribution-guide,/contrib,/l1000,/l-1000,/l-1000,/level05,/level-1000,/level1000]
description: If you think this website is useful, insightful, necessary and/or important, you should consider contributing to make it even better!
redirect_from: [/contribuer/,/contribuez/,/n1000/,/contribution/,/contribution-guide/,/contrib/,/l1000/,/l-1000/,/l-1000/,/level05/,/level-1000/,/level1000/]
toc: false
---
There are several ways to contribute to this website, and any of these is very much appreciated.
@ -12,6 +12,5 @@ There are several ways to contribute to this website, and any of these is very m
- [**Translate**](/l10n 'Localization page') the websites content
- **Add knowledge**: suggest videos, talks, researches, articles, etc.
- **Improve content**: fix typos, suggest better ways to explain things, report incorrect data or unreliable sources
<!--{% comment %}- [Tommi](https://tommi.space 'Tommis personal website') is a student, he has no income and nevertheless he spent months [studying](/why 'Why') the topic, developing the idea, building this website, and curating its content. You might consider **[making a donation](https://liberapay.com/tommi/donate 'Make a donation through Liberapay')** for the time he devoted to quitsocialmedia.club.{% endcomment %}-->
The last two points can be achieved by forking this websites [repository](https://github.com/xplosionmind/quitsocialmedia.club/ 'quitsocialmedia.club source code on GitHub') and opening a pull request, or by [opening an issue](https://github.com/xplosionmind/quitsocialmedia.club/issues 'quitsocialmedia.club repository issues on GitHub') on GitHub.
The last two points can be achieved by forking this websites [repository](https://codeberg.org/tommi/quitsocialmedia.club 'quitsocialmedia.club source code on GitHub') and opening a pull request, or by opening an issue [on GitHub](https://github.com/xplosionmind/quitsocialmedia.club/issues 'quitsocialmedia.club repository issues on GitHub') or on [Codeberg](https://codeberg.org/tommi/quitsocialmedia.club/issues 'Issues for quitsocialmedia.club repository on Codeberg').

View File

@ -1,25 +1,26 @@
---
title: Contributors
permalink: /contributors
description: 'Everyone who <a href="/contribute" target="_blank" title="Contribute">contributed</a> to this website'
redirect_from: ["/people"]
permalink: /contributors/
description: |
Everyone who <a href='/contribute' title='Contribute'>contributed</a> to this website
redirect_from: [/people/]
ref: people
---
This website [was created](/about "About quitsocialmedia.club") by [Tommi](https://tommi.space "Tommi's personal website").
This website [was created](/about 'About quitsocialmedia.club') by [Tommi](https://tommi.space 'Tommi's personal website').
<br>
<br>
## Localization
Everyone who [localized](/l10n "Localization") this websites content:
Everyone who [localized](/l10n 'Localization') this websites content:
<ul>
{% for person in site.data.people %}
{% for person in people %}
{% if person.what contains 'l10n' %}
<li>
{% if person.url != nil %}
<a href="{{ person.url }}" rel="noopener noreferrer" target="_blank" title="{{ person.title }}">{{ person.name }} {{ person.surname }}</a>
<a href='{{ person.url }}' target='_blank' title='{{ person.title }}'>{{ person.name }} {{ person.surname }}</a>
{% else %}
{{ person.name }} {{ person.surname }}
{% endif %}
@ -36,11 +37,11 @@ Everyone who [localized](/l10n "Localization") this websites content:
Anyone who was consulted and contacted with questions regarding the website.
<ul>
{% for person in site.data.people %}
{% for person in people %}
{% if person.what contains 'help' %}
<li>
{% if person.url != nil %}
<a href="{{ person.url }}" rel="noopener noreferrer" target="_blank" title="{{ person.title }}">{{ person.name }} {{ person.surname }}</a>
<a href='{{ person.url }}' target='_blank' title='{{ person.title }}'>{{ person.name }} {{ person.surname }}</a>
{% else %}
{{ person.name }} {{ person.surname }}
{% endif %}
@ -57,11 +58,11 @@ Anyone who was consulted and contacted with questions regarding the website.
The authors of the drawings and illustrations displayed in the website.
<ul>
{% for person in site.data.people %}
{% for person in people %}
{% if person.what contains 'draw' %}
<li>
{% if person.url != nil %}
<a href="{{ person.url }}" rel="noopener noreferrer" target="_blank" title="{{ person.title }}">{{ person.name }} {{ person.surname }}</a>
<a href='{{ person.url }}' target='_blank' title='{{ person.title }}'>{{ person.name }} {{ person.surname }}</a>
{% else %}
{{ person.name }} {{ person.surname }}
{% endif %}

View File

@ -1,8 +1,8 @@
---
title: Delete your Social Media accounts
description: You are now certain it is time to delete your accounts. What does it imply? How do you do it?
permalink: /delete
redirect_from: [/quitter,/quittez,/supprimer,/supprimez,/quit,/delete-accounts,/delete-your-accounts,/l5,/l05,/l-05,/l-5,/level05,/level-5,/level-05,/level5]
permalink: /delete/
redirect_from: [/quitter/,/quittez/,/supprimer/,/supprimez/,/quit/,/delete-accounts/,/delete-your-accounts/,/l5/,/l05/,/l-05/,/l-5/,/level05/,/level-5/,/level-05/,/level5/]
ref: del
toc: false
---

View File

@ -1,16 +1,16 @@
---
title: Development
permalink: /development
redirect_from: ["/dev-roadmap", "/dev", "/dev-path", "/development-roadmap"]
description: "Technical stuff to do"
permalink: /development/
redirect_from: [/dev-roadmap/,/dev/,/dev-path/,/development-roadmap/]
description: 'Technical stuff to do'
toc: false
---
<div>
My personal roadmap to Internet Freedom, where <q>quitting Social Media</q> is at the top of the list, can be found <a href="https://tommi.space/path-to-internet-freedom" rel="noopener noreferrer" target="_blank" title="Tommi's path to Internet Freedom">here</a>.
My personal roadmap to Internet Freedom, where <q>quitting Social Media</q> is at the top of the list, can be found <a href='https://tommi.space/path-to-internet-freedom' target='_blank' title='Tommi's path to Internet Freedom'>here</a>.
</div>
<div class="blue box">
More detailed data in the <a href="/notes" title="Notes on quitsocialmedia.club">notes</a>
<div class='blue box'>
More detailed data in the <a href='/notes' title='Notes on quitsocialmedia.club'>notes</a>
</div>
<br>
@ -21,9 +21,9 @@ toc: false
Translations to be concluded:
<ul>
{%- for p in site.pages -%}
{%- for p in collections.all -%}
{%- if p.tags contains 'l10n' -%}
<li><a href="{{ p.url }}" title="{{ p.title }}">{{ p.title }}</a></li>
<li><a href='{{ p.url }}' title='{{ p.title }}'>{{ p.title }}</a></li>
{%- endif -%}
{%- endfor -%}
</ul>

View File

@ -1,23 +1,24 @@
---
title: Objections and replies
ref: faq
permalink: /faq
redirect_from: ["/wtf", "/frequently-asked-questions", "/replies-and-objections", "/objections-replies", "/objections-and-replies", "/replies-objections"]
description: "As most of writers do, I sent an early preview of this website to friends and people I admire to share their impressions. In a philosopher-like style, I address some of their objections and questions in this page."
permalink: /faq/
redirect_from: [/wtf/,/frequently-asked-questions/,/replies-and-objections/,/objections-replies/,/objections-and-replies/,/replies-objections/]
description: |
As most of writers do, I sent an early preview of this website to friends and people I admire to share their impressions. In a philosopher-like style, I address some of their objections and questions in this page.
---
## Coherence
##### *It's incoherent: <u>you are sharing <cite><a href="/">quitsocialmedia.club</a></cite> <b>on</b> Social Media</u>. If you promote the idea of abandoning social media and you use them to share your perspective, you go against the very idea of quitting them!*
##### *It is incoherent: <u>you are sharing <cite><a href='/'>quitsocialmedia.club</a></cite> <b>on</b> Social Media</u>. If you promote the idea of abandoning social media and you use them to share your perspective, you go against the very idea of quitting them!*
Not quite so. Think about this: if I love the strawberry flavour of the ice cream, I won't speak about how much strawberries are delicious with a friend who is eating a strawberry ice cream, I'll try to make my friend who is eating a chocolate ice cream taste a spoon of my strawberry one. Similarly, it makes no sense to quit Social Media and share this choice *off* Social Media: people who may quit are the ones who didn't quit yet, and, guess what, they can be reached by social media exclusively, since there is no other valid alternative.
This apparently incoherent decision conceals in itself one of the very reasons of quitting: you have no way (or if you do, it's very unlikely) of being noticed or reaching some audience unless it's done through those platforms.
The authors of <cite><a href="https://thesocialdilemma.com" rel="noopener noreferrer" target="_blank" title="The Social Dilemma">The Social Dilemma</a></cite> created official Social Media accounts of the movie, [giving a similar explanation](https://www.thesocialdilemma.com/code-of-ethics/ "The Social Dilemmas Code of Ethics").
The authors of <cite><a href='https://thesocialdilemma.com' target='_blank' title='The Social Dilemma'>The Social Dilemma</a></cite> created official Social Media accounts of the movie, [giving a similar explanation](https://www.thesocialdilemma.com/code-of-ethics/ 'The Social Dilemmas Code of Ethics').
<br>
##### *If you quit social media, you should quit **all*** Social Media. *Why do you consider only the big platforms?*
Mainly, because the vast majority of the problems derives from the fact that the most famous social media are owned by corporations which make profit by managing unethically their platforms. Strictly speaking, by definition social media are not something which is mainly bad, and as a shorthand it's quicker and simpler to write “Social Media” instead of “Social Media owned by for-profit companies that make money from activities users do for free”, or, as [Jaron Lanier](http://jaronlanier.com "Jaron Lanier") calls them, [BUMMER](https://thefourthrevolution.org/wordpress/archives/6262 "How BUMMER Became a New Acronym for Social Media").
Mainly, because the vast majority of the problems derives from the fact that the most famous social media are owned by corporations which make profit by managing unethically their platforms. Strictly speaking, by definition social media are not something which is mainly bad, and as a shorthand it's quicker and simpler to write “Social Media” instead of “Social Media owned by for-profit companies that make money from activities users do for free”, or, as [Jaron Lanier](http://jaronlanier.com 'Jaron Lanier') calls them, [BUMMER](https://thefourthrevolution.org/wordpress/archives/6262 'How BUMMER Became a New Acronym for Social Media').
Please refer to [what](/what) for further info.
<br>
@ -27,13 +28,13 @@ Please refer to [what](/what) for further info.
##### *Why <cite>Quit Social Media</cite> and not <cite>Tommi quits Social Media</cite>?*
I thoroughly explain the main reasons in the [About page](/about "About - quitsocialmedia.club"), but it's important to specify that I did not want to build a whole website to explain why *I* quit Social Media, or I would've done this on [my personal website](https://tommi.space "tommi.space"); I did this because I couldn't find a comprehensive list of reasons [why](/why "Why Quit Social Media") Social Media are bad anywhere on the web: there were articles (which I linked), videos and papers, but they all focused on very few points, never providing the whole picture. Since making this website has been a stressful, long and intense work, I believe it's not about me or my personal reasons for quitting, but it extensively covers all of the possible negative arguments which would make someone quit.
I thoroughly explain the main reasons in the [About page](/about 'About - quitsocialmedia.club'), but it's important to specify that I did not want to build a whole website to explain why *I* quit Social Media, or I would've done this on [my personal website](https://tommi.space 'tommi.space'); I did this because I couldn't find a comprehensive list of reasons [why](/why 'Why Quit Social Media') Social Media are bad anywhere on the web: there were articles (which I linked), videos and papers, but they all focused on very few points, never providing the whole picture. Since making this website has been a stressful, long and intense work, I believe it's not about me or my personal reasons for quitting, but it extensively covers all of the possible negative arguments which would make someone quit.
<br>
##### *Why the `.club` domain?*
I chose the `.club` domain because it was among the cheapest, but it also makes sense: [as I pointed out](/about "About - quitsocialmedia.club"), quitting Social Media alone and it makes very little sense.
I chose the `.club` domain because it was among the cheapest, but it also makes sense: [as I pointed out](/about 'About - quitsocialmedia.club'), quitting Social Media alone and it makes very little sense.
<br>
<br>
@ -49,8 +50,8 @@ Deep inside me, to be honest, I do not know; I just feel I need this, as strongl
##### *Is someone paying you? What's your gain in all of this?*
I have absolutely **no personal earnings** in creating this website and in spamming it everywhere. On the contrary, I invested so much time in writing these words and building this virtual place (Im not a developer) that I became very tired and stressed and I came close to giving up. Few months ago, I was so sleepy that by mistake I completely deleted the working directory of this website, irremediably losing months of hard work (Im dumb, yes).\
If you appreciate what I did, please [consider contributing](/contribute "Contribute").\
My personal gain is being happy of doing my part in trying to leave the world a little better than I found it, [as the great Baden Powell said](https://www.brainyquote.com/quotes/robert_badenpowell_753084 "“Try and leave this world a little better than you found it”"); of course, I will not deny that becoming famous, being inteviewed and followed by crowds of people, regardless of how unlikely it may be, is something I sincerely [hope](#expectations) deep inside me.
If you appreciate what I did, please [consider contributing](/contribute 'Contribute').\
My personal gain is being happy of doing my part in trying to leave the world a little better than I found it, [as the great Baden Powell said](https://www.brainyquote.com/quotes/robert_badenpowell_753084 '“Try and leave this world a little better than you found it”'); of course, I will not deny that becoming famous, being inteviewed and followed by crowds of people, regardless of how unlikely it may be, is something I sincerely [hope](#expectations) deep inside me.
<br>
<br>
@ -60,7 +61,7 @@ My personal gain is being happy of doing my part in trying to leave the world a
##### *Once the website will be completed, what will you do?*
A premise: this website, as everything on the internet, will never be **completely finished**. Anything which happens on the web is *a never-ending process*.\
I will spam it everywhere, talk about this in any chat with my friends. Aside from this, I am a [structured procrastinator](http://structuredprocrastination.com "Structured Procrastination") and I am [too busy](https://tommi.space/now "Tommis Now page") a ton of other stuff, so it's very unlikely that I will be able to keep this website updated and continue adding new content; however, if you are keen to improve and keep *quitsocialmedia.club* up to date, [you can do it by yourself](/contribute "Contribute")! About the technical aspects: if someone helps me paying for it, the `.club` domain will continue to be available, while the hosting is offered for free by [Netlify](https://netlify.com "Netlify"), therefore it's no problem.
I will spam it everywhere, talk about this in any chat with my friends. Aside from this, I am a [structured procrastinator](http://structuredprocrastination.com 'Structured Procrastination') and I am [too busy](https://tommi.space/now 'Tommis Now page') a ton of other stuff, so it's very unlikely that I will be able to keep this website updated and continue adding new content; however, if you are keen to improve and keep *quitsocialmedia.club* up to date, [you can do it by yourself](/contribute 'Contribute')! About the technical aspects: if someone helps me paying for it, the `.club` domain will continue to be available, while the hosting is offered for free by [Netlify](https://netlify.com 'Netlify'), therefore it's no problem.
<br>

View File

@ -1,78 +1,78 @@
---
title: Home
ref: home
permalink: /home
permalink: /home/
layout: wrapper
toc: false
---
<div class="one column">
<div class="row">
<div class="page-header">
<div class='one column'>
<div class='row'>
<div class='page-header'>
<h1>Quit Social Media</h1>
<p>All of the reasons why Social Media platforms are bad and possible solutions to live a happy life on the web without them</p>
</div>
</div>
<div class="red box row">
<h2 class="title">WTF is this website?</h2>
<div class='red box row'>
<h2 class='title'>WTF is this website?</h2>
<p>
<b>Short answer</b>: a place where all the reasons why social media are harmful are listed and several resources to deepen knowledge on the topic are provided, together with valid solutions and alternatives.
<br />
<b>Long answer</b>: read the <a href="/about">About page</a>
<b>Long answer</b>: read the <a href='/about'>About page</a>
</p>
<h3 class="title" style="margin-top:var(--twice)">Where to start</h3>
<h3 class='title' style='margin-top:var(--twice)'>Where to start</h3>
<p>
You probably are a busy person who does not have time to go through all of the stuff that is on here. Ok, I got you: just read this <a href="/quick">quick summary</a>
You probably are a busy person who does not have time to go through all of the stuff that is on here. Ok, I got you: just read this <a href='/quick'>quick summary</a>
</p>
<p>
If devoting a bit more of your time to the topic does not bother you, I can assure you its definitely worth it. I suggest you to follow <a href="/path" title="Path">this path</a>
If devoting a bit more of your time to the topic does not bother you, I can assure you its definitely worth it. I suggest you to follow <a href='/path' title='Path'>this path</a>
</p>
</div>
{% for post in site.posts %}
{% if forloop.first %}
<div class="row">
<a href="/blog"><h2 class="title">Updates</h2></a>
<div class='row'>
<a href='/blog'><h2 class='title'>Updates</h2></a>
<ul>
<li>{{ post.date | date_to_long_string }} - <a href="{{ post.url }}" title="{{ post.title }}"></a></li>
<li>{{ post.date | date_to_long_string }} - <a href='{{ post.url }}' title='{{ post.title }}'></a></li>
{% elsif forloop.last %}
<li>{{ post.date | date_to_long_string }} - <a href="{{ post.url }}" title="{{ post.title }}"></a></li>
<li>{{ post.date | date_to_long_string }} - <a href='{{ post.url }}' title='{{ post.title }}'></a></li>
</ul>
</div>
{% else %}
<li>{{ post.date | date_to_long_string }} - <a href="{{ post.url }}" title="{{ post.title }}"></a></li>
<li>{{ post.date | date_to_long_string }} - <a href='{{ post.url }}' title='{{ post.title }}'></a></li>
{% endif %}
{% else %}
{% endfor %}
<br />
<div class="row">
<h2 class="title">Get in touch!</h2>
<p>If you have any questions or suggestions, please don't hesitate to <a href="mailto:{{ site.email | encode_email }}" target="_blank" rel="noopener noreferrer" title="Send me an email">write me an email</a> (<a href="https://keys.openpgp.org/vks/v1/by-fingerprint/D435660C86733BA1C4C22F4D922BA2D96336049E" title="PGP Key hello@quitsocialmedia.club">PGP key</a>).</p>
<div class='row'>
<h2 class='title'>Get in touch!</h2>
<p>If you have any questions or suggestions, please don't hesitate to <a href='mailto:{{ site.email | encode_email }}' target='_blank' rel='noopener noreferrer' title='Send me an email'>write me an email</a> (<a href='https://keys.openpgp.org/vks/v1/by-fingerprint/D435660C86733BA1C4C22F4D922BA2D96336049E' title='PGP Key hello@quitsocialmedia.club'>PGP key</a>).</p>
</div>
<br />
<div class="blue box row">
<a href="/contribute"><h2 class="title">Contribute</h2></a>
{% for contrib in site.pages %}
{% if contrib.title == "Contribute" %}
{{ contrib.content | markdownify }}
<div class='blue box row'>
<a href='/contribute'><h2 class='title'>Contribute</h2></a>
{% for contrib in collections.all %}
{% if contrib.data.title == 'Contribute' %}
{{ contrib.templateContent }}
{% endif %}
{% endfor %}
</div>
<br />
<div class="margin row">
<h2 class="title">Website pages</h2>
<div class='margin row'>
<h2 class='title'>Website pages</h2>
<p>An overview of all the pages in the website:</p>
<ul>
{% for p in site.pages %}
{% for p in %}
{% if p.lang == page.lang %}
{% unless p.url contains '.json' or p.url contains '.csv' or p.url contains '.css' or p.url contains '.txt' or p.title contains '404' or p.url contains '.xml' or p.title == nil or p.title == 'Home' %}
<li><a href="{{ p.url }}" title="{{ p.title }}">{{ p.title }}</a> - {{ p.description }}</li>
<li><a href='{{ p.url }}' title='{{ p.title }}'>{{ p.title }}</a> - {{ p.description }}</li>
{% endunless %}
{% endif %}
{% endfor %}

View File

@ -1,10 +1,10 @@
---
title: Becoming Aware
redirect_from: [/level-1,/level1,/l01,/l1,/l-01,/l-1,/awareness,/learn]
redirect_from: [/level-1/,/level1/,/l01/,/l1/,/l-01/,/l-1/,/awareness/,/learn/]
ref: learn
level: 1
nextlevel: 2
description: Learn what's wrong with Social Media platform and become more concious
description: Learn what is wrong with Social Media platform and become more concious
layout: level
published: false
---

View File

@ -1,7 +1,7 @@
---
title: Links
permalink: /links
redirect_from: [/liens,/bibliography,/resources]
permalink: /links/
redirect_from: [/liens/,/bibliography/,/resources/]
description: Links to related topics
ref: links
---

View File

@ -1,8 +1,8 @@
---
title: Listen
description: Instead of reading or watching, you may prefer listening to podcasts about the topic. Here are some.
permalink: /listen
redirect_from: [/écouter,/ecouter,/écoutez,/écoute,/ecoutez,/ecoute]
permalink: /listen/
redirect_from: [/écouter/,/ecouter/,/écoutez/,/écoute/,/ecoutez/,/ecoute/]
toc: false
ref: listen
---

View File

@ -1,9 +1,13 @@
---
title: Localization
permalink: /l10n
redirect_from: [/it/l10n,/localization,/translate,/translation,/fr/l10n]
permalink: /l10n/
redirect_from: [/it/l10n/,/localization/,/translate/,/translation/,/fr/l10n/]
description: Localization and translation guidelines
toc: false
tags:
- wip
todo:
- Update according to how Eleventy works
---
Localizing a content means translating it in another language to make it available to a broader public. If you would like to do it, first of all thank you very much; secondly, there are a few things you need to know.

View File

@ -1,8 +1,8 @@
---
title: "Notes"
permalink: /notes
redirect_from: ["/note", "/roadmap"]
description: "Notes on tasks to complete and the development roadmap"
title: Notes
permalink: /notes/
redirect_from: [/note/,/roadmap/]
description: Notes on tasks to complete and the development roadmap
toc: false
---
[Quit Social Media Notes](https://tommi.space/qsm "Quit Social Media Notes") are in Tommis Notes.
[Quit Social Media Notes](https://tommi.space/qsm 'Quit Social Media Notes') are in Tommis Notes.

View File

@ -1,7 +1,7 @@
---
title: Path
permalink: /path
redirect_from: ['/pathway', '/levels']
permalink: /path/
redirect_from: [/pathway/,/levels/]
ref: path
description: Too much information got you disoriented? This is the path to follow to free yourself from Social Media dependence.
toc: false

View File

@ -1,14 +1,14 @@
---
title: Press Kit
permalink: /press
redirect_from: ["/presskit", "/press-kit", "/press_kit", "/stampa", "/kit-stampa", "/stampa-kit", "/kitstampa", "/mentions", "/appears-on", "/mentioned-in", "/mentioned", "/menzioni"]
permalink: /press/
redirect_from: [/presskit/,/press-kit/,/press_kit/,/stampa/,/kit-stampa/,/stampa-kit/,/kitstampa/,/mentions/,/appears-on/,/mentioned-in/,/mentioned/,/menzioni/]
ref: press
description: "Articles and publications containing a reference to this website, plus some basic infos for journalists and press interested in publishing something about the website"
description: Articles and publications containing a reference to this website, plus some basic infos for journalists and press interested in publishing something about the website
toc: false
---
## Press kit
Please [contact Tommi via email]({{ "tommi@quitsocialmedia.club" | uri_encode }} "Write Tommi an email") for any question not answered in the [About page](/about "About quitsocialmedia.club").
Please [contact Tommi via email]({{ 'tommi@quitsocialmedia.club' | uri_encode }} 'Write Tommi an email') for any question not answered in the [About page](/about 'About quitsocialmedia.club').
<br>
<br>
@ -18,14 +18,14 @@ Please [contact Tommi via email]({{ "tommi@quitsocialmedia.club" | uri_encode }}
A list of links to publications where quitsocialmedia appears:
<ul>
{% for article in site.data.press %}
{% for article in press %}
<li>
{% if article.lang == 'it' %}
🇮🇹
{% else %}
🇬🇧
{% endif %}
<a href="{{ article.url }}" rel="noopener noreferrer" target="_blank" title="{{ article.title }}">{{ article.title }}</a> by {{ article.author }} on {{ article.amasthead }}, {{ article.date | date_to_long_string }}
<a href='{{ article.url }}' target='_blank' title='{{ article.title }}'>{{ article.title }}</a> by {{ article.author }} on {{ article.amasthead }}, {{ article.date | date_to_long_string }}
</li>
{% endfor %}
</ul>

View File

@ -1,22 +1,22 @@
---
title: Quick
permalink: /quick
permalink: /quick/
ref: quick
description: "You do not have time to read through everything and you just want to know the key points? This is the right page to read."
description: You do not have time to read through everything and you just want to know the key points? This is the right page to read.
toc: false
---
<div class="blue box">
This is a very quick overview of the content of this website. Nevertheless, it is strongly suggested to follow <a href="/path" title="Path">this more comprehensive and insightful path</a>
<div class='blue box'>
This is a very quick overview of the content of this website. Nevertheless, it is strongly suggested to follow <a href='/path' title='Path'>this more comprehensive and insightful path</a>
</div>
1. This website was created by [Tommi](https://tommi.space "Tommi's personal website") because he felt people should acknowledge that social media aren't **only bad**, but their *cons* strongly overweight their *pro*s and, most importantly, that the individual's actions are the key to improve digital wellbeing and make the internet a healthier place. More in the [about page](/about "About quitsocialmedia.club")
1. This website was created by [Tommi](https://tommi.space 'Tommi's personal website') because he felt people should acknowledge that social media aren't **only bad**, but their *cons* strongly overweight their *pro*s and, most importantly, that the individual's actions are the key to improve digital wellbeing and make the internet a healthier place. More in the [about page](/about 'About quitsocialmedia.club')
2. The final purpose to [delete your social media accounts](/delete) (duh), but there are some [intermediate steps](/path) which could make your life a lot better
3. If you do not feel like reading, you can get an idea of the importance and relevance of Social Media issues by watching some talks or documentaries (a mre comprehensive list is in the [*Watch* page](/watch "Watch")):
- [<cite>The Great Hack</cite>](https://en.wikipedia.org/wiki/The_Great_Hack "“The Great Hack” on Wikipedia"), a documentary on the Cambridge Analytica scandal, and much more.
- Carole Cadwalladr's Ted Talk on [Facebook's role in Brexit — and the threat to democracy](https://www.ted.com/talks/carole_cadwalladr_facebook_s_role_in_brexit_and_the_threat_to_democracy "Facebook's role in Brexit — and the threat to democracy, TED Talk")
- [<cite>The Social Dilemma</cite>](https://www.thesocialdilemma.com "The Social Dilemma website"), a documentary on the risks and threats of Social Media
4. In short, the key reasons which make Social Media bad are mainly the ones below. They are comprehensively presented in the [Why page](/why "Why")
- They foster [anger](/why#anger "Anger - Why") and [hate](/why#hate), leading to a [polarization](/why#polarization) of society
3. If you do not feel like reading, you can get an idea of the importance and relevance of Social Media issues by watching some talks or documentaries (a mre comprehensive list is in the [*Watch* page](/watch 'Watch')):
- [<cite>The Great Hack</cite>](https://en.wikipedia.org/wiki/The_Great_Hack '“The Great Hack” on Wikipedia'), a documentary on the Cambridge Analytica scandal, and much more.
- Carole Cadwalladr's Ted Talk on [Facebook's role in Brexit — and the threat to democracy](https://www.ted.com/talks/carole_cadwalladr_facebook_s_role_in_brexit_and_the_threat_to_democracy 'Facebook's role in Brexit — and the threat to democracy, TED Talk')
- [<cite>The Social Dilemma</cite>](https://www.thesocialdilemma.com 'The Social Dilemma website'), a documentary on the risks and threats of Social Media
4. In short, the key reasons which make Social Media bad are mainly the ones below. They are comprehensively presented in the [Why page](/why 'Why')
- They foster [anger](/why#anger 'Anger - Why') and [hate](/why#hate), leading to a [polarization](/why#polarization) of society
- They make [misinformation](/why#misinformation) spread faster
- They make us live in a [bubble](/why#bubble)
- They lower the [quality](/why#quality) of the content, which is less valued than quantity
@ -26,6 +26,6 @@ toc: false
- They [standardize](/why#standardization) rules and layouts, hence making everything look the same
- Everything is built to be [quick](/why#hurry) and rewarding; slow reading and focus are losing their crucial importance
- [They use us](/why#being-used), while we believe we are using them instead.
- You may now say <q>I agree, but…</q>: [yes, I know](/but "“But…”"). There is no “[but](/but "“But…”")”
- Still not convinced enough? Read the [FAQs](/faq "Objections and Replies")
- Everything done? Good. Now [delete your accounts](/delete "Delete")
- You may now say <q>I agree, but…</q>: [yes, I know](/but '“But…”'). There is no “[but](/but '“But…”')”
- Still not convinced enough? Read the [FAQs](/faq 'Objections and Replies')
- Everything done? Good. Now [delete your accounts](/delete 'Delete')

View File

@ -1,9 +1,10 @@
---
title: Solutions and alternatives
permalink: /solutions
permalink: /solutions/
ref: sol
redirect_from: ["/sol", "/solution"]
description: "Being “social” without “Social Media” seems impossible. Nevertheless, it is a whole new life, full of surprises, excitement and authenticity, but, above all, <strong>freedom</strong>. There are a few solutions which make life without Social Media connected and interactive anyway."
redirect_from: [/sol/,/solution/]
description: |
Being “social” without “Social Media” seems impossible. Nevertheless, it is a whole new life, full of surprises, excitement and authenticity, but, above all, <strong>freedom</strong>. There are a few solutions which make life without Social Media connected and interactive anyway.
---
## Briefly
@ -16,15 +17,15 @@ The concept is this: to stay up to date, you can subscribe to any website's [RSS
## RSS feed
You may have no idea [what a RSS feed is](https://en.wikipedia.org/wiki/RSS "“RSS” on Wikipedia"), or you may recall it as something old and remote. It is a simple tool which keeps you anonymous, it is not owned by anyone and it needs no dedicated server to work. It has no algorithms and nobody uses watches your actions for [advertising purposes](/why#profilation).
You may have no idea [what a RSS feed is](https://en.wikipedia.org/wiki/RSS '“RSS” on Wikipedia'), or you may recall it as something old and remote. It is a simple tool which keeps you anonymous, it is not owned by anyone and it needs no dedicated server to work. It has no algorithms and nobody uses watches your actions for [advertising purposes](/why#profilation).
Some say it's dead because of Social Media, the thing is it's EVERYWHERE instead, we just don't see it. Starting to use it is trivial.
As pointed out in the [about](/about) page, this website isn't meant to explain what it contains, but simply put together data, so I won't explain what RSS is, but link to some explanations:
- [What is RSS?](https://yewtu.be/6HNUqDL-pI8?quality=dash&dark_mode=true&player_style=youtube&subtitles=en%2Cit "What is RSS?"), a YouTube <mark class="red">video</mark>
- [What is RSS](https://www.digitaltrends.com/computing/what-is-an-rss-feed/ "What is an RSS feed"), an article
- [RSS on Wikipedia](https://en.wikipedia.org/wiki/RSS "RSS on Wikipedia") (or, even better, [Web feed](https://en.wikipedia.org/wiki/Web_feed "Web feed on Wikipedia") on Wikipedia)
- [What is RSS?](https://yewtu.be/6HNUqDL-pI8?quality=dash&dark_mode=true&player_style=youtube&subtitles=en%2Cit 'What is RSS?'), a YouTube <mark class='red'>video</mark>
- [What is RSS](https://www.digitaltrends.com/computing/what-is-an-rss-feed/ 'What is an RSS feed'), an article
- [RSS on Wikipedia](https://en.wikipedia.org/wiki/RSS 'RSS on Wikipedia') (or, even better, [Web feed](https://en.wikipedia.org/wiki/Web_feed 'Web feed on Wikipedia') on Wikipedia)
- [It's Time for an RSS Revival](https://www.wired.com/story/rss-readers-feedly-inoreader-old-reader/ 'It's Time for an RSS Revival'), an article by [Brian Barrett](https://www.wired.com/author/brian-barrett/ 'Brian Barrett author page') on [WIRED](https://wired.com 'WIRED')
- [RSS before Social Media](https://yewtu.be/watch?v=0klgLsSxGsU&quality=dash&dark_mode=true&player_style=youtube&subtitles=en), a very interesting YouTube video to watch: it shows how before the diffusion of Social Media RSS really was the best way to stay updated.
- RSS is fundamental in one field in particular: **podcasting**. Anyone who has a podcast publishes it in one place (a podcasting platform or a website) and all of the other podcasting platforms [get new episodes through its RSS feed](https://yewtu.be/TU5zc-u6dhY?t=159).
@ -35,9 +36,9 @@ As pointed out in the [about](/about) page, this website isn't meant to explain
It can happen that you end up sad and you miss how much Social Media allowed you to connect with your loved ones in a way you could never replace with other systems, if they don't want to follow you in abandoning those platforms. It is understandable, even if the ideal solution would be if you all quit. Nevertheless, as always, there's a very smart and useful workaround, a tool which allows you to <u>convert Social Media timelines in RSS feeds</u>.
Tools like that are actually more than one, but the most famous and developed one is [RSS-Bridge](https://github.com/RSS-Bridge/rss-bridge "RSS-Bridge on GitHub").
Tools like that are actually more than one, but the most famous and developed one is [RSS-Bridge](https://github.com/RSS-Bridge/rss-bridge 'RSS-Bridge on GitHub').
You are welcome to test and use the RSS-Bridge instance I host on my server by visiting <https://rss-bridge.tommi.space>. (mantaining and renting a server is no cheap matter. I am happy of offering my RSS-Bridge, nonetheless, if you started using it a lot, [a symbolic contribution](https://it.liberapay.com/tommi/donate "Dona a Tommi su Liberapay") would mean a lot).
You are welcome to test and use the RSS-Bridge instance I host on my server by visiting <https://rss-bridge.tommi.space>. (mantaining and renting a server is no cheap matter. I am happy of offering my RSS-Bridge, nonetheless, if you started using it a lot, [a symbolic contribution](https://it.liberapay.com/tommi/donate 'Dona a Tommi su Liberapay') would mean a lot).
<br>
@ -45,35 +46,35 @@ You are welcome to test and use the RSS-Bridge instance I host on my server by v
Most of the time, if you do not need to follow someone or something and you do not care about missing about her/his/its posts, you can use websites which allow you to view the main Social Media from a different interface, without needing to log in nor to be tracked by the original websites cookies.
- [Nitter](https://nitter.net "Nitter") is a Twitter proxy which allows to suubscribe to profiles RSS feeds, too
- [Bibliogram](https://bibliogram "Bibliogram"), an Instagram proxy
- [Teddit](https://teddit.net/ "Teddit"), a Reddit proxy
- [Invidious](https://invidio.us "Invidious"), a YouTube proxy (note: the main Invidious instance shut down few months ago. From the homepage linked before, you can choose other instances, I use <https://yewtu.be>)
- [Nitter](https://nitter.net 'Nitter') is a Twitter proxy which allows to suubscribe to profiles RSS feeds, too
- [Bibliogram](https://bibliogram 'Bibliogram'), an Instagram proxy
- [Teddit](https://teddit.net/ 'Teddit'), a Reddit proxy
- [Invidious](https://invidio.us 'Invidious'), a YouTube proxy (note: the main Invidious instance shut down few months ago. From the homepage linked before, you can choose other instances, I use <https://yewtu.be>)
[Privacy Redirect](https://github.com/SimonBrazell/privacy-redirect "Privacy Redirect") is a very cool extension which automatically converts links containing the original URLs of the services to their correspondent proxy websites. For example, if I wanted to go to <https://twitter.com/esa>, I would be redirected to <https://nitter.net/esa>.
[Privacy Redirect](https://github.com/SimonBrazell/privacy-redirect 'Privacy Redirect') is a very cool extension which automatically converts links containing the original URLs of the services to their correspondent proxy websites. For example, if I wanted to go to <https://twitter.com/esa>, I would be redirected to <https://nitter.net/esa>.
<br>
<br>
## Alternatives
We already covered [the reasons](/why "Why") why Social Media platforms as we know them are bad. Nevertheless, there are plenty of platforms which solve most, if not all, of Social Media greatest issues. The key features which all of them share is that they have **no ads**, user data collected are **the minimum** needed to make the service work, and they are open source: they will never die.
We already covered [the reasons](/why 'Why') why Social Media platforms as we know them are bad. Nevertheless, there are plenty of platforms which solve most, if not all, of Social Media greatest issues. The key features which all of them share is that they have **no ads**, user data collected are **the minimum** needed to make the service work, and they are open source: they will never die.
All of these platforms are free not only to subscribe to, but also to actually use! Anyone could take the code and [install it on her/his own server](#run-your-own). Imagine having a whole Facebook, completely owned by you. How cool would it be?
- [Mastodon](https://joinmastodon.org "Join Mastodon"), with more than **four active million users** all around the world, is by far the most popular and developed one; its structure and functioning make it very similar to Twitter.
- [Pixelfed](https://pixelfed.org "Pixelfed official website") is almost identical to Instagram. It has stories, too!
- [Friendica](https://friendi.ca "Friendica official website") it something like Facebook.
- [PeerTube](https://joinpeertube.org "PeerTube") is a great paltform built by the French Framasoft. As the name suggests, it's like YouTube, but it relies on peer-to-peer video sharing to avoid stressing the servers which host the existing instances.
- [Alternative Social Networks](https://github.com/redecentralize/alternative-internet#social-networks "Alternative Internet repository on GitHub"), the section of the [Alternative Internet](https://github.com/redecentralize/alternative-internet#social-networks "“Alternative Internet” repository on GitHub") GitHub repository by [Redecentralize](https://github.com/redecentralize "Redecentralize on GitHub")
- [Mastodon](https://joinmastodon.org 'Join Mastodon'), with more than **four active million users** all around the world, is by far the most popular and developed one; its structure and functioning make it very similar to Twitter.
- [Pixelfed](https://pixelfed.org 'Pixelfed official website') is almost identical to Instagram. It has stories, too!
- [Friendica](https://friendi.ca 'Friendica official website') it something like Facebook.
- [PeerTube](https://joinpeertube.org 'PeerTube') is a great paltform built by the French Framasoft. As the name suggests, it's like YouTube, but it relies on peer-to-peer video sharing to avoid stressing the servers which host the existing instances.
- [Alternative Social Networks](https://github.com/redecentralize/alternative-internet#social-networks 'Alternative Internet repository on GitHub'), the section of the [Alternative Internet](https://github.com/redecentralize/alternative-internet#social-networks '“Alternative Internet” repository on GitHub') GitHub repository by [Redecentralize](https://github.com/redecentralize 'Redecentralize on GitHub')
The most awesome thing is that all of these platforms are connected among each other: I can follof from my mastodon account someone on PixelFed, as well as a PeerTube channel. This is possible because these healthier alternative Social Media platforms are based on the same protocol, [ActivityPub](https://en.wikipedia.org/wiki/ActivityPub "“ActivityPub„ on Wikipedia"). Thanks to this federation, all of these platforms can interact with each other and together they composed what is wonderfully called the [*Fediverse*](https://www.wikiwand.com/en/Fediverse "“Fediverse„ on Wikipedia") (which stands for *Federated (Social Media) Universe*)
The most awesome thing is that all of these platforms are connected among each other: I can follof from my mastodon account someone on PixelFed, as well as a PeerTube channel. This is possible because these healthier alternative Social Media platforms are based on the same protocol, [ActivityPub](https://en.wikipedia.org/wiki/ActivityPub '“ActivityPub„ on Wikipedia'). Thanks to this federation, all of these platforms can interact with each other and together they composed what is wonderfully called the [*Fediverse*](https://www.wikiwand.com/en/Fediverse '“Fediverse„ on Wikipedia') (which stands for *Federated (Social Media) Universe*)
### Further information
- [Creating Decentralized Social Media Alternatives to Facebook and Twitter](https://thereboot.com/creating-decentralized-social-media-alternatives-to-facebook-and-twitter/ "Creating Decentralized Social Media Alternatives to Facebook and Twitter") by Robert W. Gehl on [The Reboot](https://thereboot.com/ "The Reboot")
- [Redecentralize blog](https://redecentralize.org/blog "Redecentralizes blog"), an independent, volunteer-driven organisation promoting the decentralisation of our digital technology.
- [Internet of People](https://iop.global "Internet of People")
- [Creating Decentralized Social Media Alternatives to Facebook and Twitter](https://thereboot.com/creating-decentralized-social-media-alternatives-to-facebook-and-twitter/ 'Creating Decentralized Social Media Alternatives to Facebook and Twitter') by Robert W. Gehl on [The Reboot](https://thereboot.com/ 'The Reboot')
- [Redecentralize blog](https://redecentralize.org/blog 'Redecentralizes blog'), an independent, volunteer-driven organisation promoting the decentralisation of our digital technology.
- [Internet of People](https://iop.global 'Internet of People')
<br>
@ -81,9 +82,9 @@ The most awesome thing is that all of these platforms are connected among each o
## Run your own
Run your own social networking platform! It is awesome and, in the end, it is not so complicated. Literally everything about this topic is perfectly explained in [runyourown.social](https://runyourown.social "Run Your Own Social"); once you get to the end of that quite long (yet super interesting and insightful) page, you will want nothing more than starting your own platform.
Run your own social networking platform! It is awesome and, in the end, it is not so complicated. Literally everything about this topic is perfectly explained in [runyourown.social](https://runyourown.social 'Run Your Own Social'); once you get to the end of that quite long (yet super interesting and insightful) page, you will want nothing more than starting your own platform.
<div class="blue box">
<div class='blue box'>
<strong>Note</strong>: one thing which has to be pointed out in advance is that running your own social <u>does not mean</u> at all that you have to build one from scratch or that it will be “yet another social media platform” where the user base is so tiny that the social platform itself is useless. Instead, one of the most awesome features of running your own social is that <u>your platform can connect to all of the other Fediverse platforms in the world</u>, hence making your potential connections everything but limited!
</div>
@ -92,11 +93,11 @@ Run your own social networking platform! It is awesome and, in the end, it is no
## Website
The last solution is the best one: build your own website! Whatever your technical skills may be, you can be your own social media provider and create your online world by yourself. [Wordpress](https://wordpress.com "Wordpress") is the most popular and it's easiest way to start, but if you'd like to learn web development, I suggest [Jekyll](https://jekyllrb.com "Jekyll official website"), which I used for my personal site as well as this one!
The last solution is the best one: build your own website! Whatever your technical skills may be, you can be your own social media provider and create your online world by yourself. [Wordpress](https://wordpress.com 'Wordpress') is the most popular and it's easiest way to start, but if you'd like to learn web development, I suggest [Jekyll](https://jekyllrb.com 'Jekyll official website'), which I used for my personal site as well as this one!
### Further information
- [Get a Website Now! Don't be a Web Peasant!](https://youtu.be/bdKZVIGRAKQ "Get a Website Now! Don't be a Web Peasant!"), a YouTube video by [Luke Smith](https://lukesmith.xyz "Luke's personal website")
- [Get a Website Now! Don't be a Web Peasant!](https://youtu.be/bdKZVIGRAKQ 'Get a Website Now! Don't be a Web Peasant!'), a YouTube video by [Luke Smith](https://lukesmith.xyz 'Luke's personal website')
<br>
<br>
@ -120,8 +121,8 @@ At first, it's going to be quite hard, but on the long run it's going to be a gr
Some more links on alternatives and solutions to Social Media.
- [Living without Social Media](https://youtu.be/3E7hkPZ-HTk "Quit social media - Dr. Cal Newport - TEDxTysons"), a <mark class="red">TED Talk</mark> by dr. Cal Newport
- [<cite>Together, we can rebuild the system</cite>](https://www.humanetech.com/rebuild "Together, we can align technology with humanitys best interests"), on the website of the [<cite>Center for Humane Technology</cite>](https://www.humanetech.com/ "Center for Humane Technology")
- [My personal wishlist for a decentralized social network](https://carter.sande.duodecima.technology/decentralized-wishlist/ "My personal wishlist for a decentralized social network"), by Carter Sande
- [Living without Social Media](https://youtu.be/3E7hkPZ-HTk 'Quit social media - Dr. Cal Newport - TEDxTysons'), a <mark class='red'>TED Talk</mark> by dr. Cal Newport
- [<cite>Together, we can rebuild the system</cite>](https://www.humanetech.com/rebuild 'Together, we can align technology with humanitys best interests'), on the website of the [<cite>Center for Humane Technology</cite>](https://www.humanetech.com/ 'Center for Humane Technology')
- [My personal wishlist for a decentralized social network](https://carter.sande.duodecima.technology/decentralized-wishlist/ 'My personal wishlist for a decentralized social network'), by Carter Sande
- [How did your life change after quitting social media?](https://www.quora.com/How-did-your-life-change-after-leaving-social-media "How did your life change after quitting social media?") question on Quora
- [How did your life change after quitting social media?](https://www.quora.com/How-did-your-life-change-after-leaving-social-media 'How did your life change after quitting social media?') question on Quora

View File

@ -2,8 +2,8 @@
title: Watch
layout: page
description: Instead of reading, you may start diving into the topic by watching some of these great talks and documentaries.
permalink: /watch
redirect_from: [/regarder,/regardez,/regarde]
permalink: /watch/
redirect_from: [/regarder/,/regardez/,/regarde/]
ref: watch
---
Please go to the [links](/links 'Links') page and look for content <mark class='red'>highlighted in red</mark>

View File

@ -1,8 +1,8 @@
---
title: What are Social Media?
permalink: /what
permalink: /what/
ref: what
redirect_from: [/fr/what,/quoi,/what-social,/what-are-social-media]
redirect_from: [/fr/what/,/quoi/,/what-social/,/what-are-social-media/]
description: This website is about quitting Social Media, we got that. But <i>what</i> does a Social Medium actually is? Here, we are not speaking of <b><i>all</i></b> Social Media platforms, but only some of them.
toc: false
---

View File

@ -1,10 +1,11 @@
---
title: Why
permalink: /why
redirect_from: [/arguments,/reasons,/l1,/l01,/l-01,/level01,/level1,/level-1,/level-01]
permalink: /why/
redirect_from: [/arguments/,/reasons/,/l1/,/l01/,/l-01/,/level01/,/level1/,/level-1/,/level-01/]
ref: why
toc: false
description: 'The heart of the matter: all of the reasons why we should quit Social Media'
description: |
The heart of the matter: all of the reasons why we should quit Social Media
---
## Introduction

View File

@ -2,19 +2,20 @@
title: About
ref: about
lang: en
permalink: /about
redirect_from: ["/who", "/purpose", "/l00", "/l0", "/l-0", "/l-00", "/level0", "/level-0", "/level-00", "/level00"]
description: "What <cite>quitsocialmedia.club</cite> is, how it's born and what its purposes are."
permalink: /about/
redirect_from: [/who/,/purpose/,/l00/,/l0/,/l-0/,/l-00/,/level0,/level-0/,/level-00/,/level00/]
description: |
What <cite>quitsocialmedia.club</cite> is, how it is born and what its purposes are.
toc: false
---
Hi, I'm Tommi, and I created this website. Let's skip the part [about me](https://tommi.space/about "About - tommi.space"), you can read it [on my website](https://tommi.space/ "tommi.space, Tommi's personal website").
Hi, I'm Tommi, and I created this website. Let's skip the part [about me](https://tommi.space/about 'About - tommi.space'), you can read it [on my website](https://tommi.space/ 'tommi.space, Tommi's personal website').
I spent several tormented months tinkering about the ups and downs of Social Media. I got very stressed and particularly obsessed with their [ethical issues](/why). Eventually, I realized [**quitting**](/quit "Quit") is the best (and probably the only) way to actually [feel better](/solutions "Solutions").
I spent several tormented months tinkering about the ups and downs of Social Media. I got very stressed and particularly obsessed with their [ethical issues](/why). Eventually, I realized [**quitting**](/quit 'Quit') is the best (and probably the only) way to actually [feel better](/solutions 'Solutions').
Nevertheless, I concluded that <u>just quitting and doing nothing else is useless</u>. Yes I could feel better, yes I could start enjoying and experimenting [new ways of communicating](/solutions), but nobody else would benefit of my choice. So I asked myself:
- How is it possible that the situation is so bad and most of my friends literally ignore the problem, even feeling something's wrong?
- Why don't people get that it's in our best interest to [become aware](/why "Why"), inform ourselves and [act](/path "Path") to make our online and offline relationships better?
- Why don't people get that it's in our best interest to [become aware](/why 'Why'), inform ourselves and [act](/path 'Path') to make our online and offline relationships better?
- How can I share the crucial importance of doubting about the way the most common social media platforms work?
- How to foster **curiosity**, need for knowledge and **concern** about the way most of our online relations happen these days?
- How can I let people realize that it's not about geeky or technical stuff?
@ -30,10 +31,10 @@ This website has three main purposes:
1. Allowing skeptical, indifferent and unaware social media users to understand that individual and **personal choices are fundamental** to improve online experience, making the internet a better place.
1. **Being a reference point** for all social media quitters (who become more and more everyday), to provide them a reliable and complete yet simple and clear way to share their arguments.
I know there are many other [great communities](/communities "Internet Freedom communities") which promote **internet freedom** and **independence** from big ugly social media corporations, but I feel that theres an important point which isn't stressed out enough: **individual choices and actions are the key to global change**. **We shouldn't wait** for policies and laws to be rolled out; similarly, we cant expect someone else will make everything better, someday. We need to understand (if possible) what's going on and steer towards [healthy solutions](/solutions "Solutions").
I know there are many other [great communities](/communities 'Internet Freedom communities') which promote **internet freedom** and **independence** from big ugly social media corporations, but I feel that theres an important point which isn't stressed out enough: **individual choices and actions are the key to global change**. **We shouldn't wait** for policies and laws to be rolled out; similarly, we cant expect someone else will make everything better, someday. We need to understand (if possible) what's going on and steer towards [healthy solutions](/solutions 'Solutions').
<div class="red box">
<b>!!</b> I absolutely dont want to force anyone to quit social media, and I definitely dont want to convince you its the best thing to do. I want everybody who lands here to <U>carefully go through <a href="/why">the exposed arguments</a></u>, <u>to acquire enough knowledge to decide by him/herself what's the best thing to do</u>.
<div class='red box'>
<b>!!</b> I absolutely dont want to force anyone to quit social media, and I definitely dont want to convince you its the best thing to do. I want everybody who lands here to <U>carefully go through <a href='/why'>the exposed arguments</a></u>, <u>to acquire enough knowledge to decide by him/herself what's the best thing to do</u>.
</div>
We need to understand whats happening and look for a way to make our internet experience better.\
@ -45,4 +46,4 @@ Quitting Social Media might be a great start.
## Is something missing?
If you have some questions or doubts which this page could not answer, please check the [Objections and Replies](/faq "Objections and Replies") (<abbr title="Also Known As">a.k.a.</abbr> <abbr title="Frequently Asked Questions">FAQ</abbr>).
If you have some questions or doubts which this page could not answer, please check the [Objections and Replies](/faq 'Objections and Replies') (<abbr title='Also Known As'>a.k.a.</abbr> <abbr title='Frequently Asked Questions'>FAQ</abbr>).

View File

@ -2,8 +2,8 @@
title: À propos
ref: about
lang: fr
permalink: /àPropos
redirect_from: [/n00,/n0,/n-0,/n-00,/niveau0,/niveau-0,/niveau-00,/niveau00]
permalink: /àPropos/
redirect_from: [/n00/,/n0/,/n-0/,/n-00/,/niveau0/,/niveau-0/,/niveau-00/,/niveau00/]
description: 'Quest ce que <cite>quitsocialmedia.club</cite>, quelles sont ses origines et quel sont ses objectifs.'
toc: false
---

View File

@ -2,8 +2,8 @@
title: Objections et réponses
ref: faq
lang: fr
permalink: /fr/faq
redirect_from: [/faq-fr,/faqfr,/objections-et-réponses,/objections-réponses,/objections-et-reponses,/objections-reponses,/reponses]
permalink: /fr/faq/
redirect_from: [/faq-fr/,/faqfr/,/objections-et-réponses/,/objections-réponses/,/objections-et-reponses/,/objections-reponses/,/reponses/]
description: Comme beaucoup, jai envoyé un brouillon de ce site à des proches et des figures pour avoir leurs retours. Jadresse ici des réponses à certaines de leurs objections.
---
## Cohérence

View File

@ -2,8 +2,8 @@
title: Accueil
ref: home
lang: fr
permalink: /accueil
redirect_from: [/fr/home,/homefr,/home-fr,/home/fr]
permalink: /accueil/
redirect_from: [/fr/home/,/homefr/,/home-fr/,/home/fr/]
layout: wrapper
description: Toutes les raisons qui rendent les réseaux sociaux problématiques et des solutions possibles pour vivre sans
toc: false
@ -12,7 +12,7 @@ toc: false
<div class='row'>
<div class='page-header'>
<h1>Quit Social Media</h1>
<p>{{ page.description }}.</p>
<p>{{ description }}.</p>
</div>
</div>
@ -32,24 +32,6 @@ toc: false
</p>
</div>
{% for post in site.posts %}
{% if forloop.first %}
<div class='row'>
<a href='/blog'><h2 class='title'>Mises à jour</h2></a>
<ul>
<li>{{ post.date | date_to_long_string }} - <a href='{{ post.url }}' title='{{ post.title }}'></a></li>
{% elsif forloop.last %}
<li>{{ post.date | date_to_long_string }} - <a href='{{ post.url }}' title='{{ post.title }}'></a></li>
</ul>
</div>
{% else %}
<li>{{ post.date | date_to_long_string }} - <a href="{{ post.url }}" title="{{ post.title }}"></a></li>
{% endif %}
{% else %}
{% endfor %}
<br />
<div class='row'>
<h2 class='title'>Contactez nous!</h2>
<p>Si vous avez des questions ou suggestions, nhésitez pas à nous <a href='mailto:{{ site.email | encode_email }}' target='_blank' title='Envoyez une email'>écrire un e-mail</a> (<a href='https://keys.openpgp.org/vks/v1/by-fingerprint/D435660C86733BA1C4C22F4D922BA2D96336049E' title='PGP Key hello@quitsocialmedia.club'>clé PGP</a>).</p>

View File

@ -2,8 +2,8 @@
title: Chemin
ref: path
lang: fr
permalink: /chemin
redirect_from: [/voie,/route,/parcours,/sentier,/allée,/allee,/fr/path,/pathfr,/path-fr,/path/fr]
permalink: /chemin/
redirect_from: [/voie/,/route/,/parcours/,/sentier/,/allée/,/allee/,/fr/path/,/pathfr/,/path-fr/,/path/fr/]
description: Le surplus dinformations vous a désorienté? Voici le chemin à suivre pour vous libérer de la dépendance aux réseaux sociaux.
toc: false
---

View File

@ -2,8 +2,8 @@
title: Rapide
ref: quick
lang: fr
permalink: /rapide
redirect_from: [/fr/quick,/quickfr,/quick-fr,/quick/fr]
permalink: /rapide/
redirect_from: [/fr/quick/,/quickfr/,/quick-fr/,/quick/fr/]
description: Pas le temps de lire plus que les points essentiels? Vous êtes au bon endroit.
toc: false
---

View File

@ -1,8 +1,8 @@
---
title: Pourquoi
lang: fr
permalink: /pourquoi
redirect_from: [/fr/why,/n1,/n01,/n-01,/niveau01,/niveau1,/niveau-1,/niveau-01]
permalink: /pourquoi/
redirect_from: [/fr/why/,/n1,/n01/,/n-01/,/niveau01/,/niveau1/,/niveau-1/,/niveau-01/]
ref: why
toc: false
description: 'Le cœur du problème: toutes les raisons de quitter les réseaux sociaux'

View File

@ -1,5 +1,5 @@
---
layout: none
layout: ~
permalink: /
title: Quit Social Media
---

View File

@ -1,12 +1,12 @@
---
title: Ascolta
lang: it
description: "Invece di leggere o guardare contemuti sullargomento, potresti preferire dei podcast. eccone alcuni"
permalink: /ascolta
redirect_from: ["/it/listen"]
description: Invece di leggere o guardare contemuti sullargomento, potresti preferire dei podcast. eccone alcuni
permalink: /ascolta/
redirect_from: [/it/listen/]
---
Per ascoltare podcast che trattano di *Social Media*, si prega di recarsi alla sezione [link](/it/links "Link") e cercare i contenuti <mark class="blue">evidenziati in blu</mark>.
Per ascoltare podcast che trattano di *Social Media*, si prega di recarsi alla sezione [link](/it/links 'Link') e cercare i contenuti <mark class='blue'>evidenziati in blu</mark>.
Per ascoltare lepisodio di <cite><a href="https://sconnesso.link" rel="noopener" target="_blank" title="Sconnesso">Sconnesso</a></cite> in cui viene raccontata la creazione di questo sito e letta la pagina “[Perché](/perché "Perché")„, cliccare di seguito.
Per ascoltare lepisodio di <cite><a href='https://sconnesso.link' rel='noopener' target='_blank' title='Sconnesso'>Sconnesso</a></cite> in cui viene raccontata la creazione di questo sito e letta la pagina “[Perché](/perché 'Perché')„, cliccare di seguito.
<a href="https://quitsocialmedia.sconnesso.link" target="_blank" title="Sconnesso - Abbandonare i Social Media">Ascolta <em>Sconnesso</em></a>
<a href='https://quitsocialmedia.sconnesso.link' target='_blank' title='Sconnesso - Abbandonare i Social Media'>Ascolta <em>Sconnesso</em></a>

View File

@ -1,9 +1,9 @@
---
title: Contribuisci
permalink: /contribuisci
redirect_from: ["/it/contrib", "/it/l1000", "/it/l-1000", "/it/l-1000", "/it/level05", "/it/level-1000", "/it/level1000"]
permalink: /contribuisci/
redirect_from: [/it/contrib/,/it/l1000/,/it/l-1000/,/it/l-1000/,/it/level05/,/it/level-1000/,/it/level1000/]
ref: contrib
description: "Se pensi che questo sito sia utile e ricco di spunti, potresti considerare di contribuire a renderlo ancora migliore."
description: Se pensi che questo sito sia utile e ricco di spunti, potresti considerare di contribuire a renderlo ancora migliore.
lang: it
toc: false
---

View File

@ -1,9 +1,9 @@
---
title: "Eliminare i propri account sui <em>Social Media</em>"
description: "Sei convinto che sia la cosa giusta da fare ed hai deciso di eliminare i tuoi account dai <em>Social Media</em>. Cosa comporta questa scelta? Come si fa?"
title: Eliminare i propri account sui <em>Social Media</em>
description: Sei convinto che sia la cosa giusta da fare ed hai deciso di eliminare i tuoi account dai <em>Social Media</em>. Cosa comporta questa scelta? Come si fa?
lang: it
permalink: /elimina
redirect_from: ["/elimina-account", "/eliminare", "/eliminare-account", "/it/l5", "/it/l05", "/it/l-05", "/it/l-5", "/it/level05", "/it/level-5", "/it/level-05", "/it/level5"]
permalink: /elimina/
redirect_from: [/elimina-account/,/eliminare/,/eliminare-account/,/it/l5/,/it/l05/,/it/l-05/,/it/l-5/,/it/level05/,/it/level-5/,/it/level-05/,/it/level5/]
ref: del
toc: false
---
@ -11,12 +11,12 @@ toc: false
Prima di eliminare qualunque account, non sarebbe una cattiva idea scaricare e <u>salvare tutti i propri dati</u>. Questa è anche un'ottima opportunità per toccare con mano quante informazioni i *Social Media* hanno su di te.
- [JustGetMyData](https://justgetmydata.com "JustGetMyData"), una collezione di link diretti per richiedere una copia dei propri dati su diversi servizi online.
- [JustGetMyData](https://justgetmydata.com 'JustGetMyData'), una collezione di link diretti per richiedere una copia dei propri dati su diversi servizi online.
<br>
<br>
## Delete
- [JustDeleteMe](https://justdeleteme.xyz "JustDeleteMe"), una collezione di link diretti per <u>eliminare i propri account</u> su diversi servizi online.
- [How to Delete Your Facebook, Twitter, Instagram, and TikTok](https://www.wired.com/story/how-to-delete-your-facebook-instagram-twitter-snapchat/ "How to Delete Your Facebook, Twitter, Instagram, and TikTok"), a [WIRED](https://wired.com "WIRED") guide
- [JustDeleteMe](https://justdeleteme.xyz 'JustDeleteMe'), una collezione di link diretti per <u>eliminare i propri account</u> su diversi servizi online.
- [How to Delete Your Facebook, Twitter, Instagram, and TikTok](https://www.wired.com/story/how-to-delete-your-facebook-instagram-twitter-snapchat/ 'How to Delete Your Facebook, Twitter, Instagram, and TikTok'), a [WIRED](https://wired.com 'WIRED') guide

View File

@ -1,9 +1,9 @@
---
title: Obiezioni e risposte
ref: faq
permalink: /it/faq
redirect_from: ["/risposte-e-obiezioni", "/obiezioni-e-risposte", "/risposte-obiezioni", "/obiezioni-risposte", "/domande", "/domande-frequenti", "/domande-e-risposte", "/domande-risposte"]
description: "Come fanno gli intellettuali seri, ho inviato in anteprima questo sito a persone particolarmente informate su questi temi e di cui apprezzo molto l'opinione affinché condividessero con me le loro impressioni. In stile pseudo-filosofico, affronto alcune delle loro domande ed obiezioni qui di seguito."
permalink: /it/faq/
redirect_from: [/risposte-e-obiezioni/,/obiezioni-e-risposte/,/risposte-obiezioni/,/obiezioni-risposte/,/domande/,/domande-frequenti/,/domande-e-risposte/,/domande-risposte/]
description: Come fanno gli intellettuali seri, ho inviato in anteprima questo sito a persone particolarmente informate su questi temi e di cui apprezzo molto l'opinione affinché condividessero con me le loro impressioni. In stile pseudo-filosofico, affronto alcune delle loro domande ed obiezioni qui di seguito.
lang: it
---
## Coerenza

View File

@ -1,8 +1,7 @@
---
title: Guarda
description: "Invece di leggere, potresti preferire alcuni documentari o conferenze sui Social Media."
permalink: /guarda
description: Invece di leggere, potresti preferire alcuni documentari o conferenze sui Social Media.
lang: it
ref: watch
---
Per trovare contenuti visivi da guardare, cercare nella pagina [link](/it/links "Link") i link <mark class="red">evidenziati in rosso</mark>.
Per trovare contenuti visivi da guardare, cercare nella pagina [link](/it/links 'Link') i link <mark class='red'>evidenziati in rosso</mark>.

View File

@ -3,15 +3,15 @@ title: Home
lang: it
ref: home
layout: wrapper
permalink: /it/home
redirect_from: [/home-it,/it-home,/home/it,/tuffo]
description: 'Tutte le ragioni per cui i <em>Social Media</em>, per come li conosciamo ora, sono pericolosi e tutte le possibili soluzioni per rendere più sana ed autentica la propria vita sociale sul web'
permalink: /it/home/
redirect_from: [/home-it/,/it-home/,/home/it/,/tuffo/]
description: Tutte le ragioni per cui i <em>Social Media</em>, per come li conosciamo ora, sono pericolosi e tutte le possibili soluzioni per rendere più sana ed autentica la propria vita sociale sul web
---
<div class='one column'>
<div class='row'>
<div class='page-header'>
<h1>Quit Social Media</h1>
<p>{{ page.description }}.</p>
<p>{{ description }}.</p>
</div>
</div>
@ -31,27 +31,9 @@ description: 'Tutte le ragioni per cui i <em>Social Media</em>, per come li cono
</p>
</div>
{% for post in site.posts %}
{% if forloop.first %}
<div class='row'>
<a href='/blog'><h2 class='title'>Novità</h2></a>
<ul>
<li>{{ post.date | date_to_long_string }} - <a href='{{ post.url }}' title='{{ post.title }}'></a></li>
{% elsif forloop.last %}
<li>{{ post.date | date_to_long_string }} - <a href='{{ post.url }}' title='{{ post.title }}'></a></li>
</ul>
</div>
{% else %}
<li>{{ post.date | date_to_long_string }} - <a href='{{ post.url }}' title='{{ post.title }}'></a></li>
{% endif %}
{% else %}
{% endfor %}
<br />
<div class='row'>
<h2 class='title'>Contatti</h2>
<p class='center'>Se hai domande o suggerimenti, non esitare a <a href='mailto:{{ site.email | encode_email }}' target='_blank' rel='noopener noreferrer' title='Send me an email'>scrivermi</a> (<a href='https://keys.openpgp.org/vks/v1/by-fingerprint/D435660C86733BA1C4C22F4D922BA2D96336049E' title='PGP Key hello@quitsocialmedia.club'>PGP key</a>).</p>
<p class='center'>Se hai domande o suggerimenti, non esitare a <a href='mailto:{{ site.email | encode_email }}' target='_blank' title='Send me an email'>scrivermi</a> (<a href='https://keys.openpgp.org/vks/v1/by-fingerprint/D435660C86733BA1C4C22F4D922BA2D96336049E' title='PGP Key hello@quitsocialmedia.club'>PGP key</a>).</p>
</div>
<br />

View File

@ -2,12 +2,12 @@
title: Info
ref: about
lang: it
permalink: /info
redirect_from: ["/about-it", "/it/about", "/informazioni", "/it/l00", "/it/l0", "/it/level-0", "/it/level0", "/it/l-0", "/it/l-00", "/it/level00", "/it/level-00"]
permalink: /info/
redirect_from: [/about-it/,/it/about/,/informazioni/,/it/l00/,/it/l0/,/it/level-0/,/it/level0/,/it/l-0/,/it/l-00/,/it/level00/,/it/level-00/]
layout: page
description: "Cos'è <cite>quitsocialmedia.club</cite>, come e perché è nato ed il suo fine"
description: Cosè <cite>quitsocialmedia.club</cite>, come e perché è nato ed il suo fine
---
Sono Tommi, ho creato questo sito. Saltiamo la parte su di me, che si può leggere sul mio [sito web](https://tommi.space/about-it "Tommi").
Sono Tommi, ho creato questo sito. Saltiamo la parte su di me, che si può leggere sul mio [sito web](https://tommi.space/about-it 'Tommi').
Dopo svariati tormentati mesi trascorsi a crucciarmi sui pregi e difetti dei *Social Media*, non ce la facevo più. Ero così stressato e ossessionato dai problemi etici che i social network pongono, così ossessionato da letture e documentari per capirne il funzionamento, da concludere che <u><strong>abbandonarli</strong> sarebbe stato l'unico modo per stare meglio</u>.
@ -19,7 +19,7 @@ Tentando di rispondere a queste domande, ho deciso di creare <cite>quitsocialmed
## Perché
Mi sono accorto che ogni articolo, video o documento che critica i *Social Media* menziona sempre <u>solamente una parte dei problemi conseguenti alla loro esistenza ed al loro utilizzo</u>. Per quanto sia difficile abbracciare completamente ogni aspetto della questione, ritengo sia importante mostrare una visione globale del problema, lasciando che siano i singoli a prendere le proprie decisioni. <u><a href="/it/why" target="_blank" title="Perché">I motivi</a> per abbandonare i <i>social</i> sono molti</u>, credo non possano né debbano essere ignorati. <cite>quitsocialmedia.club</cite> intende raccogliere diversi punti di vista in forme differenti e mostrare come uscire dai *Social Media* sia la soluzione migliore.
Mi sono accorto che ogni articolo, video o documento che critica i *Social Media* menziona sempre <u>solamente una parte dei problemi conseguenti alla loro esistenza ed al loro utilizzo</u>. Per quanto sia difficile abbracciare completamente ogni aspetto della questione, ritengo sia importante mostrare una visione globale del problema, lasciando che siano i singoli a prendere le proprie decisioni. <u><a href='/it/why' target='_blank' title='Perché'>I motivi</a> per abbandonare i <i>social</i> sono molti</u>, credo non possano né debbano essere ignorati. <cite>quitsocialmedia.club</cite> intende raccogliere diversi punti di vista in forme differenti e mostrare come uscire dai *Social Media* sia la soluzione migliore.
<br>
@ -31,7 +31,7 @@ Questo sito web ha tre principali scopi:
- Essere <u>un punto di riferimento per tutti coloro che eliminano i propri account</u> sulle piattaforme *social*, una comunità globale sempre crescente, per permettere loro condividere ed esprimere chiaramente ed efficecemente le loro motivazioni
- Fornire agli utenti scettici e indifferenti la possibilità di capire come <u>le scelte individuali e personali siano cruciali</u> per migliorare l'esperienza online di tutti e rendere internet un posto migliore.
Conosco e seguo con passione innumerevoli fantastiche *communities* che promuovono la libertà e l'apertura di internet e l'indipendenza dalle colossali, ricchissime e chiuse aziende che ci forniscono [la maggioranza](/it/what "Cosè un Social Media") dei servizi di *social networking*. Nonostante questo, sento ci sia un elemento fondamentale che non viene sufficientemente sottolineato: **<u>le decisioni e le azioni di ognuno di noi sono la chiave per il cambiamento globale</u>**. Non dovremmo aspettare che vengano promosse regolamentazioni e leggi; allo stesso modo, non possiamo credere che un giorno qualcuno arriverà e renderà tutto migliore.
Conosco e seguo con passione innumerevoli fantastiche *communities* che promuovono la libertà e l'apertura di internet e l'indipendenza dalle colossali, ricchissime e chiuse aziende che ci forniscono [la maggioranza](/it/what 'Cosè un Social Media') dei servizi di *social networking*. Nonostante questo, sento ci sia un elemento fondamentale che non viene sufficientemente sottolineato: **<u>le decisioni e le azioni di ognuno di noi sono la chiave per il cambiamento globale</u>**. Non dovremmo aspettare che vengano promosse regolamentazioni e leggi; allo stesso modo, non possiamo credere che un giorno qualcuno arriverà e renderà tutto migliore.
**!!** Non intendo assolutamente costringervi ad abbandonare dai *Social Media* ed eliminare i vostri account, né convincervi che sia la migliore cosa da fare, anche se ne sono assolutamente certo. Vorrei che chiunque arrivi qui <u>analizzasse attentamente i contenuti del sito</u> e tutto il materiale riportato, per decidere autonomamente cosa fare.
@ -39,4 +39,4 @@ Conosco e seguo con passione innumerevoli fantastiche *communities* che promuovo
## Manca qualcosa?
Se hai qualche domanda a cui questa pagina non ha dato riposta, potresti leggere le [Obiezioni e Risposte](/it/faq "Obiezioni e risposte") (<abbr title="Also Known As">a.k.a.</abbr> <abbr title="Frequently Asked Questions">FAQ</abbr>).
Se hai qualche domanda a cui questa pagina non ha dato riposta, potresti leggere le [Obiezioni e Risposte](/it/faq 'Obiezioni e risposte') (<abbr title='Also Known As'>a.k.a.</abbr> <abbr title='Frequently Asked Questions'>FAQ</abbr>).

View File

@ -1,29 +1,29 @@
---
title: Link
permalink: /it/links
redirect_from: ["/bibliografia", "/risorse", "/it/link", "/link"]
permalink: /it/links/
redirect_from: [/bibliografia/,/risorse/,/it/link/,/link/]
layout: page
description: "Tutti i link alle risorse citate o utilizzate."
description: 'Tutti i link alle risorse citate o utilizzate.'
lang: it
---
<div class="blue box">
<strong>Tutti i link</strong> sono in <a href="/links"><em>Links</em></a>. Qui di seguito sono riportati esclusivamente quelli in italiano.
<div class='blue box'>
<strong>Tutti i link</strong> sono in <a href='/links'><em>Links</em></a>. Qui di seguito sono riportati esclusivamente quelli in italiano.
</div>
## Generale
- [Una vita senza Big Tech](https://www.youtube.com/watch?v=VCg3PzbC9vY 'Una vita senza Big Tech, storie di chi cerca alternative ai giganti del web'), breve <mark class="red">documentario</mark> di [Andrea Lattanzi](https://it.linkedin.com/in/andrealattanzi 'Andrea Lattanzi su Linkedin') su [Repubblica](https://www.repubblica.it/ 'la Repubblica')
- [Unintervista a Jaron Lanier di *Codice*](https://www.raiplay.it/video/2019/08/Codice-intervista-esclusiva-a-Jaron-Lanier-pioniere-della-realta-virtuale-98a38fd9-6fa9-46d6-9b49-f9deccc7d1c6.html "Intervista a Jaron Lanier - Codice - Rai Play"), su <mark class="red">Rai Play</mark>
- [Una vita senza Big Tech](https://www.youtube.com/watch?v=VCg3PzbC9vY 'Una vita senza Big Tech, storie di chi cerca alternative ai giganti del web'), breve <mark class='red'>documentario</mark> di [Andrea Lattanzi](https://it.linkedin.com/in/andrealattanzi 'Andrea Lattanzi su Linkedin') su [Repubblica](https://www.repubblica.it/ 'la Repubblica')
- [Unintervista a Jaron Lanier di *Codice*](https://www.raiplay.it/video/2019/08/Codice-intervista-esclusiva-a-Jaron-Lanier-pioniere-della-realta-virtuale-98a38fd9-6fa9-46d6-9b49-f9deccc7d1c6.html 'Intervista a Jaron Lanier - Codice - Rai Play'), su <mark class='red'>Rai Play</mark>
- [Uscire dal BigBlue](https://noblogo.org/zainoinspalla/uscire-dal-big-blue 'Uscire dal Big Blue'), un articolo su [noblogo](https://noblogo.org 'noblogo')
- [Perché ho deciso di lasciare Facebook](https://amreolog.duckdns.org/~/SoftwareLiberoEticaDigitale/perch%C3%A9-ho-deciso-di-lasciare-facebook 'Perché ho deciso di lasciare Facebook • Plume'), un articolo di [amreo](https://amreolog.duckdns.org/@/amreo 'amreos blog')
Torna alla [home](/it/home "Home")
Torna alla [home](/it/home 'Home')
<br>
### Libri
- <cite><a href="https://deditore.com/prodotto/cronofagia/" rel="noopener noreferrer" target="_blank" title="Cronofagia">Cronofagia</a></cite>, un libro di Davide Mazzocco
- <cite><a href='https://deditore.com/prodotto/cronofagia/' rel='noopener noreferrer' target='_blank' title='Cronofagia'>Cronofagia</a></cite>, un libro di Davide Mazzocco
<br>
<br>
@ -36,20 +36,20 @@ Torna alla [home](/it/home "Home")
### Odio
Torna a [Perché > Hate](/perché#odio "Hate")
Torna a [Perché > Hate](/perché#odio 'Hate')
<br>
### Polarizzazione
Torna a [Perché > Polarization](/perché#polarizzazione"Polarizzazione")
Torna a [Perché > Polarization](/perché#polarizzazione'Polarizzazione')
<br>
### Disinformazione
Torna a [Perché > Misinformation](/perché#disinformazione"Disinformazione")
Torna a [Perché > Misinformation](/perché#disinformazione'Disinformazione')
{% endcomment %}
@ -59,14 +59,14 @@ Torna a [Perché > Misinformation](/perché#disinformazione"Disinformazione")
- [Silicon Valley Pretends That Algorithmic Bias Is Accidental. Its Not.](https://slate.com/technology/2021/07/silicon-valley-algorithmic-bias-structural-racism.html), by [Amber M. Hamilton](http://ambermhamilton.com 'Amber M. Hamilton personal website') on [Slate]
Torna a [Perché > Bolla](/perché#bolla "Bolla")
Torna a [Perché > Bolla](/perché#bolla 'Bolla')
<br>
{% comment %}
### Qualità
Torna a [Perché > Qualità](/perché#qualità "Qualità")
Torna a [Perché > Qualità](/perché#qualità 'Qualità')
<br>
@ -78,23 +78,23 @@ Torna a [Perché > Dipendenza](/perché#dipendenza 'Dipendenza')
### Distraction
Torna a [Perché > Distraction](/perché#distraction "Distraction")
Torna a [Perché > Distraction](/perché#distraction 'Distraction')
<br>
### Data
Torna a [Perché > Data](/perché#data "Data")
Torna a [Perché > Data](/perché#data 'Data')
<br>
{% endcomment %}
### Profilazione
Torna a [Perché > Profilazione](/perché#profilazione "Profilazione")
Torna a [Perché > Profilazione](/perché#profilazione 'Profilazione')
- [Gli algoritmi non sono cose, ma disposizioni di potere che riorganizzano la nostra società](http://www.vita.it/it/interview/2021/01/26/gli-algoritmi-non-sono-cose-ma-disposizioni-di-potere-che-riorganizzan/397/ "Gli algoritmi non sono cose, ma disposizioni di potere che riorganizzano la nostra società"), di Marco Dotti su [Vita](https://www.vita.it)
- [Il ruolo di Facebook nella Brexit e la minaccia alla democrazia](https://peertube.uno/videos/watch/e2875d76-2592-4f58-8f7a-3f749a3c6626?subtitle=it&autoplay=1 "Il ruolo di Facebook nella Brexit e la minaccia alla democrazia di Carole Cadwalladr"), un <mark class="red">TED Talk</mark> di [Carole Cadwalladr](https://it.wikipedia.org/wiki/Carole_Cadwalladr "Carole Cadwalladr su Wikipedia")
- [Gli algoritmi non sono cose, ma disposizioni di potere che riorganizzano la nostra società](http://www.vita.it/it/interview/2021/01/26/gli-algoritmi-non-sono-cose-ma-disposizioni-di-potere-che-riorganizzan/397/ 'Gli algoritmi non sono cose, ma disposizioni di potere che riorganizzano la nostra società'), di Marco Dotti su [Vita](https://www.vita.it)
- [Il ruolo di Facebook nella Brexit e la minaccia alla democrazia](https://peertube.uno/videos/watch/e2875d76-2592-4f58-8f7a-3f749a3c6626?subtitle=it&autoplay=1 'Il ruolo di Facebook nella Brexit e la minaccia alla democrazia di Carole Cadwalladr'), un <mark class='red'>TED Talk</mark> di [Carole Cadwalladr](https://it.wikipedia.org/wiki/Carole_Cadwalladr 'Carole Cadwalladr su Wikipedia')
{% comment %}
@ -102,29 +102,29 @@ Torna a [Perché > Profilazione](/perché#profilazione "Profilazione")
### Monopolization
Torna a [Perché > Monopolization](/perché#monopolization "Monopolization")
Torna a [Perché > Monopolization](/perché#monopolization 'Monopolization')
{% endcomment %}
<br>
### Socialità
Torna a [Perché > Socialità](/perché#socialità "Socialità")
Torna a [Perché > Socialità](/perché#socialità 'Socialità')
- [Don Alberto Ravagnani su Muschio Selvaggio](https://youtu.be/aZ2pn0tNoGQ?t=3625 "Ep.33 Don Alberto - Muschio Selvaggio Podcast") che racconta quanto sia pericoloso per i più piccoli avere spesso il telefono in mano
- [Don Alberto Ravagnani su Muschio Selvaggio](https://youtu.be/aZ2pn0tNoGQ?t=3625 'Ep.33 Don Alberto - Muschio Selvaggio Podcast') che racconta quanto sia pericoloso per i più piccoli avere spesso il telefono in mano
<br>
{% comment %}
### Standardizzazione
Torna a [Perché > Standardizzazione](/perché#standardizzazione "Standardizzazione")
Torna a [Perché > Standardizzazione](/perché#standardizzazione 'Standardizzazione')
<br>
### Content ownership
Torna a [Perché > Content ownership](/perché#content-ownership "Content Ownership")
Torna a [Perché > Content ownership](/perché#content-ownership 'Content Ownership')
<br>
@ -136,19 +136,19 @@ Torna a [Perché > Velocità](/perché#velocità 'Velocità')
### Semplicità vs semplificazione
Torna a [Perché > Semplicità vs semplificazione](/perché#semplicità-vs-semplificazione "Semplicità vs semplificazione")
Torna a [Perché > Semplicità vs semplificazione](/perché#semplicità-vs-semplificazione 'Semplicità vs semplificazione')
<br>
### Being always connected
Torna a [Perché > Being always connected](/perché#being-always-connected "Being Always Connected")
Torna a [Perché > Being always connected](/perché#being-always-connected 'Being Always Connected')
<br>
### Environment
Torna a [Perché > Environment](/perché#environment "Environment")
Torna a [Perché > Environment](/perché#environment 'Environment')
<br>
@ -163,20 +163,20 @@ Torna a [Perché > Ambiente](/perché#ambiente 'Ambiente')
### Chiusura
- [Quanto siamo dipendenti da una singola piattaforma online?](https://funkwhale.it/library/tracks/1380/ "Quanto siamo dipendenti da una singola piattaforma online?"), episodio 10 del <mark class="blue">podcast</mark> di [Daniele Scasciafratte](https://daniele.tech "Daniele Scasciafratte")
- [Quanto siamo dipendenti da una singola piattaforma online?](https://funkwhale.it/library/tracks/1380/ 'Quanto siamo dipendenti da una singola piattaforma online?'), episodio 10 del <mark class='blue'>podcast</mark> di [Daniele Scasciafratte](https://daniele.tech 'Daniele Scasciafratte')
Torna a [Perché > Chiusura](/perché#chiusura "Chiusura")
Torna a [Perché > Chiusura](/perché#chiusura 'Chiusura')
<br>
{% comment %}
### Saturazione
Torna a [Perché > Saturazione](/perché#saturazione "Saturazione")
Torna a [Perché > Saturazione](/perché#saturazione 'Saturazione')
<br>
### Being used
Torna a [Perché > Being used](/perché#being-used "Being used")
Torna a [Perché > Being used](/perché#being-used 'Being used')
{% endcomment %}

View File

@ -3,10 +3,10 @@ tags: wip
title: Ma…
ref: ma
lang: it
permalink: /ma
redirect_from: ["/però", "/pero", "/obiezioni"]
permalink: /ma/
redirect_from: [/però/,/pero/,/obiezioni/]
layout: page
description: "Come ci sono diverse valide motivazioni per abbandonare i <i>Social Media</i>, ce ne sono innumerevoli, probabilmente di più, per non farlo. Qui affrontiamo le più comuni."
description: Come ci sono diverse valide motivazioni per abbandonare i <i>Social Media</i>, ce ne sono innumerevoli, probabilmente di più, per non farlo. Qui affrontiamo le più comuni.
---
## …io ci lavoro!
@ -19,7 +19,7 @@ La bellezza degli esperimenti è che possono essere svolti illimitatamente per l
Questa è probabilmente la replica che più comunemente ricevo. Se dicessi che non è vero, mentirei. Anche a me, in molti casi, viene una voglia matta di guardare le storie su instagram di amici che non vedo da un pezzo, o quando un amico mi porge il telefono per guardare una meme su un social, mi trovo a perdere alcuni minuti a scrollare il suo feed, come se mi fossi dimenticato della sua esistenza.
Fra le [soluzioni](/soluzioni "Soluzioni e Alternative") ci sono molteplici sistemi per minimizzare la distanza il più possibile, ma ovviamente non sarà mai possibile fare come se nulla fosse.
Fra le [soluzioni](/soluzioni 'Soluzioni e Alternative') ci sono molteplici sistemi per minimizzare la distanza il più possibile, ma ovviamente non sarà mai possibile fare come se nulla fosse.
Proprio per questo motivo, lobiettivo che è necessario porsi è ragionare in unottica secondo cui i Social Media dovrebbero smettere di essere al centro e massima fonte di relazioni, informazioni, legami.
@ -28,7 +28,7 @@ Proprio per questo motivo, lobiettivo che è necessario porsi è ragionare in
## …non ho tempo!
Devo ammettere che, prima di abbandonare i *social*, anche escludendo il tempo impegato a documentarmi e scrivere questo sito, ho passato tante ore a scervellarmi e trafficare per far funzionare bene [le alternative](/soluzioni "Soluzioni e Alternative"). Effettivamente, se tu desiderassi abbandonare i *social* ma utilizzare comunque la tecnologia per pubblicare contenuti, dovrai necessariamente impiegare parecchio tempo. Anche solamente leggere questo sito è un gran investimento, ma è solo la punta delliceberg.
Devo ammettere che, prima di abbandonare i *social*, anche escludendo il tempo impegato a documentarmi e scrivere questo sito, ho passato tante ore a scervellarmi e trafficare per far funzionare bene [le alternative](/soluzioni 'Soluzioni e Alternative'). Effettivamente, se tu desiderassi abbandonare i *social* ma utilizzare comunque la tecnologia per pubblicare contenuti, dovrai necessariamente impiegare parecchio tempo. Anche solamente leggere questo sito è un gran investimento, ma è solo la punta delliceberg.
Ciò che posso consigliare, per esperienza, dopo averne parlato anche con diversi amici, è di provare ad <u>avviare un processo <strong>graduale</strong></u>: non far monopolizzare da questa questione (come ho purtroppo fatto io) la tua attezione e il tuo tempo. Cerca invece di prendere piccole risoluzioni, man mano sempre più grandi, fino a che non ti sentirai soddisfatt\*.
Contemporaneamente, però, lasciare perdere tutto questo solamente perché non si dispone di tempo sufficiente per approfondire il tema sarebbe davvero un peccato ed un pericolo per la nostra società.

View File

@ -1,26 +1,27 @@
---
title: Partecipanti
permalink: /partecipanti
description: 'Tutti coloro che hanno <a href="/contribuisci" target="_blank" title="Contribuisci">contribuito</a> a questo sito'
redirect_from: ["/persone", "/it/contributors", "/contributors-it", "/contributori"]
permalink: /partecipanti/
description: |
Tutti coloro che hanno <a href='/contribuisci' target='_blank' title='Contribuisci'>contribuito</a> a questo sito
redirect_from: [/persone/,/it/contributors/,/contributors-it/,/contributori/]
lang: it
ref: people
---
Questo sito [è stato creato](/info "Informazioni su quitsocialmedia.club") da [Tommi](https://tommi.space "Tommi's personal website").
Questo sito [è stato creato](/info 'Informazioni su quitsocialmedia.club') da [Tommi](https://tommi.space 'Tommi's personal website').
<br>
<br>
## Localizzazione
Tutti coloro che hanno [localizzato](/l10n "Localization") i contenuti di questo sito:
Tutti coloro che hanno [localizzato](/l10n 'Localization') i contenuti di questo sito:
<ul>
{% for person in site.data.people %}
{% for person in people %}
{% if person.what contains 'l10n' %}
<li>
{% if person.url != nil %}
<a href="{{ person.url }}" rel="noopener noreferrer" target="_blank" title="{{ person.description }}">{{ person.name }} {{ person.surname }}</a>
<a href='{{ person.url }}' rel='noopener noreferrer' target='_blank' title='{{ person.description }}'>{{ person.name }} {{ person.surname }}</a>
{% else %}
{{ person.name }} {{ person.surname }}
{% endif %}
@ -37,11 +38,11 @@ Tutti coloro che hanno [localizzato](/l10n "Localization") i contenuti di questo
Le persone che hanno contribuito a migliorare i contenuti e la forma in cui sono stati esposti.
<ul>
{% for person in site.data.people %}
{% for person in people %}
{% if person.what contains 'help' %}
<li>
{% if person.url != nil %}
<a href="{{ person.url }}" rel="noopener noreferrer" target="_blank" title="{{ person.description }}">{{ person.name }} {{ person.surname }}</a>
<a href='{{ person.url }}' rel='noopener noreferrer' target='_blank' title='{{ person.description }}'>{{ person.name }} {{ person.surname }}</a>
{% else %}
{{ person.name }} {{ person.surname }}
{% endif %}
@ -58,11 +59,11 @@ Le persone che hanno contribuito a migliorare i contenuti e la forma in cui sono
Gli autori delle illustrazioni presenti nelle varie pagine
<ul>
{% for person in site.data.people %}
{% for person in people %}
{% if person.what contains 'draw' %}
<li>
{% if person.url != nil %}
<a href="{{ person.url }}" rel="noopener noreferrer" target="_blank" title="{{ person.description }}">{{ person.name }} {{ person.surname }}</a>
<a href='{{ person.url }}' rel='noopener noreferrer' target='_blank' title='{{ person.description }}'>{{ person.name }} {{ person.surname }}</a>
{% else %}
{{ person.name }} {{ person.surname }}
{% endif %}

View File

@ -1,12 +1,12 @@
---
title: Perché
permalink: /perché
redirect_from: ["/it/why", "/why-it", "/perche", "/motivi", "/perchè", "/it/l1", "/it/l01", "/it/l-01", "/it/level01", "/it/level1", "/it/level-1", "/it/level-01", "/prché", "/pk", "/xke", "/xké", "/xk", "/pké", "/pke"]
permalink: /perché/
redirect_from: [/it/why/,/why-it/,/perche/,/motivi/,/perchè/,/it/l1/,/it/l01/,/it/l-01/,/it/level01/,/it/level1/,/it/level-1/,/it/level-01/,/prché/,/pk/,/xke/,/xké/,/xk/,/pké/,/pke/]
lang: it
ref: why
layout: page
toc: false
description: "Perché abbandonare i <i>Social Media</i>?"
description: Perché abbandonare i <i>Social Media</i>?
---
Non ho ancora trovato un luogo su internet in cui siano riportate e riassunte *tutte* le diverse ragioni per cui i *Social Media* sono pericolosi e dannosi. Fra quelli di seguito, sarà facile non fidarsi e non credere ad alcuni di questi, oppure perfino la maggioranza non saranno sufficienti per convincere chi leggerà.
Tuttavia, dopo aver analizzato ogni singola spiegazione, <u>è difficile negare che ci sia qualcosa che non va</u> e che sia necessario agire.
@ -15,11 +15,11 @@ Prima di cause e processi, regolamentazioni e leggi, lazione più importante,
<br>
<br>
<div class="blue box" style="margin:0">
<h2 style="hyphens:none" id="ascolta-il-podcast">Ascolta il podcast!</h2>
<p>Se questa pagina è troppo noiosa e lunga da leggere, puoi ascoltare lepisodio di <em><a href="https://sconnesso.link" target="_blank" title="Sconnesso">Sconnesso</a></em>, il mio pseudo-podcast, in cui viene letta. La trovi di seguito.</p>
<div class="flex row">
<a class="red smaller button" href="https://tommi.space/sconnesso/quitsocialmedia" target="_blank" title="Sconnesso - Abbandonare i Social Media">Ascolta</a>
<div class='blue box' style='margin:0'>
<h2 style='hyphens:none' id='ascolta-il-podcast'>Ascolta il podcast!</h2>
<p>Se questa pagina è troppo noiosa e lunga da leggere, puoi ascoltare lepisodio di <em><a href='https://sconnesso.link' target='_blank' title='Sconnesso'>Sconnesso</a></em>, il mio pseudo-podcast, in cui viene letta. La trovi di seguito.</p>
<div class='flex row'>
<a class='red smaller button' href='https://tommi.space/sconnesso/quitsocialmedia' target='_blank' title='Sconnesso - Abbandonare i Social Media'>Ascolta</a>
</div>
</div>
@ -35,9 +35,9 @@ I nostri sentimenti sono governati da una macchina: ci arrabbiamo per qualcosa c
### Maggiori informazioni
- [Digital Discrimination: How Systemic Bias Is Built Into the Internet](https://thereboot.com/digital-discrimination-how-systemic-bias-is-built-into-the-internet/ "Digital Discrimination: How Systemic Bias Is Built Into the Internet") un articolo di Sanjana Varghese su [The Reboot](https://thereboot.com/ "The Reboot")
- [Facebook Will Permanently Stop Promoting Political Groups](https://www.forbes.com/sites/rachelsandler/2021/01/27/facebook-will-permanently-stop-promoting-political-groups/ "Facebook Will Permanently Stop Promoting Political Groups"), un articolo di [Rachel Sandler](https://www.forbes.com/sites/rachelsandler/ "Rachel Sandlers articles") su [Forbes](https://forbes.com "Forbes"), un sintomo del fatto che le raccomandazioni su Facebook sono più dannose per la società che utili per gli utenti
- [altri contenuti](/links#anger "More resources about anger and Social Media")
- [Digital Discrimination: How Systemic Bias Is Built Into the Internet](https://thereboot.com/digital-discrimination-how-systemic-bias-is-built-into-the-internet/ 'Digital Discrimination: How Systemic Bias Is Built Into the Internet') un articolo di Sanjana Varghese su [The Reboot](https://thereboot.com/ 'The Reboot')
- [Facebook Will Permanently Stop Promoting Political Groups](https://www.forbes.com/sites/rachelsandler/2021/01/27/facebook-will-permanently-stop-promoting-political-groups/ 'Facebook Will Permanently Stop Promoting Political Groups'), un articolo di [Rachel Sandler](https://www.forbes.com/sites/rachelsandler/ 'Rachel Sandlers articles') su [Forbes](https://forbes.com 'Forbes'), un sintomo del fatto che le raccomandazioni su Facebook sono più dannose per la società che utili per gli utenti
- [altri contenuti](/links#anger 'More resources about anger and Social Media')
<br>
<br>
@ -52,10 +52,10 @@ Inoltre, è stato riportato da diverse fonti che i moderatori di contenuti sono
### Maggiori informazioni
- [Facebook cant fix itself](https://www.newyorker.com/magazine/2020/10/19/why-facebook-cant-fix-itself "Facebook cant fix itself"), un articolo di [Andrew Marantz](https://en.wikipedia.org/wiki/Andrew_Marantz "Andrew Marantz on Wikipedia") su [<cite>The New Yorker</cite>](https://www.newyorker.com "The Newyorker")
- [Facebook Executives Shut Down Efforts to Make the Site Less Divisive](https://www.wsj.com/articles/facebook-knows-it-encourages-division-top-executives-nixed-solutions-11590507499 "Facebook Executives Shut Down Efforts to Make the Site Less Divisive"), un articolo sul [Wall Street Journal](https://www.wsj.com "The Wall Street Journal")
- [Bodies in seats](https://www.theverge.com/2019/6/19/18681845/facebook-moderator-interviews-video-trauma-ptsd-cognizant-tampa "Bodies in seats"), by [Casey Newton](https://www.theverge.com/authors/casey-newton "Casey Newton author page on The Verge") on [The Verge](https://www.theverge.com "The Verge")
- [altri contenuti](/links#hate "More resources related to hate and Social Media")
- [Facebook cant fix itself](https://www.newyorker.com/magazine/2020/10/19/why-facebook-cant-fix-itself 'Facebook cant fix itself'), un articolo di [Andrew Marantz](https://en.wikipedia.org/wiki/Andrew_Marantz 'Andrew Marantz on Wikipedia') su [<cite>The New Yorker</cite>](https://www.newyorker.com 'The Newyorker')
- [Facebook Executives Shut Down Efforts to Make the Site Less Divisive](https://www.wsj.com/articles/facebook-knows-it-encourages-division-top-executives-nixed-solutions-11590507499 'Facebook Executives Shut Down Efforts to Make the Site Less Divisive'), un articolo sul [Wall Street Journal](https://www.wsj.com 'The Wall Street Journal')
- [Bodies in seats](https://www.theverge.com/2019/6/19/18681845/facebook-moderator-interviews-video-trauma-ptsd-cognizant-tampa 'Bodies in seats'), by [Casey Newton](https://www.theverge.com/authors/casey-newton 'Casey Newton author page on The Verge') on [The Verge](https://www.theverge.com 'The Verge')
- [altri contenuti](/links#hate 'More resources related to hate and Social Media')
<br>
<br>
@ -71,10 +71,10 @@ I *Social Media* non fanno molto per favorire un modo più pacifico di esprimere
### Maggiori informazioni
- [How Facebook profits from polarization](https://ted.com/talks/yael_eisenstat_how_facebook_profits_from_polarization "How Facebook profits from polarization"), un <mark class="red">TED Talk</mark> di [Yael Eisenstat](https://en.wikipedia.org/wiki/Yael_Eisenstat "Yael Eisenstat on Wikipedia")
- <cite><a href="https://thesocialdilemma.com" rel="noopener noreferrer" target="_blank" title="The Social Dilemma">The Social Dilemma</a></cite>, a <mark class="red">documentario</mark> di [Jeff Orlowski](https://it.wikipedia.org/wiki/Jeff_Orlowski "Jeff Orlowski")
- [Facebook Cant Fix what it wont admit to](https://www.wired.com/story/plaintext-facebook-cant-fix-what-it-wont-admit-to/ "Facebook Cant Fix what it wont admit to") by [Steven Levy](https://en.wikipedia.org/wiki/Steven_Levy "Steven Levy on Wikipedia") on [Wired](https://wired.com "Wired")
- [altri contenuti](/links#polarizzazione "More resources on Polarization and Social Media")
- [How Facebook profits from polarization](https://ted.com/talks/yael_eisenstat_how_facebook_profits_from_polarization 'How Facebook profits from polarization'), un <mark class='red'>TED Talk</mark> di [Yael Eisenstat](https://en.wikipedia.org/wiki/Yael_Eisenstat 'Yael Eisenstat on Wikipedia')
- <cite><a href='https://thesocialdilemma.com' rel='noopener noreferrer' target='_blank' title='The Social Dilemma'>The Social Dilemma</a></cite>, a <mark class='red'>documentario</mark> di [Jeff Orlowski](https://it.wikipedia.org/wiki/Jeff_Orlowski 'Jeff Orlowski')
- [Facebook Cant Fix what it wont admit to](https://www.wired.com/story/plaintext-facebook-cant-fix-what-it-wont-admit-to/ 'Facebook Cant Fix what it wont admit to') by [Steven Levy](https://en.wikipedia.org/wiki/Steven_Levy 'Steven Levy on Wikipedia') on [Wired](https://wired.com 'Wired')
- [altri contenuti](/links#polarizzazione 'More resources on Polarization and Social Media')
<br>
<br>
@ -82,16 +82,16 @@ I *Social Media* non fanno molto per favorire un modo più pacifico di esprimere
## Disinformazione
Questo è uno dei principali punti di discussione dellanno passato: le piattaforme *social* rendono davvero difficile comprendere cosa è vero e cosa non lo è. Ovviamente, questo problema non dipende unicamente dai *Social Media*, ma è strettamente legato ad essi e per colpa loro la sua pericolosità si accentua enormemente. Post di Donald Trump, così come quelli di persone molto influenti, possono essere controllati (e abbiamo visto com'è andata a finire con l'ex-presidente), ma è praticamente impossibile riuscire a monitorare e verificare efficacemente l'autenticità e la veridicità dei contenuti pubblicati. Non esiste un modo infallibile per essere totalmente certi che qualcosa che viene pubblicato non sia una tanto famigerata e vituperata *fake news*.
Intorno a questo punto si sta svolgendo un grande dibattito, che riguarda specificamente la [Sezione 230](https://en.wikipedia.org/wiki/Section_230 "Sezione 230 on Wikipedia") del Communications Decency Act americano: di chi è la responsabilità se una notizia falsa e pericolosa viene pubblicata? Delle piattaforme su cui un post è stato esposto oppure di chi ne è l'autore? Soprattutto, chi verrà perseguito legalmente se il contenuto pubblicato dovesse avere delle ripercussioni negative nel mondo reale?
Intorno a questo punto si sta svolgendo un grande dibattito, che riguarda specificamente la [Sezione 230](https://en.wikipedia.org/wiki/Section_230 'Sezione 230 on Wikipedia') del Communications Decency Act americano: di chi è la responsabilità se una notizia falsa e pericolosa viene pubblicata? Delle piattaforme su cui un post è stato esposto oppure di chi ne è l'autore? Soprattutto, chi verrà perseguito legalmente se il contenuto pubblicato dovesse avere delle ripercussioni negative nel mondo reale?
<br>
### Maggiori informazioni
- [How to save Facebook from democracy](https://www.foreignaffairs.com/articles/united-states/2020-11-24/fukuyama-how-save-democracy-technology "How to save Facebook from democracy"), by Francis Fukuyama, Barak Richman, and Ashish Goel on [Foreign Affairs](https://www.foreignaffairs.com "Foreign Affairs")
- [Dont Blame Section 230 for Big Techs Failures. Blame Big Tech.](https://www.eff.org/deeplinks/2020/11/dont-blame-section-230-big-techs-failures-blame-big-tech "Dont Blame Section 230 for Big Techs Failures. Blame Big Tech. - EFF") by Elliot Harmon on [EFF](https://eff.org "EFF official website")
- [Control, Stifle, Censor: Social Medias Toxic Double-Edged Policies](https://thereboot.com/control-stifle-censor-social-media-toxic-double-edged-policies/ "Control, Stifle, Censor: Social Medias Toxic Double-Edged Policies") by Jillian C. York on [The Reboot](https://thereboot.com/ "The Reboot")
- [altri contenuti](/links#misinformation "More resources about misinformation and Social Media")
- [How to save Facebook from democracy](https://www.foreignaffairs.com/articles/united-states/2020-11-24/fukuyama-how-save-democracy-technology 'How to save Facebook from democracy'), by Francis Fukuyama, Barak Richman, and Ashish Goel on [Foreign Affairs](https://www.foreignaffairs.com 'Foreign Affairs')
- [Dont Blame Section 230 for Big Techs Failures. Blame Big Tech.](https://www.eff.org/deeplinks/2020/11/dont-blame-section-230-big-techs-failures-blame-big-tech 'Dont Blame Section 230 for Big Techs Failures. Blame Big Tech. - EFF') by Elliot Harmon on [EFF](https://eff.org 'EFF official website')
- [Control, Stifle, Censor: Social Medias Toxic Double-Edged Policies](https://thereboot.com/control-stifle-censor-social-media-toxic-double-edged-policies/ 'Control, Stifle, Censor: Social Medias Toxic Double-Edged Policies') by Jillian C. York on [The Reboot](https://thereboot.com/ 'The Reboot')
- [altri contenuti](/links#misinformation 'More resources about misinformation and Social Media')
<br>
<br>
@ -107,9 +107,9 @@ Quello precedente è solamente uno fra i più semplici esempi del vivere in un b
### Maggiori informazioni
- [The Obsession With Big Tech Is Distorting the Big Picture](https://thereboot.com/the-obsession-with-big-tech-is-distorting-the-big-picture/ "The Obsession With Big Tech Is Distorting the Big Picture"), un articolo di Karl Bode su [The Reboot](https://thereboot.com/ "The Reboot")
- [The Future of Privacy](https://philosophy247.org/podcasts/the-future-of-privacy/ "Philosophy 24/7 The Future of Privacy"), un <mark class="blue">podcast</mark> con un'intervista a [Carissa Véliz](https://carissaveliz.com "Carissa Véliz"), parlando specificamente della “bolla” al minuto `4:00`
- [altri contenuti](/links#bubble "External links about “Bubble”")
- [The Obsession With Big Tech Is Distorting the Big Picture](https://thereboot.com/the-obsession-with-big-tech-is-distorting-the-big-picture/ 'The Obsession With Big Tech Is Distorting the Big Picture'), un articolo di Karl Bode su [The Reboot](https://thereboot.com/ 'The Reboot')
- [The Future of Privacy](https://philosophy247.org/podcasts/the-future-of-privacy/ 'Philosophy 24/7 The Future of Privacy'), un <mark class='blue'>podcast</mark> con un'intervista a [Carissa Véliz](https://carissaveliz.com 'Carissa Véliz'), parlando specificamente della “bolla” al minuto `4:00`
- [altri contenuti](/links#bubble 'External links about “Bubble”')
<br>
<br>
@ -133,7 +133,7 @@ Se ne hai il coraggio, disinstalla tutte le tue applicazioni social per un mese.
### Maggiori informazioni
- [An Exploratory Study of Gambling Operators Use of Social Media and the Latent Messages Conveyed](https://link.springer.com/article/10.1007/s10899-015-9525-2 "An Exploratory Study of Gambling Operators Use of Social Media and the Latent Messages Conveyed")
- [An Exploratory Study of Gambling Operators Use of Social Media and the Latent Messages Conveyed](https://link.springer.com/article/10.1007/s10899-015-9525-2 'An Exploratory Study of Gambling Operators Use of Social Media and the Latent Messages Conveyed')
<br>
<br>
@ -152,7 +152,7 @@ Indipendentemente dalla nostra volontà, anche se utilizziamo i social passivame
### Maggiori informazioni
- [How tech companies deceive you into giving up your data and privacy](https://www.ted.com/talks/finn_lutzow_holm_myrstad_how_tech_companies_deceive_you_into_giving_up_your_data_and_privacy "How tech companies deceive you into giving up your data and privacy"), una <mark class="red">TED Talk</mark> di [Finn Lützow-Holm Myrstad](https://www.ted.com/speakers/finn_myrstad "Finn Lützow-Holm Myrstad")
- [How tech companies deceive you into giving up your data and privacy](https://www.ted.com/talks/finn_lutzow_holm_myrstad_how_tech_companies_deceive_you_into_giving_up_your_data_and_privacy 'How tech companies deceive you into giving up your data and privacy'), una <mark class='red'>TED Talk</mark> di [Finn Lützow-Holm Myrstad](https://www.ted.com/speakers/finn_myrstad 'Finn Lützow-Holm Myrstad')
<br>
<br>
@ -168,10 +168,10 @@ Non è un segreto: tutto ciò che ho appena elencato è venduto a caro prezzo ad
### Maggiori informazioni
- [The Cambridge Analytica Story, Explained](https://www.wired.com/amp-stories/cambridge-analytica-explainer/ "The Cambridge Analytica Story, Explained"), di [WIRED](https://wired.com)
- [Facebook's role in Brexit — and the threat to democracy](https://www.ted.com/talks/carole_cadwalladr_facebook_s_role_in_brexit_and_the_threat_to_democracy "Facebook's role in Brexit — and the threat to democracy"), un <mark class="red">TED Talk</mark> di [Carole Cadwalladr](https://en.wikipedia.org/wiki/Carole_Cadwalladr "Carole Cadwalladr on Wikipedia")
- [How Surveillance Advertising Seized Our Data and Hijacked the Web](https://thereboot.com/how-surveillance-advertising-seized-our-data-and-hijacked-the-web/ "How Surveillance Advertising Seized Our Data and Hijacked the Web") di Matthew Crain su [The Reboot](https://thereboot.com/ "The Reboot")
- [How to Destroy Surveillance Capitalism](https://onezero.medium.com/how-to-destroy-surveillance-capitalism-8135e6744d59 "How to Destroy Surveillance Capitalism"), di [Cory Doctorow](https://pluralistic.net "Pluralistic - Cory Doctorow")
- [The Cambridge Analytica Story, Explained](https://www.wired.com/amp-stories/cambridge-analytica-explainer/ 'The Cambridge Analytica Story, Explained'), di [WIRED](https://wired.com)
- [Facebook's role in Brexit — and the threat to democracy](https://www.ted.com/talks/carole_cadwalladr_facebook_s_role_in_brexit_and_the_threat_to_democracy 'Facebook's role in Brexit — and the threat to democracy'), un <mark class='red'>TED Talk</mark> di [Carole Cadwalladr](https://en.wikipedia.org/wiki/Carole_Cadwalladr 'Carole Cadwalladr on Wikipedia')
- [How Surveillance Advertising Seized Our Data and Hijacked the Web](https://thereboot.com/how-surveillance-advertising-seized-our-data-and-hijacked-the-web/ 'How Surveillance Advertising Seized Our Data and Hijacked the Web') di Matthew Crain su [The Reboot](https://thereboot.com/ 'The Reboot')
- [How to Destroy Surveillance Capitalism](https://onezero.medium.com/how-to-destroy-surveillance-capitalism-8135e6744d59 'How to Destroy Surveillance Capitalism'), di [Cory Doctorow](https://pluralistic.net 'Pluralistic - Cory Doctorow')
<br>
<br>
@ -188,11 +188,11 @@ Facebook è stato denunciato ed è ora sotto processo da parte del governo statu
### Maggiori informazioni
- [Unintervista di *Codice* a Jaron Lanier](https://www.raiplay.it/video/2019/08/Codice-intervista-esclusiva-a-Jaron-Lanier-pioniere-della-realta-virtuale-98a38fd9-6fa9-46d6-9b49-f9deccc7d1c6.html "Intervista a Jaron Lanier - Codice - Rai Play"), su <mark class="red">Rai Play</mark>
- [Monopoly Machine: Understanding the System That Shapes the Internet](https://thereboot.com/monopoly-machine-understanding-the-system-that-shapes-the-internet/ "Monopoly Machine: Understanding the System That Shapes the Internet"), un articolo di Emma Johanningsmeier su [The Reboot](https://thereboot.com/ "The Reboot")
- [FTC Sues Facebook for Illegal Monopolization](https://www.ftc.gov/news-events/press-releases/2020/12/ftc-sues-facebook-illegal-monopolization "FTC Sues Facebook for Illegal Monopolization"), the press release in which the Federal Trade Commission announces to sue Facebook
- [WIREDs Guide to Net Neutrality](https://www.wired.com/story/guide-net-neutrality/ "WIREDs Guide to Net Neutrality")
- [more](/it/links#monopolization "More resources related to the Monopolization and Social Media")
- [Unintervista di *Codice* a Jaron Lanier](https://www.raiplay.it/video/2019/08/Codice-intervista-esclusiva-a-Jaron-Lanier-pioniere-della-realta-virtuale-98a38fd9-6fa9-46d6-9b49-f9deccc7d1c6.html 'Intervista a Jaron Lanier - Codice - Rai Play'), su <mark class='red'>Rai Play</mark>
- [Monopoly Machine: Understanding the System That Shapes the Internet](https://thereboot.com/monopoly-machine-understanding-the-system-that-shapes-the-internet/ 'Monopoly Machine: Understanding the System That Shapes the Internet'), un articolo di Emma Johanningsmeier su [The Reboot](https://thereboot.com/ 'The Reboot')
- [FTC Sues Facebook for Illegal Monopolization](https://www.ftc.gov/news-events/press-releases/2020/12/ftc-sues-facebook-illegal-monopolization 'FTC Sues Facebook for Illegal Monopolization'), the press release in which the Federal Trade Commission announces to sue Facebook
- [WIREDs Guide to Net Neutrality](https://www.wired.com/story/guide-net-neutrality/ 'WIREDs Guide to Net Neutrality')
- [more](/it/links#monopolization 'More resources related to the Monopolization and Social Media')
<br>
<br>
@ -205,8 +205,8 @@ Perché non possiamo socializzare, scambiare idee, confrontarci con amici e cono
### Maggiori informazioni
- [Don Alberto Ravagnani su Muschio Selvaggio](https://youtu.be/aZ2pn0tNoGQ?t=3625 "Ep.33 Don Alberto - Muschio Selvaggio Podcast") che racconta quanto sia pericoloso per i più piccoli avere spesso il telefono in mano
- [Do virtual social networks destroy the social fabric?](https://medium.com/swlh/do-virtual-social-networks-destroy-the-social-fabric-b1e96de514db "Do virtual social networks destroy the social fabric?") un articolo di Jürgen Derlath
- [Don Alberto Ravagnani su Muschio Selvaggio](https://youtu.be/aZ2pn0tNoGQ?t=3625 'Ep.33 Don Alberto - Muschio Selvaggio Podcast') che racconta quanto sia pericoloso per i più piccoli avere spesso il telefono in mano
- [Do virtual social networks destroy the social fabric?](https://medium.com/swlh/do-virtual-social-networks-destroy-the-social-fabric-b1e96de514db 'Do virtual social networks destroy the social fabric?') un articolo di Jürgen Derlath
<br>
<br>
@ -221,7 +221,7 @@ Guarda le statistiche di utilizzo dei tuoi dispositivi.
### Maggiori informazioni
- <cite><a href="https://deditore.com/prodotto/cronofagia/" rel="noopener noreferrer" target="_blank" title="Cronofagia">Cronofagia</a></cite>, un <mark class="purple">libro</mark> di Davide Mazzocco
- <cite><a href='https://deditore.com/prodotto/cronofagia/' rel='noopener noreferrer' target='_blank' title='Cronofagia'>Cronofagia</a></cite>, un <mark class='purple'>libro</mark> di Davide Mazzocco
<br>
<br>
@ -247,37 +247,37 @@ Quello che pubblichiamo sui *Social Media* è veramente nostro? La risposta giac
### Facebook
From Facebook's [Terms of Service](https://www.facebook.com/terms.php "Facebook Terms of Service")
From Facebook's [Terms of Service](https://www.facebook.com/terms.php 'Facebook Terms of Service')
> […] when you share, post, or upload content that is covered by intellectual property rights on or in connection with our Products, you grant us a non-exclusive, transferable, sub-licensable, royalty-free, and worldwide license to host, use, distribute, modify, run, copy, publicly perform or display, translate, and create derivative works of your content (consistent with your privacy and application settings). […]
[Source](https://hyp.is/XqcmpBIrEeu7dUNn9rN24g/www.facebook.com/terms.php "Facebook Terms of Service")
[Source](https://hyp.is/XqcmpBIrEeu7dUNn9rN24g/www.facebook.com/terms.php 'Facebook Terms of Service')
### Twitter
From Twitter's [Terms of Service](https://twitter.com/en/tos "Twitter Terms of Service")
From Twitter's [Terms of Service](https://twitter.com/en/tos 'Twitter Terms of Service')
> […] By submitting, posting or displaying Content on or through the Services, you grant us a worldwide, non-exclusive, royalty-free license (with the right to sublicense) to use, copy, reproduce, process, adapt, modify, publish, transmit, display and distribute such Content in any and all media or distribution methods now known or later developed (for clarity, these rights include, for example, curating, transforming, and translating). […]
[Source](https://hyp.is/2H2wMhIsEeuntaMMPJ6iIw/twitter.com/en/tos "Twitter Terms of Service")
[Source](https://hyp.is/2H2wMhIsEeuntaMMPJ6iIw/twitter.com/en/tos 'Twitter Terms of Service')
<br>
### Tik Tok
From Tik Tok's [Terms of use](https://www.tiktok.com/legal/terms-of-use "Tik Tok Terms of Service")
From Tik Tok's [Terms of use](https://www.tiktok.com/legal/terms-of-use 'Tik Tok Terms of Service')
> […] You or the owner of your User Content still own the copyright in User Content sent to us, but by submitting User Content via the Services, you hereby grant us an unconditional irrevocable, non-exclusive, royalty-free, fully transferable, perpetual worldwide licence to use, modify, adapt, reproduce, make derivative works of, publish and/or transmit, and/or distribute and to authorise other users of the Services and other third-parties to view, access, use, download, modify, adapt, reproduce, make derivative works of, publish and/or transmit your User Content in any format and on any platform, either now known or hereinafter invented. […]
>
> You further grant us a royalty-free license to use your user name, image, voice, and likeness to identify you as the source of any of your User Content;
[Source](https://hyp.is/GROIKBIuEeukK5tV0Tl_rg/www.tiktok.com/legal/terms-of-use?lang=en "Tik Tok Terms of Service")
[Source](https://hyp.is/GROIKBIuEeukK5tV0Tl_rg/www.tiktok.com/legal/terms-of-use?lang=en 'Tik Tok Terms of Service')
Important passage:
> […] you are granting us the right to use your User Content without the obligation to pay royalties to any third party […]
[Source](https://hyp.is/VnoxMBIuEeuuiUMgV1pp_Q/www.tiktok.com/legal/terms-of-use?lang=en "Tik Tok Terms of Service")
[Source](https://hyp.is/VnoxMBIuEeuuiUMgV1pp_Q/www.tiktok.com/legal/terms-of-use?lang=en 'Tik Tok Terms of Service')
<br>
@ -319,7 +319,7 @@ Il titolo del paragrafo dice tutto. Davvero ci serve essere così connessi? Se l
Questo potrebbe essere il motivo più debole degli altri in questa pagina, ma può essere utile menzionarlo.
Facebook ha annunciato che entro il 2030 si applicherà per utilizzare esclusivamente energia rinnovabile; ha anche dedicato [un intero sito web](https://sustainability.fb.com "Facebook Sustainability") all'argomento. Nonostante ciò, i “servizi” forniti dai *Social Media* sono resi possibili da un numero sconosciuto di server indefinitamente (probabilmente, molto) grandi che sorgono in ogni angolo del pianeta. Tali server sono computer estremamente potenti connessi ad internet tutto il giorno, tutti i giorni; essi sono i responsabili del processo dietro le quinte che permette la pubblicazione di ciò che carichiamo e che assicura che tutto sia accessibile a chiunque, in qualunque luogo nel mondo. Come è facile immaginare, questi server consumano una gigantesca quantità di energia, e, anche se proviene da fonti rinnovabili, ha comunque un forte impatto sull'ambiente.
Facebook ha annunciato che entro il 2030 si applicherà per utilizzare esclusivamente energia rinnovabile; ha anche dedicato [un intero sito web](https://sustainability.fb.com 'Facebook Sustainability') all'argomento. Nonostante ciò, i “servizi” forniti dai *Social Media* sono resi possibili da un numero sconosciuto di server indefinitamente (probabilmente, molto) grandi che sorgono in ogni angolo del pianeta. Tali server sono computer estremamente potenti connessi ad internet tutto il giorno, tutti i giorni; essi sono i responsabili del processo dietro le quinte che permette la pubblicazione di ciò che carichiamo e che assicura che tutto sia accessibile a chiunque, in qualunque luogo nel mondo. Come è facile immaginare, questi server consumano una gigantesca quantità di energia, e, anche se proviene da fonti rinnovabili, ha comunque un forte impatto sull'ambiente.
Una nota personale: chiunque non sia un imbecille riconosce che il più grande e preoccupante pericolo per noi in questo momento storico (tralasciando per un attimo la pandemia) è il surriscaldamento globale; sta fortemente impattando le nostre vite e probabilmente le devasterà, a meno che non faremo qualcosa nel prossimo futuro. Anche se potrebbe sembrare non giustificato, il mio timore per quanto riguarda i *Social Media* è forse più grande: se il surriscaldamento globale può essere osservato, oggettivamente misurato e monitorato, il declino della libertà sul web è subdolo, accade nellombra e con una crescente ma comunque minima attenzione, se comparata alle dimensioni del problema. Inoltre, anche un ignorante in materia ambientale può comprendere i rudimenti del perché il pianeta si stia surriscaldando e il motivo per cui questo è un grande rischio; al contrario, per riconoscere le minacce dovute allineguaglianza e la scomparsa della privacy sul web, occorre avere delle conoscenze tecniche a cui in Italia non veniamo minimamente educati. Doremmo abbandonare i *Social Media* per rendere il mondo un luogo migliore.
@ -344,9 +344,9 @@ Noi possiamo provare il contrario.
### Maggiori informazioni
- [Quanto siamo dipendenti da una singola piattaforma online?](https://funkwhale.it/library/tracks/1380/ "Quanto siamo dipendenti da una singola piattaforma online?"), episodio 10 del <mark class="blue">podcast</mark> di [Daniele Scasciafratte](https://daniele.tech "Daniele Scasciafratte")
- [Data Liberation: A Step Toward Fixing Big Techs Competition Problems](https://thereboot.com/data-liberation-a-step-toward-fixing-big-techs-competition-problems/ "Data Liberation: A Step Toward Fixing Big Techs Competition Problems") by Gabriel Nicholas on [The Reboot](https://thereboot.com "The Reboot")
- [Breaking Tech Open: Why Social Platforms Should Work More Like Email](https://thereboot.com/breaking-tech-open-why-social-platforms-should-work-more-like-email/ "Breaking Tech Open: Why Social Platforms Should Work More Like Email"), by Karissa McKelvey on [The Reboot](https://thereboot.com "The Reboot")
- [Quanto siamo dipendenti da una singola piattaforma online?](https://funkwhale.it/library/tracks/1380/ 'Quanto siamo dipendenti da una singola piattaforma online?'), episodio 10 del <mark class='blue'>podcast</mark> di [Daniele Scasciafratte](https://daniele.tech 'Daniele Scasciafratte')
- [Data Liberation: A Step Toward Fixing Big Techs Competition Problems](https://thereboot.com/data-liberation-a-step-toward-fixing-big-techs-competition-problems/ 'Data Liberation: A Step Toward Fixing Big Techs Competition Problems') by Gabriel Nicholas on [The Reboot](https://thereboot.com 'The Reboot')
- [Breaking Tech Open: Why Social Platforms Should Work More Like Email](https://thereboot.com/breaking-tech-open-why-social-platforms-should-work-more-like-email/ 'Breaking Tech Open: Why Social Platforms Should Work More Like Email'), by Karissa McKelvey on [The Reboot](https://thereboot.com 'The Reboot')
<br>
<br>
@ -383,4 +383,4 @@ Non è facile ed è piuttosto doloroso all'inizio, ma puoi farlo, possiamo farlo
## Cosa fare, ora?
Il prossimo passo è il livello successivo nel [percorso](/percorso "Percorso") verso la libertà online
Il prossimo passo è il livello successivo nel [percorso](/percorso 'Percorso') verso la libertà online

View File

@ -1,10 +1,10 @@
---
title: Percorso
permalink: /percorso
redirect_from: ["/it/path", "/path-it", "/it-path", "/path/it", "/livelli"]
permalink: /percorso/
redirect_from: [/it/path/,/path-it/,/it-path/,/path/it/,/livelli/]
lang: it
ref: path
description: "Troppe informazioni ti disorientano? Prenditi un po' di tempo, respira, e segui questo percorso verso la libertà sul web."
description: Troppe informazioni ti disorientano? Prenditi un po di tempo, respira, e segui questo percorso verso la libertà sul web.
layout: page
anchor: false
toc: false
@ -12,17 +12,17 @@ toc: false
Non dovresti fare di corsa (anche perché probabilmente nemmeno vuoi): non eliminare alcun account immediatamente.\
Prima di arrivarci, se ci arriverai, è importante seguire <u>un percorso di <strong>consapevolezza</strong></u>.
<div class="blue box">
Poiché si può agire a diversi livelli, in un anelito verso l'<a href="https://tommi.space/internet-freedom" target="_blank" title="“Internet Freedom” in Tommi's notes"><cite>Internet Freedom</cite></a>, ho trasformato questo percorso in un giochino: dal <a href="/it/l00">Livello 0</a> al <a href="/it/l1000">Livello 1000</a>.
<div class='blue box'>
Poiché si può agire a diversi livelli, in un anelito verso l'<a href='https://tommi.space/internet-freedom' target='_blank' title='“Internet Freedom” in Tommi's notes'><cite>Internet Freedom</cite></a>, ho trasformato questo percorso in un giochino: dal <a href='/it/l00'>Livello 0</a> al <a href='/it/l1000'>Livello 1000</a>.
</div>
<br>
- **Livello 0**: scopri più [informazioni](/info "Info - quitsocialmedia.club") su questo sito e, soprattutto, il suo [il suo fine](/info#fine "Fine - quitsocialmedia.club")
- **Livello 1**: comprendere [why](/perché "Perché") dovresti uscire dai *Social Media*
- **Livello 2**: passa in rassegna [più contenuti](/it/links "Link") e approfondisci largomento, anche [guardando video](/guarda "Guarda") e [ascoltando podcast](/ascolta "Ascolta").
- **Livello 3**: prova a **prendere il controllo** sulla tua vita online seguendo alcune [tappe intermedie](https://www.humanetech.com/take-control "Take Control - Humane Center of Technology")
- **Livello 0**: scopri più [informazioni](/info 'Info - quitsocialmedia.club') su questo sito e, soprattutto, il suo [il suo fine](/info#fine 'Fine - quitsocialmedia.club')
- **Livello 1**: comprendere [why](/perché 'Perché') dovresti uscire dai *Social Media*
- **Livello 2**: passa in rassegna [più contenuti](/it/links 'Link') e approfondisci largomento, anche [guardando video](/guarda 'Guarda') e [ascoltando podcast](/ascolta 'Ascolta').
- **Livello 3**: prova a **prendere il controllo** sulla tua vita online seguendo alcune [tappe intermedie](https://www.humanetech.com/take-control 'Take Control - Humane Center of Technology')
- **Livello 4**: prima di compiere passi drastici, prova a disattivare il tuo profilo per qualche tempo. Una settimana, poi un mese, poi tutta lestate, poi un anno intero. Osserva che effetto fa; se resisti, puoi procedere al livello successivo.
- **Livello 5**: [elimina](/elimina "Elimina") i tuoi account sui *Social Media*
- **Livello 6**: diventa *social* senza *Social Media*, scopri ed innamorati delle innumerevoli e straordiarie [alternative e soluzioni](/soluzioni "Alternative e Soluzioni")
- **Livello 1000**: [Contribuisci](/contribuisci "Contribuisci") a questo sito web
- **Livello 5**: [elimina](/elimina 'Elimina') i tuoi account sui *Social Media*
- **Livello 6**: diventa *social* senza *Social Media*, scopri ed innamorati delle innumerevoli e straordiarie [alternative e soluzioni](/soluzioni 'Alternative e Soluzioni')
- **Livello 1000**: [Contribuisci](/contribuisci 'Contribuisci') a questo sito web

View File

@ -1,12 +1,13 @@
---
title: Soluzioni e alternative
permalink: /soluzioni
permalink: /soluzioni/
lang: it
ref: sol
toc: true
layout: page
redirect_from: ["/sol-it", "/it/sol", "/soluzione", "/it/solutions"]
description: "Essere “social” senza “<i>Social Media</i>” sembra impossibile. Tuttavia, quella senza <i>Social Media</i> è una nuova vita, straordinaria, piena di sorprese, scoperte, autenticità ed eccitazione, ma, soprattutto, <strong>libera</strong>. Esistono alcune favolose soluzioni talmente perfette da far apparire i <i>Social Media</i> quasi inutili e stupidi."
redirect_from: [/sol-it/,/it/sol/,/soluzione/,/it/solutions/]
description: |
Essere “social” senza “<i>Social Media</i>” sembra impossibile. Tuttavia, quella senza <i>Social Media</i> è una nuova vita, straordinaria, piena di sorprese, scoperte, autenticità ed eccitazione, ma, soprattutto, <strong>libera</strong>. Esistono alcune favolose soluzioni talmente perfette da far apparire i <i>Social Media</i> quasi inutili e stupidi.
---
## Brevemente
@ -19,11 +20,11 @@ Il concetto fondamentale è: per essere aggiornato e seguire l'attività di pers
## RSS feed
Potresti non avere idea di [cosa sia un feed RSS feed](https://it.wikipedia.org/wiki/RSS "“RSS” su Wikipedia"), o potresti averne sentito parlare come di qualcosa di vecchio e obsoleto. Tuttavia, è uno strumento semplicissimo che preserva l'anonimato, non è posseduto da nessuno e non necessita di alcun server dedicato per funzionare. Non è governato da algoritmi e nessuno può sapere chi segui, cosa leggi, ascolti o credi, tantomeno è possibile utilizzare dati per [fini commerciali](/perché#profilazione "Profilazione"), dato che non vengono raccolte informazioni su di te (nella maggior parte dei casi).
Potresti non avere idea di [cosa sia un feed RSS feed](https://it.wikipedia.org/wiki/RSS '“RSS” su Wikipedia'), o potresti averne sentito parlare come di qualcosa di vecchio e obsoleto. Tuttavia, è uno strumento semplicissimo che preserva l'anonimato, non è posseduto da nessuno e non necessita di alcun server dedicato per funzionare. Non è governato da algoritmi e nessuno può sapere chi segui, cosa leggi, ascolti o credi, tantomeno è possibile utilizzare dati per [fini commerciali](/perché#profilazione 'Profilazione'), dato che non vengono raccolte informazioni su di te (nella maggior parte dei casi).
Alcuni dicono che i feed RSS sono morti, uccisi dai *Social Media*. In realtà, sono imperituri, e sono tuttora **ovunque** sul web. Per fare un esempio, tutti i podcast del mondo sfruttano i feed RSS per apparire su diverse piattaforme e per essere condivisi e riprodotti.
Utilizzare RSS è molto semplice. Come sottolineato nelle [info](/info "Informazioni"), questo sito non è concepito per spiegare i contenuti che porta alla luce, ma semplicemente aggregare e presentare risorse. Per questo motivo, non spiegherò cosa esattamente sia un feed RSS, ma incollerò di seguito alcuni link che lo fanno molto meglio di come saprei fare io.
Utilizzare RSS è molto semplice. Come sottolineato nelle [info](/info 'Informazioni'), questo sito non è concepito per spiegare i contenuti che porta alla luce, ma semplicemente aggregare e presentare risorse. Per questo motivo, non spiegherò cosa esattamente sia un feed RSS, ma incollerò di seguito alcuni link che lo fanno molto meglio di come saprei fare io.
- [What is RSS?](https://yewtu.be/6HNUqDL-pI8?quality=dash&dark_mode=true&player_style=youtube&subtitles=en%2Cit), un video su YouTube
- [What is RSS](https://www.digitaltrends.com/computing/what-is-an-rss-feed/), un articolo
@ -37,10 +38,10 @@ Utilizzare RSS è molto semplice. Come sottolineato nelle [info](/info "Informaz
Dopo un po', è facile finire per essere piuttosto malinconici e rendersi conto che i *Social Media*, utilizzati da quasi ogni persona si conosca, sono l'unico modo per mantenere contatti con amici lontani ed essere aggiornati su cosa succede nelle vite di coloro a cui si vuole bene. È comprensibile, anche se l'ideale sarebbe che tutti si convertissero e abbandonassero i *Social*. Tuttavia, se non si avessero alternative, anche in questo caso, esiste uno strumento favoloso per <u>convertire in feed RSS le timeline dei social network</u>.
Gli strumenti esistenti sono più di uno, il più celebre di questi è [RSS-Bridge](https://github.com/RSS-Bridge/rss-bridge "RSS-Bridge si GitHub").
Gli strumenti esistenti sono più di uno, il più celebre di questi è [RSS-Bridge](https://github.com/RSS-Bridge/rss-bridge 'RSS-Bridge si GitHub').
È possibile <u>utilizzare gratuitamente <a href="https://rss-bridge.tommi.space" rel="noopener noreferrer" target="_blank" title="RSS-Bridge di Tommi">quello ospitato sul mio server</a></u>.\
(mantenere un server non costa poco: sono felice di offrire il mio RSS-Bridge, ma se ne faceste un utilizzo intensivo apprezzerei [un piccolo contributo](https://it.liberapay.com/tommi/donate "Dona a Tommi su Liberapay"))
È possibile <u>utilizzare gratuitamente <a href='https://rss-bridge.tommi.space' rel='noopener noreferrer' target='_blank' title='RSS-Bridge di Tommi'>quello ospitato sul mio server</a></u>.\
(mantenere un server non costa poco: sono felice di offrire il mio RSS-Bridge, ma se ne faceste un utilizzo intensivo apprezzerei [un piccolo contributo](https://it.liberapay.com/tommi/donate 'Dona a Tommi su Liberapay'))
<br>
@ -48,34 +49,34 @@ Gli strumenti esistenti sono più di uno, il più celebre di questi è [RSS-Brid
Nella maggior parte dei casi, se non ti interessa seguire un account e non perdere nessun suo post, puoi utilizzare dei siti che ti permettono di vedere i principali *Social Media* senza dover accedere o utilizzare linterfaccia originale, che solitamente traccia gli utenti.
- [Nitter](https://nitter.net "Nitter") è un proxy di Twitter, che ti permette anche di iscriversi ai Fedd RSS dei singoli profili
- [Bibliogram](https://bibliogram "Bibliogram"), un proxy di Instagram
- [Teddit](https://teddit.net/ "Teddit"), a un proxy di Reddit
- [Invidious](https://invidio.us "Invidious"), un proxy di YouTube (nota: la principale istanza di Invidious ha chiuso qualche mese fa. Dalla pagina precedentemente linkata si possono raggiungere altre istanze, quella che io uso è <https://yewtu.be>)
- [Nitter](https://nitter.net 'Nitter') è un proxy di Twitter, che ti permette anche di iscriversi ai Fedd RSS dei singoli profili
- [Bibliogram](https://bibliogram 'Bibliogram'), un proxy di Instagram
- [Teddit](https://teddit.net/ 'Teddit'), a un proxy di Reddit
- [Invidious](https://invidio.us 'Invidious'), un proxy di YouTube (nota: la principale istanza di Invidious ha chiuso qualche mese fa. Dalla pagina precedentemente linkata si possono raggiungere altre istanze, quella che io uso è <https://yewtu.be>)
[Privacy Redirect](https://github.com/SimonBrazell/privacy-redirect "Privacy Redirect") è una favolosa estensione per la maggiorparte dei browser che trasforma automaticamente link dei Social supportati in link ai relativi proxy. Ad esempio, se io volessi visitare <https://twitter.com/ESA_Italia>, l'estensione automaticamente mi reindirizzerebbe a <https://nitter.net/ESA_Italia>.
[Privacy Redirect](https://github.com/SimonBrazell/privacy-redirect 'Privacy Redirect') è una favolosa estensione per la maggiorparte dei browser che trasforma automaticamente link dei Social supportati in link ai relativi proxy. Ad esempio, se io volessi visitare <https://twitter.com/ESA_Italia>, l'estensione automaticamente mi reindirizzerebbe a <https://nitter.net/ESA_Italia>.
<br>
<br>
## Alternative
Ho già trattato [le ragioni](/perché "Perché") per cui i *Social Media* così come noi li conosciamo siano preoccupantemente dannosi. Peraltro, esistono diverse favolose piattaforme che ne risolvono molti, se non tutti, i più importanti problemi. Le caratteristiche distintive di tali piattaforme sono <u>la totale assenza di pubblicità</u>, la minima raccolta di dati personali, <u>non sfruttati per profilare gli utenti</u>, non contengono algoritmi che analizzano o riordinano i contenuti, ma, soprattutto, <u>sono liberi, aperti e indipendenti</u>.
Ho già trattato [le ragioni](/perché 'Perché') per cui i *Social Media* così come noi li conosciamo siano preoccupantemente dannosi. Peraltro, esistono diverse favolose piattaforme che ne risolvono molti, se non tutti, i più importanti problemi. Le caratteristiche distintive di tali piattaforme sono <u>la totale assenza di pubblicità</u>, la minima raccolta di dati personali, <u>non sfruttati per profilare gli utenti</u>, non contengono algoritmi che analizzano o riordinano i contenuti, ma, soprattutto, <u>sono liberi, aperti e indipendenti</u>.
Questi *Social Network* alternativi non sono solo gratis da utilizzare, ma anche liberamente replicabili: chiunque può [installarli sul proprio server](#crea-il-tuo "Crea il tuo social") e facilmente connesse fra loro. Immagina di avere il tuo Facebook. Quanto sarebbe figo?
Questi *Social Network* alternativi non sono solo gratis da utilizzare, ma anche liberamente replicabili: chiunque può [installarli sul proprio server](#crea-il-tuo 'Crea il tuo social') e facilmente connesse fra loro. Immagina di avere il tuo Facebook. Quanto sarebbe figo?
- [Mastodon](https://mastodon.it "Mastodon"), con più di **quattro milioni di utenti** in tutto il mondo, è di gran lunga la piattaforma più diffusa e conosciuta; il suo funzionamento e la sua struttura sono molto simili a quelli di Twitter.
- [Pixelfed](https://pixelfed.org "Pixelfed") è praticamente identico a Instagram; ha anche le storie.
- [Friendica](https://friendi.ca "Friendica") è qualcosa di simile a Facebook
- [PeerTube](https://joinpeertube.org "PeerTube official website") è una grandiosa piattaforma di video streaming, sviluppata dalla francese [Framasoft](https://framasoft.org/it/ "Framasoft"). Come il nome suggerisce, è come YouTube, ma sfrutta anche un geniale sistema di streaming peer-to-peer dei video per stressare meno i server che contengono video particolarmente popolari.
- [Mastodon](https://mastodon.it 'Mastodon'), con più di **quattro milioni di utenti** in tutto il mondo, è di gran lunga la piattaforma più diffusa e conosciuta; il suo funzionamento e la sua struttura sono molto simili a quelli di Twitter.
- [Pixelfed](https://pixelfed.org 'Pixelfed') è praticamente identico a Instagram; ha anche le storie.
- [Friendica](https://friendi.ca 'Friendica') è qualcosa di simile a Facebook
- [PeerTube](https://joinpeertube.org 'PeerTube official website') è una grandiosa piattaforma di video streaming, sviluppata dalla francese [Framasoft](https://framasoft.org/it/ 'Framasoft'). Come il nome suggerisce, è come YouTube, ma sfrutta anche un geniale sistema di streaming peer-to-peer dei video per stressare meno i server che contengono video particolarmente popolari.
Il dettaglio più sorprendente e grandioso è che tutte queste piattaforme, per quanto diverse, sono connesse fra loro: dal mio account su Mastodon posso seguire qualcuno su Pixelfed, così come un canale su PeerTube. Questo è possibile poiché questi *Social Media* alternativi sono basati su un protocollo chiamato [ActivityPub](https://it.wikipedia.org/wiki/ActivityPub "ActivityPub su Wikipedia"). Grazie a questa “federazione” le persone possono comunicare fra loro indifferentemente dal Social Media e dal server su cui si trovano. Avere un account in uno di questi *Social* significa essere parte del magico [*Fediverse*](https://it.wikipedia.org/wiki/Fediverse "Fediverse on Wikipedia") (che sta per *Federated* (Social Media) *Universe*).
Il dettaglio più sorprendente e grandioso è che tutte queste piattaforme, per quanto diverse, sono connesse fra loro: dal mio account su Mastodon posso seguire qualcuno su Pixelfed, così come un canale su PeerTube. Questo è possibile poiché questi *Social Media* alternativi sono basati su un protocollo chiamato [ActivityPub](https://it.wikipedia.org/wiki/ActivityPub 'ActivityPub su Wikipedia'). Grazie a questa “federazione” le persone possono comunicare fra loro indifferentemente dal Social Media e dal server su cui si trovano. Avere un account in uno di questi *Social* significa essere parte del magico [*Fediverse*](https://it.wikipedia.org/wiki/Fediverse 'Fediverse on Wikipedia') (che sta per *Federated* (Social Media) *Universe*).
<br>
### Maggiori informazioni
- [Mastodon, il social media libero e decentralizzato](https://video.linux.it/videos/watch/3f6460c5-c1a9-4362-b0c9-824e0d1f8f86 "Mastodon, il social media libero e decentralizzato"), un video di spiegazione di [Filippo Della Bianca](https://mastodon.uno/@filippodb "@filippodb su mastodon.uno"), amministratore di [mastodon.uno](https://mastodon.uno "mastodon.uno") (la più grande istanza Mastodon italiana)
- [Mastodon, il social media libero e decentralizzato](https://video.linux.it/videos/watch/3f6460c5-c1a9-4362-b0c9-824e0d1f8f86 'Mastodon, il social media libero e decentralizzato'), un video di spiegazione di [Filippo Della Bianca](https://mastodon.uno/@filippodb '@filippodb su mastodon.uno'), amministratore di [mastodon.uno](https://mastodon.uno 'mastodon.uno') (la più grande istanza Mastodon italiana)
<br>
<br>
@ -83,20 +84,20 @@ Il dettaglio più sorprendente e grandioso è che tutte queste piattaforme, per
## Sito Web
Lultima soluzione è di gran lunga la migliore, la più soddisfacente ed inimitabile: costruire il proprio sito web! Qualunque possano essere le tue skill tecniche, si può essere il proprio *Social Media* *provider* e creare il proprio mondo online.\
[Wordpress](https://wordpress.com "Wordpress") è il programma più diffuso e semplice da utilizzare, ma in caso si intendesse approfondir ebasiche nozioni di sviluppo web, io suggerisco [Jekyll](https://jekyllrb.com "Jekyll"), che è stato utilizzato per creare questo stesso sito.
[Wordpress](https://wordpress.com 'Wordpress') è il programma più diffuso e semplice da utilizzare, ma in caso si intendesse approfondir ebasiche nozioni di sviluppo web, io suggerisco [Jekyll](https://jekyllrb.com 'Jekyll'), che è stato utilizzato per creare questo stesso sito.
### Maggiori informazioni
- [Get a Website Now! Dont be a Web Peasant!](https://youtu.be/bdKZVIGRAKQ "Get a Website Now! Don't be a Web Peasant!"), a YouTube video by [Luke Smith](https://lukesmith.xyz "Luke's personal website")
- [Get a Website Now! Dont be a Web Peasant!](https://youtu.be/bdKZVIGRAKQ 'Get a Website Now! Don't be a Web Peasant!'), a YouTube video by [Luke Smith](https://lukesmith.xyz 'Luke's personal website')
<br>
<br>
## Sperimentare
Una volta eliminati i propri profili, invece di essere [limitati](/perché#chiusura "Perché > Chiusura") si diventa liberi e privi di compromessi; per questo, **cominciare a sperimentare** potrebbe essere una ottima idea!
Una volta eliminati i propri profili, invece di essere [limitati](/perché#chiusura 'Perché > Chiusura') si diventa liberi e privi di compromessi; per questo, **cominciare a sperimentare** potrebbe essere una ottima idea!
Potresti voler iniziare *una newsletter* o registrare un podcast, sono molto di moda, ultimamente. In alternativa, potrebbe essere una saggia scelta concentrarsi per un po' su comunicazioni più intime e personali, condividendo momenti importanti della propria vita inviando [messaggi privati](https://signal.org "Signal") a gruppi o persone.
Potresti voler iniziare *una newsletter* o registrare un podcast, sono molto di moda, ultimamente. In alternativa, potrebbe essere una saggia scelta concentrarsi per un po' su comunicazioni più intime e personali, condividendo momenti importanti della propria vita inviando [messaggi privati](https://signal.org 'Signal') a gruppi o persone.
<br>
<br>
@ -111,8 +112,8 @@ Allinizio, sarà sicuramente dura, ma a lungo termine sarà un immenso guadag
Alcuni altri link a soluzioni ed alternative dopo labbandono dei Social Media:
- [Le Alternative](https://lealternative.net "Le Alternative"), un sito web pieno di risorse curiose e interessanti per evitare di usare sempre e solo gli onnipresenti servizi dei monopoli del *Big Tech*.
- [Living without Social Media](https://youtu.be/3E7hkPZ-HTk "Quit social media - Dr. Cal Newport - TEDxTysons"), un <mark class="red">TED Talk</mark> di dr. Cal Newport
- [My personal wishlist for a decentralized social network](https://carter.sande.duodecima.technology/decentralized-wishlist/ "My personal wishlist for a decentralized social network"), by Carter Sande
- [<cite>Together, we can rebuild the system</cite>](https://www.humanetech.com/rebuild "Together, we can align technology with humanitys best interests"), sul sito deb del [<cite>Center for Humane Technology</cite>](https://www.humanetech.com/ "Center for Humane Technology")
- [Okuna](https://about.okuna.io "Okuna"), <q>an ethical social network for a brighter tomorrow</q>.
- [Le Alternative](https://lealternative.net 'Le Alternative'), un sito web pieno di risorse curiose e interessanti per evitare di usare sempre e solo gli onnipresenti servizi dei monopoli del *Big Tech*.
- [Living without Social Media](https://youtu.be/3E7hkPZ-HTk 'Quit social media - Dr. Cal Newport - TEDxTysons'), un <mark class='red'>TED Talk</mark> di dr. Cal Newport
- [My personal wishlist for a decentralized social network](https://carter.sande.duodecima.technology/decentralized-wishlist/ 'My personal wishlist for a decentralized social network'), by Carter Sande
- [<cite>Together, we can rebuild the system</cite>](https://www.humanetech.com/rebuild 'Together, we can align technology with humanitys best interests'), sul sito deb del [<cite>Center for Humane Technology</cite>](https://www.humanetech.com/ 'Center for Humane Technology')
- [Okuna](https://about.okuna.io 'Okuna'), <q>an ethical social network for a brighter tomorrow</q>.

View File

@ -1,14 +1,14 @@
---
title: Stampa
permalink: /stampa
redirect_from: ["/kitstampa", "/kit-stampa", "/stampakit", "/stampa-kit", "/it/press", "/press-it", "/it/press-kit"]
redirect_from: [/kitstampa/,/kit-stampa/,/stampakit/,/stampa-kit/,/it/press/,/press-it/,/it/press-kit]
ref: press
description: "Articoli e video in cui è menzionato questo sito e informazioni per giornalisti interessati a raccontare di quitsocialmedia.club"
description: Articoli e video in cui è menzionato questo sito e informazioni per giornalisti interessati a raccontare di quitsocialmedia.club
toc: false
---
## Press kit
Si prega di [contattare Tommi via email]({{ "tommi@quitsocialmedia.club" | uri_encode }} "Scrivere unemail a Tommi") per qualunque domanda la cui risposta non fosse trovata nella [pagina info](/info "Informazioni su quitsocialmedia.club") o in [Obiezioni e risposte](/it/faq "Obiezioni e risposte").
Si prega di [contattare Tommi via email]({{ 'tommi@quitsocialmedia.club' | uri_encode }} 'Scrivere unemail a Tommi') per qualunque domanda la cui risposta non fosse trovata nella [pagina info](/info 'Informazioni su quitsocialmedia.club') o in [Obiezioni e risposte](/it/faq 'Obiezioni e risposte').
<br>
<br>
@ -18,14 +18,14 @@ Si prega di [contattare Tommi via email]({{ "tommi@quitsocialmedia.club" | uri_e
Una lista di link a video, articoli ed interviste in cui appare quitsocialmedia.club:
<ul>
{% for article in site.data.press %}
{% for article in press %}
<li>
{% if article.lang == 'it' %}
🇮🇹
{% else %}
🇬🇧
{% endif %}
<a href="{{ article.url }}" rel="noopener noreferrer" target="_blank" title="{{ article.title }}">{{ article.title }}</a> di {{ article.author }} su {{ article.masthead }}, {{ article.date | date_to_long_string }}
<a href='{{ article.url }}' rel='noopener noreferrer' target='_blank' title='{{ article.title }}'>{{ article.title }}</a> di {{ article.author }} su {{ article.masthead }}, {{ article.date | date_to_long_string }}
</li>
{% endfor %}
</ul>

View File

@ -1,32 +1,32 @@
---
title: "“Veloce riassunto„"
title: '“Veloce riassunto„'
permalink: /veloce
ref: quick
description: "Non hai né il tempo né la voglia di leggere tutto ciò che è scritto qui e vuoi solo conoscerne i punti fondamentali? Questa è la pagina giusta per te."
description: Non hai né il tempo né la voglia di leggere tutto ciò che è scritto qui e vuoi solo conoscerne i punti fondamentali? Questa è la pagina giusta per te.
layout: page
lang: it
toc: false
---
<div class="blue box">
Qui di seguito, una sintesi delle questioni affrontate su questo sito, tuttavia, è fortemente consigliato, per una conoscenza più esaustiva ed approfondita, di seguire <a href="/percorso" title="Percorso">questo percorso</a>.
<div class='blue box'>
Qui di seguito, una sintesi delle questioni affrontate su questo sito, tuttavia, è fortemente consigliato, per una conoscenza più esaustiva ed approfondita, di seguire <a href='/percorso' title='Percorso'>questo percorso</a>.
</div>
1. *quitsocialmedia.club* è stato creato da [Tommi](https://tommi.space "il sito personale di Tommi"), perché crede che le persone debbano comprendere che i *Social Media*, per quanto vituperati, non sono **esclusivamente** piattaforme negative, ma le loro qualità sono su un piano di gran lunga inferiore ai loro pericolosi e pesanti [problemi](/perché "Perché").
2. Il fine di questo sito è mostrare limportanza e linevitabilità del[labbandono](/elimina "Elimina i tuoi account sui Social Media") dei *Social Media* (ma va?), ma ci sono [alcuni livelli intermedi](/percorso "Il percorso") che potrebbero nel frattempo rendere la tua vita molto migliore.
3. Se non ti va di leggere, puoi iniziare a farti unidea della rilevanza delle problematiche delle piattaforme di *social networking* più utilizzate guardando due documentari, anche se sono [innumerevoli](/guarda "Guarda") i video a riguardo:
- [<cite>The Great Hack - Privacy violata</cite>](https://it.wikipedia.org/wiki/The_Great_Hack_-_Privacy_violata "“The Great Hack” su Wikipedia") è un documentario che racconta da dentro lo scandalo di *Cambridge Analytica*
- [<cite>The Social Dilemma</cite>](https://www.thesocialdilemma.com "The Social Dilemma website") è un documentario molto recente in cui vengono intervistate alcune fra le più eminenti personalità del mondo a livello di analisi e sviluppo dei *Social Media*; la conclusione è allarmante.
4. Ciò che dovrebbe spingerci ad abbandonare i social sono i loro immensi problemi, che stanno distruggendo la società a livello globale. Segue una sintesi delle motivazioni chiave, che sono tuttavia presentate in modo più completo nella pagina [perché](/perché "Perché")
- Alimentano [rabbia](/perché#rabbia "Perché > Rabbia") ed [odio](/perché#odio "Perché > Odio"), inevitabilmente portando ad una [polarizzazione](/perché#polrizzazione "Perché > Polarizzazione")
- Fanno dilagare la [disinformazione](/perché#disinformazione "Perché > Disinformazione") molto velocemente
- Ci costringono a vivere in una [bolla](/perché#bolla "Perché > Bolla"), allinterno della quale la realtà appare distorta
- Abbassano la [qualità](/perché#qualità "Perché > Qualità") dei contenuti pubblicati su di essi
- Creano [dipendenza](/perché#dipendenza "Perché > Dipendenza") e ci rendono più [distratti](/perché#distrazione "Perché > Distrazione")
- Acquisiscono e salvano uningente quantità di [dati](/perché#dati "Perché > Dati") sulla nostra identità, che vengono analizzati per [capire chi siamo](/perché#profilazione "Perché > Profilazione") e vendere successivamente la nostra identità a terzi che sfruttano le nostre pulsioni per manipolarci, a nostra insaputa
- Sono dei [monopòli](/perché#monopoli "Perché > Monopoli") e sono [chiusi](/perché#chiusura "Perché > Chiusura"): al di fuori e senza di essi è come se il mondo non esistesse
- [Standardizzano](/prché#standardizzazione "Perché > Standardizzazione") i canoni di bellezza e le regole di comportamento
- Tutto su di essi è concepito per massimizzare il guadagno e la [velocità](/perché#velocità "Perché > Velocità")
- [Ci sfruttano](/perché#essere-usati "Perché > Essere usati"), mentre noi crediamo che siamo noi a sfruttare loro.
1. Sicuramente, ora avrai qualche obiezione. Naturale. Tuttavia, [Non cè “ma…” che tenga](/ma "“Ma…”"), o, se cè, <a href="mailto:{{ site.email | encode_email }}" rel="noopener noreferrer" target="_blank" title="Scrivimi unemail">scrivimi</a> e proverò a replicare
2. Ancora non sei sufficientemente convinto? Leggi le [Obiezioni e Risposte](/it/faq "Obiezioni e Risposte")
3. Ora, [elimina i tuoi account](/elimina "Elimina i tuoi account")
1. *quitsocialmedia.club* è stato creato da [Tommi](https://tommi.space 'il sito personale di Tommi'), perché crede che le persone debbano comprendere che i *Social Media*, per quanto vituperati, non sono **esclusivamente** piattaforme negative, ma le loro qualità sono su un piano di gran lunga inferiore ai loro pericolosi e pesanti [problemi](/perché 'Perché').
2. Il fine di questo sito è mostrare limportanza e linevitabilità del[labbandono](/elimina 'Elimina i tuoi account sui Social Media') dei *Social Media* (ma va?), ma ci sono [alcuni livelli intermedi](/percorso 'Il percorso') che potrebbero nel frattempo rendere la tua vita molto migliore.
3. Se non ti va di leggere, puoi iniziare a farti unidea della rilevanza delle problematiche delle piattaforme di *social networking* più utilizzate guardando due documentari, anche se sono [innumerevoli](/guarda 'Guarda') i video a riguardo:
- [<cite>The Great Hack - Privacy violata</cite>](https://it.wikipedia.org/wiki/The_Great_Hack_-_Privacy_violata '“The Great Hack” su Wikipedia') è un documentario che racconta da dentro lo scandalo di *Cambridge Analytica*
- [<cite>The Social Dilemma</cite>](https://www.thesocialdilemma.com 'The Social Dilemma website') è un documentario molto recente in cui vengono intervistate alcune fra le più eminenti personalità del mondo a livello di analisi e sviluppo dei *Social Media*; la conclusione è allarmante.
4. Ciò che dovrebbe spingerci ad abbandonare i social sono i loro immensi problemi, che stanno distruggendo la società a livello globale. Segue una sintesi delle motivazioni chiave, che sono tuttavia presentate in modo più completo nella pagina [perché](/perché 'Perché')
- Alimentano [rabbia](/perché#rabbia 'Perché > Rabbia') ed [odio](/perché#odio 'Perché > Odio'), inevitabilmente portando ad una [polarizzazione](/perché#polrizzazione 'Perché > Polarizzazione')
- Fanno dilagare la [disinformazione](/perché#disinformazione 'Perché > Disinformazione') molto velocemente
- Ci costringono a vivere in una [bolla](/perché#bolla 'Perché > Bolla'), allinterno della quale la realtà appare distorta
- Abbassano la [qualità](/perché#qualità 'Perché > Qualità') dei contenuti pubblicati su di essi
- Creano [dipendenza](/perché#dipendenza 'Perché > Dipendenza') e ci rendono più [distratti](/perché#distrazione 'Perché > Distrazione')
- Acquisiscono e salvano uningente quantità di [dati](/perché#dati 'Perché > Dati') sulla nostra identità, che vengono analizzati per [capire chi siamo](/perché#profilazione 'Perché > Profilazione') e vendere successivamente la nostra identità a terzi che sfruttano le nostre pulsioni per manipolarci, a nostra insaputa
- Sono dei [monopòli](/perché#monopoli 'Perché > Monopoli') e sono [chiusi](/perché#chiusura 'Perché > Chiusura'): al di fuori e senza di essi è come se il mondo non esistesse
- [Standardizzano](/prché#standardizzazione 'Perché > Standardizzazione') i canoni di bellezza e le regole di comportamento
- Tutto su di essi è concepito per massimizzare il guadagno e la [velocità](/perché#velocità 'Perché > Velocità')
- [Ci sfruttano](/perché#essere-usati 'Perché > Essere usati'), mentre noi crediamo che siamo noi a sfruttare loro.
1. Sicuramente, ora avrai qualche obiezione. Naturale. Tuttavia, [Non cè “ma…” che tenga](/ma '“Ma…”'), o, se cè, <a href='mailto:{{ site.email | encode_email }}' rel='noopener noreferrer' target='_blank' title='Scrivimi unemail'>scrivimi</a> e proverò a replicare
2. Ancora non sei sufficientemente convinto? Leggi le [Obiezioni e Risposte](/it/faq 'Obiezioni e Risposte')
3. Ora, [elimina i tuoi account](/elimina 'Elimina i tuoi account')

35
redirect.njk Normal file
View File

@ -0,0 +1,35 @@
---js
{
pagination: {
data: 'collections.all',
size: 1,
alias: 'redirect',
before: function (data) {
return data.reduce((redirects, page) => {
if (Array.isArray(page.data.redirect_from)) {
for (let url of page.data.redirect_from) {
redirects.push({ to: page.url, from: url });
}
} else if (typeof page.data.redirect_from === 'string') {
redirects.push({ to: page.url, from: page.data.redirect_from });
}
return redirects;
}, []);
},
addAllPagesToCollections: false,
},
permalink: '{{ redirect.from }}/index.html',
eleventyExcludeFromCollections: true,
}
---
<!DOCTYPE html>
<html lang='en-US'>
<meta charset='utf-8' />
<title>Redirecting&hellip;</title>
<link rel='canonical' href='{{ redirect.to | url }}' />
<script>location = '{{ redirect.to | url }}';</script>
<meta http-equiv='refresh' content='0; url={{ redirect.to | url }}' />
<meta name='robots' content='noindex' />
<h1>Redirecting&hellip;</h1>
<a href='{{ redirect.to | url }}'>Click here if you are not redirected.</a>
</html>

4
robots.txt Normal file
View File

@ -0,0 +1,4 @@
Sitemap: https://quitsocialmedia.club/sitemap.xml
User-agent: *
Disallow:

6
sitemap.njk Normal file
View File

@ -0,0 +1,6 @@
---
permalink: /sitemap.xml
layout: ~
eleventyExcludeFromCollections: true
---
{% sitemap collections.all %}

View File

@ -2,12 +2,12 @@
font-family: 'EB Garamond';
font-weight: 100 900;
font-display: swap;
src: url("/fonts/eb-garamond.woff2") format("woff2");
src: url('/fonts/eb-garamond.woff2') format('woff2');
}
@font-face {
font-family: 'EB Garamond';
font-weight: 100 900;
font-display: swap;
font-style: italic;
src: url("/fonts/eb-garamond-italic.woff2") format("woff2");
src: url('/fonts/eb-garamond-italic.woff2') format('woff2');
}

View File

@ -3,5 +3,5 @@
font-weight: 100 900;
font-display: swap;
font-style: oblique 0deg 10deg;
src: url("/fonts/inter.woff2") format("woff2");
src: url('/fonts/inter.woff2') format('woff2');
}

View File

@ -1,3 +1,20 @@
$tiny: .2rem;
$small: .5rem;
$regular-less: .9rem;
$regular: 1.1rem;
$regular-more: 1.3rem;
$regular-more-em: 1.3em;
$big: 1.6rem;
$bigger: 1.8rem;
$twice: 2.2rem;
$height: 3.1rem;
$mastodon: 4.4rem;
$radius-s: .4rem;
$radius-m: .6rem;
$radius-l: 1rem;
$trans: .5s;
$quicktrans: .2s;
.nav {
height: 2.8rem;
margin: 3vw;

View File

@ -3,5 +3,5 @@
font-style: normal;
font-weight: 400;
font-display: swap;
src: url("/fonts/ubuntu-mono.woff2") format("woff2");
src: url('/fonts/ubuntu-mono.woff2') format('woff2');
}

View File

@ -1,5 +1,7 @@
---
---
@use 'parts/nav';
@use 'parts/inter';
@use 'parts/ubuntu-mono';
$tiny: .2rem;
$small: .5rem;
$regular-less: .9rem;
@ -17,12 +19,6 @@ $radius-l: 1rem;
$trans: .5s;
$quicktrans: .2s;
/*@import '../_sass/search';*/
@import '../_sass/highlight';
@import '../_sass/nav';
@import '../_sass/inter';
@import '../_sass/ubuntu-mono';
:root {
--black-ish: #222;
--white-ish: #F1FAEE;