re-add website

This commit is contained in:
vitrinekast
2025-03-11 14:41:31 +01:00
commit 9aac30a40f
84 changed files with 4852 additions and 0 deletions

2
.gitignore vendored Normal file
View File

@ -0,0 +1,2 @@
dist
venv

59
README.md Normal file
View File

@ -0,0 +1,59 @@
# README.md
### Installation
Create a virtual python environment using ` python -m venv venv`
Activate the virtual environment using `source venv/bin/activate`
Install the packages using `pip install -r requirements.txt`
### Running
Compile the content into a static site using
```
python app.py
```
This creates the "dist" directory, with all of the HTML in there.
At the moment, `dist` is part of the `.gitignore`!
### Writing Content
Within the `content` directory, you can create/edit markdown files. When compiling the markdown content, `app.py` will look for jinja templates in the `templates` directory. If the markdown file is in the root of `content`, it will try to load a template with the same filename as the markdown file. For instance, `about.md` will look for `about.jinja`.
If the markdown file is in a subdirectory, it will look for a template with the same name as the subdirectory. At the moment, there is no functionality for deep nested folders. So, `recipes/tomato-soup.md` wants `recipes.jinja`. If the template does not exist, the default template is `post.jinja`.
The project uses [Jinja](https://jinja.palletsprojects.com/), which allows for extending templates, using variables, looping trough variables, and other funky features!
Additionally, `component-inventory.csv` is loaded as a dataset.
### Transclusion
You'll be able to transclude one markdown file into another, by applying the following syntax:
```MARKDOWN
{! path-to-file.md !}
```
The transclusion package also allows for transcluding specific lines:
```MARKDOWN
{! path-to-file.md!lines=1 3 8-10 2}
```
In the example above, it would read the file and include the lines 1, 3, 8, 9, 10, 2.
### Metadata
Metadata can be applied to markdown files using FrontMatters YAML. The metadata is accessable in the jinja tempaltes using `page.{metadata}`. In the example below, this could be, `page.title`.
```MARKDOWN
---
title: Capacitors
type: Capacitor
valueSymbol: unf
description: This is the description
---
```
### Assets
At the moment, the `src/assets` directory is copied to the `dist` folder, to apply CSS.

202
app.py Normal file
View File

@ -0,0 +1,202 @@
import os
from pathlib import Path
import shutil
import re
from datetime import datetime
from jinja2 import Environment, PackageLoader, select_autoescape
import frontmatter
from slugify import slugify
import pypandoc
# TODO make newsletter URL's absolute to klank.school
env = Environment(
loader=PackageLoader("src"),
autoescape=select_autoescape()
)
CONTENT_D = os.path.abspath("src/content")
OUTPUT_D = "dist"
documents = {}
def listDocuments(params):
param = params.split(" ")
template = env.select_template([f"snippets/list-documents.jinja"])
html = template.render(documents=documents, layout=param[0], type=param[1])
return html
def getParam(params, index):
if len(params) > index:
return params[index]
else:
return False
def listEvents(params):
param = params.split(" ")
tag=getParam(param, 1)
if "events" not in documents:
return ""
events = []
if tag:
for event in documents["events"]:
if tag in event["tags"]:
events.append(event)
else:
events = documents["events"]
template = env.select_template([f"snippets/list-events.jinja"])
html = template.render(events=events, filter=param[0], tag=getParam(param, 1))
return html
def slugify_filter(value):
return slugify(value)
def prettydate(value, format='%d/%m/%Y'):
return datetime.fromtimestamp(int(value)).strftime(format)
def shortcode_filter(value):
shortcode_callbacks = {
"show": listDocuments,
"events": listEvents
}
def shortcode_replacer(match):
shortcode_name = match.group(1).strip()
param = match.group(2).strip()
if shortcode_name in shortcode_callbacks:
return shortcode_callbacks[shortcode_name](param)
return match.group(0)
pattern = re.compile(r"{{\s*(\w+)\s+([^{}]+?)\s*}}")
return pattern.sub(shortcode_replacer, value)
env.filters["shortcode"] = shortcode_filter
env.filters["slugify"] = slugify_filter
env.filters["prettydate"] = prettydate
def render_single_file(template, page, path, dist, name = False):
modifier = False
print(f"rendering: {path}")
html = template.render(documents=documents, page=page, name=name)
name = Path(path).stem
if not os.path.exists(dist):
os.makedirs(dist)
with open(f"{dist}/{name}.html", "w", encoding="utf-8") as output_file:
output_file.write(html)
def get_page_data(path, isPreload=False):
filename = Path(path).stem
page = frontmatter.load(path)
page['slug'] = slugify(filename)
page.filename = filename
page.folder = os.path.basename(os.path.dirname(path))
if "start_datetime" in page:
now = datetime.now()
page["has_passed"] = datetime.fromtimestamp(page["start_datetime"]) < now
page.body = pypandoc.convert_text(
page.content,
to='html',
format='md',
extra_args=[
"-N",
"--section-divs",
"--lua-filter=include-files.lua"
])
return page
def render_posts(path):
name = Path(path).stem
template = env.select_template([f"{name}.jinja", "post.jinja"])
for filename in os.listdir(path):
if filename.endswith(".md"):
post_path = os.path.join(path, filename)
page = get_page_data(post_path)
render_single_file(template, page, post_path, f"{OUTPUT_D}/{name}", name)
def preload_documents():
print("preload any needed data")
now = datetime.now()
documents["meta"] = {}
documents["meta"]["now"] = now.strftime("%d %B %Y")
for subdir in os.listdir(CONTENT_D):
path = os.path.join(CONTENT_D, subdir)
if os.path.isdir(path):
name = Path(path).stem
if name not in documents:
documents[name] = []
files = os.listdir(path)
files.sort()
for filename in files:
if filename.endswith(".md"):
post_path = os.path.join(path, filename)
documents[name].append(get_page_data(post_path, isPreload=True))
elif Path(path).suffix == '.md':
documents[Path(path).stem] = get_page_data(path, isPreload=True)
def copy_assets():
if os.path.exists("dist/assets"):
shutil.rmtree("dist/assets")
shutil.copytree("src/assets", "dist/assets")
def main():
preload_documents()
print("render the content")
for subdir in os.listdir(CONTENT_D):
path = os.path.join(CONTENT_D, subdir)
if os.path.isdir(path):
render_posts(path)
elif Path(path).suffix == '.md':
template = env.select_template(
[f"{Path(path).stem}.jinja", "post.jinja"])
page = get_page_data(path)
render_single_file(template, page, path, OUTPUT_D)
elif Path(path).suffix in [".csv"]:
print("not compiling this file!")
copy_assets()
main()

65
get_events.py Normal file
View File

@ -0,0 +1,65 @@
import os
from pathlib import Path
import requests
import frontmatter
def get_API(URL):
try:
response = requests.get(URL)
response.raise_for_status()
return response.json()
except requests.exceptoins.RequestException as e:
raise Exception(f"Failed getting the API response: {e}")
def create_calendar_item(item, filepath):
print("i will create an item for", item)
try:
details = get_API("https://calendar.klank.school/api/event/detail/" + item['slug'])
print(details)
post = frontmatter.Post(content=details["description"])
for key in details:
post[key] = details[key]
with open(filepath, 'wb') as f:
frontmatter.dump(post, f)
print(f"Created file: {filepath}")
except Exception as e:
print(f"An error occurred while getting the calendar events: {str(e)}")
exit(1)
def get_calendar_events():
Path("src/content/events").mkdir(parents=True, exist_ok=True)
# Also get non unrepair events.
try:
items = get_API("https://calendar.klank.school/api/events?start=-1")
for item in items:
filename = f"{item['slug']}.md"
filepath = os.path.join("src/content/events", filename)
if os.path.isfile(filepath):
print("oh it already exists")
else:
print("did not store this yet")
create_calendar_item(item, filepath)
except Exception as e:
print(f"An error occurred while getting the calendar events: {str(e)}")
exit(1)
def main():
get_calendar_events()
main()

125
include-files.lua Normal file
View File

@ -0,0 +1,125 @@
--- include-files.lua filter to include Markdown files
---
--- Copyright: © 20192021 Albert Krewinkel
--- License: MIT see LICENSE file for details
-- Module pandoc.path is required and was added in version 2.12
PANDOC_VERSION:must_be_at_least '2.12'
local List = require 'pandoc.List'
local path = require 'pandoc.path'
local system = require 'pandoc.system'
local warn = pcall(require, 'pandoc.log')
and (require 'pandoc.log').warn
or warn
or function (msg) io.stderr:write(msg .. '\n') end
--- Get include auto mode
local include_auto = false
function get_vars (meta)
if meta['include-auto'] then
include_auto = true
end
end
--- Keep last heading level found
local last_heading_level = 0
function update_last_level(header)
last_heading_level = header.level
end
--- Update contents of included file
local function update_contents(blocks, shift_by, include_path)
local update_contents_filter = {
-- Shift headings in block list by given number
Header = function (header)
if shift_by then
header.level = header.level + shift_by
end
return header
end,
-- If image paths are relative then prepend include file path
Image = function (image)
if path.is_relative(image.src) then
image.src = path.normalize(path.join({include_path, image.src}))
end
return image
end,
-- Update path for include-code-files.lua filter style CodeBlocks
CodeBlock = function (cb)
if cb.attributes.include and path.is_relative(cb.attributes.include) then
cb.attributes.include =
path.normalize(path.join({include_path, cb.attributes.include}))
end
return cb
end
}
return pandoc.walk_block(pandoc.Div(blocks), update_contents_filter).content
end
--- Filter function for code blocks
local transclude
function transclude (cb)
-- ignore code blocks which are not of class "include".
if not cb.classes:includes 'include' then
return
end
-- Markdown is used if this is nil.
local format = cb.attributes['format']
-- Attributes shift headings
local shift_heading_level_by = 0
local shift_input = cb.attributes['shift-heading-level-by']
if shift_input then
shift_heading_level_by = tonumber(shift_input)
else
if include_auto then
-- Auto shift headings
shift_heading_level_by = last_heading_level
end
end
--- keep track of level before recusion
local buffer_last_heading_level = last_heading_level
local blocks = List:new()
for line in cb.text:gmatch('[^\n]+') do
if line:sub(1,2) ~= '//' then
local fh = io.open(line)
if not fh then
warn("Cannot open file " .. line .. " | Skipping includes")
else
-- read file as the given format with global reader options
local contents = pandoc.read(
fh:read '*a',
format,
PANDOC_READER_OPTIONS
).blocks
last_heading_level = 0
-- recursive transclusion
contents = system.with_working_directory(
path.directory(line),
function ()
return pandoc.walk_block(
pandoc.Div(contents),
{ Header = update_last_level, CodeBlock = transclude }
)
end).content
--- reset to level before recursion
last_heading_level = buffer_last_heading_level
blocks:extend(update_contents(contents, shift_heading_level_by,
path.directory(line)))
fh:close()
end
end
end
return blocks
end
return {
{ Meta = get_vars },
{ Header = update_last_level, CodeBlock = transclude }
}

10
requirements.txt Normal file
View File

@ -0,0 +1,10 @@
importlib_metadata==8.5.0
Jinja2==3.1.4
Markdown==3.7
MarkupSafe==3.0.2
python-frontmatter==1.1.0
python-slugify==8.0.4
requests==2.32.3
text-unidecode==1.3
zipp==3.21.0
pypandoc==1.15

31
src/assets/app.js Normal file
View File

@ -0,0 +1,31 @@
let filter = [];
document.querySelectorAll(".csl-entry").forEach((e) => {
if (filter.indexOf(e.id) == -1) {
filter.push(e.id);
document.querySelector('[data-template-type="bib"]').appendChild(e);
} else {
e.parentNode.removeChild(e);
}
})
const dialog = document.querySelector("dialog");
const closeDialog = (e) => {
e.stopPropagation();
console.log("close")
dialog.close();
document.body.removeEventListener("click", closeDialog);
}
const showLightbox = (e) => {
e.preventDefault();
e.stopPropagation();
const img = dialog.querySelector("img");
img.src = e.currentTarget.src;
img.alt = e.currentTarget.alt;
dialog.querySelector("p").textContent = e.currentTarget.alt;
dialog.showModal();
document.body.addEventListener("click", closeDialog, false);
}
document.querySelectorAll("article img").forEach((img) => {
console.log(img);
img.addEventListener("click", showLightbox);
})

Binary file not shown.

After

Width:  |  Height:  |  Size: 2.4 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 1.1 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 2.1 KiB

BIN
src/assets/favicon.ico Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 5.2 KiB

BIN
src/assets/image.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 21 KiB

BIN
src/assets/pwa-192x192.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 2.5 KiB

BIN
src/assets/pwa-512x512.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 6.8 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 3.8 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 5.2 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 211 KiB

Binary file not shown.

Binary file not shown.

After

Width:  |  Height:  |  Size: 160 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 122 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 18 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 126 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 55 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 96 KiB

View File

@ -0,0 +1,96 @@
* {
box-sizing: border-box;
}
body,
html {
margin: 0 0;
padding: 0 0;
width: 100%;
height: 100%;
}
article:not(article article) {
max-width: var(--article-w);
margin: 4rem auto;
padding-right: var(--footnote-w);
}
article header {
padding-right: 0;
margin-right: calc(var(--footnote-w)*-1);
}
article header {
min-height: 35mm;
}
dialog {
max-width: var(--main-w);
height: 100%;
max-height: 100%;
border: none;
overflow: hidden;
outline: none;
background-color: transparent;
margin: 0 auto;
padding: 0 0;
}
dialog img {
width: 100%;
height: 100%;
object-fit: contain;
max-height: calc(100svh - 2rem);
}
dialog::backdrop {
background-color: transparent;
transition: .2s linear;
}
dialog[open]::backdrop {
background-color: black;
opacity: .5;
}
sup li:before,
article li:has(.footnote-back):before,
li[count]:before {
display: inline;
float: left;
margin-right: 1ch;
font-weight: bold;
content: attr("count");
content: " [" attr(count) "]";
color: var(--accent);
}
li[count] {
float: right;
clear: right;
width: var(--footnote-w);
margin-right: calc((var(--footnote-w) * -1));
padding-left: 1rem;
margin-top: -1em;
margin-bottom: 1em;
}
article:not(article article) {
/* padding-right: var(--footnote-w);;*/
}
.list--frontpage {
display: grid;
grid-template-columns: 1fr 1fr;
grid-gap: 1rem;
list-style-type: none;
padding: 0 0;
}
#logs img, #logs video {
max-width: 200px;
float: left;
margin: .5rem;
}

View File

@ -0,0 +1,180 @@
/* CSS for Paged.js interface v0.4 */
/* Change the look */
:root {
--color-background: whitesmoke;
--color-pageSheet: #cfcfcf;
--color-pageBox: violet;
--color-paper: white;
--color-marginBox: transparent;
--pagedjs-crop-color: black;
--pagedjs-crop-shadow: white;
--pagedjs-crop-stroke: 1px;
}
/* To define how the book look on the screen: */
@media screen, pagedjs-ignore {
body {
background-color: var(--color-background);
}
.pagedjs_pages {
display: flex;
width: calc(var(--pagedjs-width) * 2);
flex: 0;
flex-wrap: wrap;
margin: 0 auto;
}
.pagedjs_page {
background-color: var(--color-paper);
box-shadow: 0 0 0 1px var(--color-pageSheet);
margin: 0;
flex-shrink: 0;
flex-grow: 0;
margin-top: 10mm;
}
.pagedjs_first_page {
margin-left: var(--pagedjs-width);
}
.pagedjs_page:last-of-type {
margin-bottom: 10mm;
}
.pagedjs_pagebox{
box-shadow: 0 0 0 1px var(--color-pageBox);
}
.pagedjs_left_page{
z-index: 20;
width: calc(var(--pagedjs-bleed-left) + var(--pagedjs-pagebox-width))!important;
}
.pagedjs_left_page .pagedjs_bleed-right .pagedjs_marks-crop {
border-color: transparent;
}
.pagedjs_left_page .pagedjs_bleed-right .pagedjs_marks-middle{
width: 0;
}
.pagedjs_right_page{
z-index: 10;
position: relative;
left: calc(var(--pagedjs-bleed-left)*-1);
}
/* show the margin-box */
.pagedjs_margin-top-left-corner-holder,
.pagedjs_margin-top,
.pagedjs_margin-top-left,
.pagedjs_margin-top-center,
.pagedjs_margin-top-right,
.pagedjs_margin-top-right-corner-holder,
.pagedjs_margin-bottom-left-corner-holder,
.pagedjs_margin-bottom,
.pagedjs_margin-bottom-left,
.pagedjs_margin-bottom-center,
.pagedjs_margin-bottom-right,
.pagedjs_margin-bottom-right-corner-holder,
.pagedjs_margin-right,
.pagedjs_margin-right-top,
.pagedjs_margin-right-middle,
.pagedjs_margin-right-bottom,
.pagedjs_margin-left,
.pagedjs_margin-left-top,
.pagedjs_margin-left-middle,
.pagedjs_margin-left-bottom {
box-shadow: 0 0 0 1px inset var(--color-marginBox);
}
/* uncomment this part for recto/verso book : ------------------------------------ */
/*
.pagedjs_pages {
flex-direction: column;
width: 100%;
}
.pagedjs_first_page {
margin-left: 0;
}
.pagedjs_page {
margin: 0 auto;
margin-top: 10mm;
}
.pagedjs_left_page{
width: calc(var(--pagedjs-bleed-left) + var(--pagedjs-pagebox-width) + var(--pagedjs-bleed-left))!important;
}
.pagedjs_left_page .pagedjs_bleed-right .pagedjs_marks-crop{
border-color: var(--pagedjs-crop-color);
}
.pagedjs_left_page .pagedjs_bleed-right .pagedjs_marks-middle{
width: var(--pagedjs-cross-size)!important;
}
.pagedjs_right_page{
left: 0;
}
*/
/*--------------------------------------------------------------------------------------*/
/* uncomment this par to see the baseline : -------------------------------------------*/
/* .pagedjs_pagebox {
--pagedjs-baseline: 22px;
--pagedjs-baseline-position: 5px;
--pagedjs-baseline-color: cyan;
background: linear-gradient(transparent 0%, transparent calc(var(--pagedjs-baseline) - 1px), var(--pagedjs-baseline-color) calc(var(--pagedjs-baseline) - 1px), var(--pagedjs-baseline-color) var(--pagedjs-baseline)), transparent;
background-size: 100% var(--pagedjs-baseline);
background-repeat: repeat-y;
background-position-y: var(--pagedjs-baseline-position);
} */
/*--------------------------------------------------------------------------------------*/
}
/* Marks (to delete when merge in paged.js) */
.pagedjs_marks-crop{
z-index: 999999999999;
}
.pagedjs_bleed-top .pagedjs_marks-crop,
.pagedjs_bleed-bottom .pagedjs_marks-crop{
box-shadow: 1px 0px 0px 0px var(--pagedjs-crop-shadow);
}
.pagedjs_bleed-top .pagedjs_marks-crop:last-child,
.pagedjs_bleed-bottom .pagedjs_marks-crop:last-child{
box-shadow: -1px 0px 0px 0px var(--pagedjs-crop-shadow);
}
.pagedjs_bleed-left .pagedjs_marks-crop,
.pagedjs_bleed-right .pagedjs_marks-crop{
box-shadow: 0px 1px 0px 0px var(--pagedjs-crop-shadow);
}
.pagedjs_bleed-left .pagedjs_marks-crop:last-child,
.pagedjs_bleed-right .pagedjs_marks-crop:last-child{
box-shadow: 0px -1px 0px 0px var(--pagedjs-crop-shadow);
}

119
src/assets/styles/paged.css Normal file
View File

@ -0,0 +1,119 @@
body {
font-size: var(--font-size-base);
}
.meta [data-generated-date] {
position: running(generatedDate);
}
.meta [data-publication-title] {
position: running(publicationTitle);
}
.meta [data-chapter-title] {
position: running(chapterTitle);
}
@page {
size: A5;
margin: 13mm 8mm;
}
@page :left {
@bottom-left {
content: "page " counter(page);
}
@top-left {
content: element(publicationTitle);
font-size: var(--font-size-base);
font-style: italic;
}
@top-right {
content: element(generatedDate);
font-size: var(--font-size-base);
font-style: italic;
}
}
@page: blank {
@top-left {
content: "blank " counter(page);
}
}
@page :right {
@top-right {
content: element(chapterTitle);
font-size: var(--font-size-base);
font-style: italic;
}
@bottom-right {
content: "right page" counter(page);
}
}
@page cover {
background: var(--accent);
margin-top: auto;
position: relative;
header {
position: absolute;
margin: 0 0;
top: 50%;
transform: translate3d(0, -50%, 0px);
width: 100%;
}
@top-right {
content: "coverttt";
}
}
@page front {
background: lightgrey;
position: relative;
@top-right {
content: none;
}
@bottom-right {
content: none;
}
header {
position: absolute;
margin: 0 0;
top: 50%;
transform: translate3d(0, -50%, 0px);
width: 100%;
}
}
.header--meta {
display: none;
}
.meta:has([data-chapter-title]) {
break-before: page;
}
.page--cover {
page: cover;
}
[template-type="front"] {
page: front;
counter-reset: page;
}
.header-section-number {
display: none;
}

View File

@ -0,0 +1,66 @@
/*:root {
font-size: 16px;
--background: transparent;
}
@page {
size: A5;
margin: 1cm;
font-family: sans-serif;
}
section.level1 {
page: default;
break-before: page;
padding-right: calc(var(--footnote-w) + 16px);
}
section.level1:has([data-template-type="chapter"]) {
page: chapter;
}
section.level1:has([data-template-type="bib"]) {
page: bib;
}
@page chapter {
size: A5;
margin: 1cm;
font-family: sans-serif;
margin-top: 20mm;
margin-bottom: 20mm;
bleed: 60mm;
@top-center {
content: "This is a chapter";
}
}
@page bib {
size: A5;
margin: 1cm;
font-family: sans-serif;
margin-top: 20mm;
margin-bottom: 20mm;
bleed: 6mm;
text-align: right;
@top-center {
content: "This is the bibliography";
}
}
.no-print {
display: none;
}
p {
break-inside: avoid;
}
article h1 {
margin-top: 0;
}
*/

View File

@ -0,0 +1,5 @@
@media screen {
[template-type="front"] {
display: none;
}
}

View File

@ -0,0 +1,45 @@
:root {
--footnote-w: 170px;
--article-w: 800px;
--main-w: calc(1200px - 2rem);
--img-offset: -5ch;
--background: floralwhite;
--text: black;
--accent: orange;
font-size: 11px;
}
@media (prefers-color-scheme: dark) {
body {
--background: #1b1b1b;
--text: white;
--background-invert: teal;
--text-invert: black;
}
}
body {
background-color: var(--background);
color: var(--text);
}
.m-0 {
margin: 0 0;
}
.d-print,
.d-web {
display: none;
}
@media screen {
.d-web {
display: inline-block;
}
}
@media print {
.d-print {
display: inline-block;
}
}

View File

@ -0,0 +1,104 @@
body {
font-family: "Fira Sans";
font-size: 16px;
}
h1,
h2,
h3,
h4,
h5,
h6 {
margin: 0 0;
font-weight: bold;
}
[template-type="front"] h1 {
font-size: 48px;
}
h1 {
font-weight: bold;
font-size: 32px;
margin: 0 0;
}
h1,
h2,
h3 {
line-height: 125%;
}
h3 {
}
article {
line-height: 1.5;
}
li p {
margin: 0 0;
}
article h2, article h3, article h4, article h5 {
margin-top: .5rem;
}
a,
a[visited] {
color: var(--accent);
}
a p {
color: var(--text);
}
ul {
padding-left: 2ch;
}
figure {
margin: 2rem 0;
}
article img {
max-width: 100%;
}
ins {
font-family: monospace;
text-decoration: none;
font-size: 70%;
background: color-mix(in srgb, LawnGreen 15%, transparent);
padding: 4px;
vertical-align: middle;
}
ins p {
display: inline;
}
sup li, article li:has(.footnote-back), li[count] {
list-style: none;
}
ins::before {
content: "+ ";
color: LawnGreen;
font-weight: bold;
}
[template-type="front"] h2 {
font-size: 20px;
font-style: italic;
font-weight: light;
}
sup:has(li),
article li:has(.footnote-back),
.footnote {
font-family: monospace;
font-size: 80%;
line-height: 1.5;
}
.csl-entry {
margin-top: 1rem;
}
sup li p, article li:has(.footnote-back) p {
margin-top: 0;
}
p {
break-inside: avoid;
}
.header-section-number {
display: none;
}

View File

@ -0,0 +1,80 @@
---
boost:
- https://newsmast.community/users/tvandradio
description: <p>Radio WORM presents, live and direct from UBIK, everything you never
realised you needed to hear on the radio…for 25 hours straight.</p><p>The 25 Hour
Radio Relay is an all-day, all-night mix of radiomakers and sound artists of all
descriptions, sharing old and new work, DIY experiments and high-tech performances
for your collective listening pleasure.</p><p>Join us in person or listen online
from 5pm on Saturday 25 January as we pass the baton from performers to poets to
gameshow hosts to improv musicians to font designers to volkskeuken to ???, all
the way through to 6pm on Sunday 26 January.</p><p>Free entry, no booking required,
camp out with us for as long as you can handle!</p><p>BYOP (bring your own pillow,
yoga mat, camping mattress…)</p>
end_datetime: 1737910800
id: 27
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 0
- 0
height: 901
name: 25 Hour Radio Relay
size: 310303
url: e3146e26dbf6a3e77600b885da48ebda.jpg
width: 1000
multidate: true
next: null
online_locations: ''
parent: null
parentId: null
place:
address: Boomgaardsstraat 71, 3012 XA Rotterdam
id: 5
latitude: null
longitude: null
name: Worm
plain_description: 'Radio WORM presents, live and direct from UBIK, everything you
never realised
you needed to hear on the radio…for 25 hours straight.
The 25 Hour Radio Relay is an all-day, all-night mix of radiomakers and sound
artists of all descriptions, sharing old and new work, DIY experiments and
high-tech performances for your collective listening pleasure.
Join us in person or listen online from 5pm on Saturday 25 January as we pass
the baton from performers to poets to gameshow hosts to improv musicians to font
designers to volkskeuken to ???, all the way through to 6pm on Sunday 26
January.
Free entry, no booking required, camp out with us for as long as you can handle!
BYOP (bring your own pillow, yoga mat, camping mattress…)'
prev: 3rd-klankschool-dagandavond
recurrent: null
resources: []
slug: 25-hour-radio-relay
start_datetime: 1737820800
tags:
- performances
- radio
- relay
- worm
title: 25 Hour Radio Relay
---
<p>Radio WORM presents, live and direct from UBIK, everything you never realised you needed to hear on the radio…for 25 hours straight.</p><p>The 25 Hour Radio Relay is an all-day, all-night mix of radiomakers and sound artists of all descriptions, sharing old and new work, DIY experiments and high-tech performances for your collective listening pleasure.</p><p>Join us in person or listen online from 5pm on Saturday 25 January as we pass the baton from performers to poets to gameshow hosts to improv musicians to font designers to volkskeuken to ???, all the way through to 6pm on Sunday 26 January.</p><p>Free entry, no booking required, camp out with us for as long as you can handle!</p><p>BYOP (bring your own pillow, yoga mat, camping mattress…)</p>

View File

@ -0,0 +1,46 @@
---
boost: []
description: <p>Sound performances by </p><ul><li><p>Ardore</p></li></ul><ul><li><p>Dada
Phone &amp; Stephen Kerr &amp; joak &amp; ...</p></li><li><p>TBA!</p></li></ul>
end_datetime: 1737666000
id: 28
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 0
- 0
height: 1698
name: 3rd Klankschool Dag&Avond
size: 251857
url: 79ac9e1617282f521d8027737ed71cbd.jpg
width: 1200
multidate: false
next: 25-hour-radio-relay
online_locations: ''
parent: null
parentId: null
place:
address: Catullusweg 11
id: 1
latitude: 51.8766465
longitude: 4.5242688
name: Catu
plain_description: "Sound performances by\n\n * Ardore\n\n * Dada Phone & Stephen\
\ Kerr & joak & ...\n\n * TBA!"
prev: unrepair-cafe-2
recurrent: null
resources: []
slug: 3rd-klankschool-dagandavond
start_datetime: 1737658800
tags:
- klankschool
- noise
- performances
title: 3rd Klankschool Dag&Avond
---
<p>Sound performances by </p><ul><li><p>Ardore</p></li></ul><ul><li><p>Dada Phone &amp; Stephen Kerr &amp; joak &amp; ...</p></li><li><p>TBA!</p></li></ul>

View File

@ -0,0 +1,49 @@
---
boost: []
description: <p>Improvisation, noise and other performances on the first floor of
Catu:</p><ul><li><p><em> </em>Luis Lopes (guitar) &amp; Johanna Monk (woodwinds,
poetry) &amp; Philipp Ernsting (drums)</p></li><li><p>tell me what I'm seeing </p></li><li><p>TBA!</p></li></ul>
end_datetime: 1739484000
id: 31
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- -0.37
- -0.87
height: 1700
name: 4. avond
size: 551708
url: 829a860a8a7d9c4c28edc06aa551b0ef.jpg
width: 1200
multidate: false
next: unrepair-cafe-3
online_locations: ''
parent: null
parentId: null
place:
address: Catullusweg 11
id: 1
latitude: 51.8766465
longitude: 4.5242688
name: Catu
plain_description: "Improvisation, noise and other performances on the first floor\
\ of Catu:\n\n * Luis Lopes (guitar) & Johanna Monk (woodwinds, poetry) & Philipp\
\ Ernsting\n (drums)\n\n * tell me what I'm seeing\n\n * TBA!"
prev: snackbar-frieda-opening
recurrent: null
resources: []
slug: 4-avond
start_datetime: 1739473200
tags:
- klankschool
- noise
- performances
- catu
title: 4. avond
---
<p>Improvisation, noise and other performances on the first floor of Catu:</p><ul><li><p><em> </em>Luis Lopes (guitar) &amp; Johanna Monk (woodwinds, poetry) &amp; Philipp Ernsting (drums)</p></li><li><p>tell me what I'm seeing </p></li><li><p>TBA!</p></li></ul>

View File

@ -0,0 +1,141 @@
---
boost: []
description: '<p>In this oversaturated, under-moisturised weather we unbox our UBIK
theatre and for four days it turnes into an Open Studio complex. 💎💎💎<br>Each day
of Art Week Rotterdam from the 27th till 30th of March between 18:00-22:00.<br>?Maybe
one performer will be late, but we dont judge.?</p><p>Our multidisciplinary nights
will be built and created as we go— setups will unfold playfully during performances,
with pieces like installations, dance performance and music sets still coming to
life in real time. Become part of the process!</p><p>Weve got you all the cream:
sour cream, shaving cream, crème fraîche, moisturising cream, whipped cream, single
cream, double cream—anything cream. 🧴🧼</p><p>Our Crème-licious creators are working
across a variety of media, including:<br>whipped cream dancers, graffiti maintenance
painters, pop-up performances, installations, music makers, a sober morning rave
with bunny aerobics, an anti-anxiety installation, a record labels 2nd-anniversary
screening, vinyl sets, and Crème Snacks.</p><p>For tonight, our pen plotters and
whipped cream dancers are:<br><a target="_blank" href="https://www.instagram.com/penplottingparty/">Pen
plotting party</a> by Alessia Vadacca, Victor Utne Stiberg and Thijs van Loenhout<br>Pen
Plotting Party is a Rotterdam based collective consisting of 3 interdisciplinary
master students from the PZI master Experimental Publishing who bonded over pen
plotters.</p><p>Dancers/Perfromers:<br><a target="_blank" href="https://www.instagram.com/senllysamuel/">Senlly
Samuel</a> dances a Duet with <a target="_blank" href="https://www.instagram.com/isntshefine.yte/">Aaron
Faneyte</a> dance<br><a target="_blank" href="https://www.instagram.com/nicholiam01/">Nicho</a>
live experimental electronics<br><a target="_blank" href="https://www.instagram.com/st.elio.s/">Elio
Troullakis</a> dance performance<br><a target="_blank" href="https://www.instagram.com/_philip_voetter_/">Lily</a>
(Philip Voetter) dance performance</p><p>The installations and graffiti artwork
will be ongoing throughout the weekend!<br>There will also be a cutesy Try-Out Bar
for hydration and a low-sensory hangout corner.<br>❤️‍🩹❤️‍🩹❤️‍🩹</p>'
end_datetime: 1743195600
id: 45
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- -0.06
- -1
height: 814
name: Crème de la Crème / pen plotting and dance performances
size: 195307
url: f97bab79e9fcadd5eca83c9c60b0955d.jpg
width: 768
multidate: false
next: null
online_locations: ''
parent: null
parentId: null
place:
address: Boomgaardsstraat 71, 3012 XA Rotterdam
id: 5
latitude: null
longitude: null
name: Worm
plain_description: 'In this oversaturated, under-moisturised weather we unbox our
UBIK theatre and
for four days it turnes into an Open Studio complex. 💎💎💎
Each day of Art Week Rotterdam from the 27th till 30th of March between
18:00-22:00.
?Maybe one performer will be late, but we dont judge.?
Our multidisciplinary nights will be built and created as we go— setups will
unfold playfully during performances, with pieces like installations, dance
performance and music sets still coming to life in real time. Become part of the
process!
Weve got you all the cream: sour cream, shaving cream, crème fraîche,
moisturising cream, whipped cream, single cream, double cream—anything cream.
🧴🧼
Our Crème-licious creators are working across a variety of media, including:
whipped cream dancers, graffiti maintenance painters, pop-up performances,
installations, music makers, a sober morning rave with bunny aerobics, an
anti-anxiety installation, a record labels 2nd-anniversary screening, vinyl
sets, and Crème Snacks.
For tonight, our pen plotters and whipped cream dancers are:
Pen plotting party [https://www.instagram.com/penplottingparty/] by Alessia
Vadacca, Victor Utne Stiberg and Thijs van Loenhout
Pen Plotting Party is a Rotterdam based collective consisting of 3
interdisciplinary master students from the PZI master Experimental Publishing
who bonded over pen plotters.
Dancers/Perfromers:
Senlly Samuel [https://www.instagram.com/senllysamuel/] dances a Duet with Aaron
Faneyte [https://www.instagram.com/isntshefine.yte/] dance
Nicho [https://www.instagram.com/nicholiam01/] live experimental electronics
Elio Troullakis [https://www.instagram.com/st.elio.s/] dance performance
Lily [https://www.instagram.com/_philip_voetter_/] (Philip Voetter) dance
performance
The installations and graffiti artwork will be ongoing throughout the weekend!
There will also be a cutesy Try-Out Bar for hydration and a low-sensory hangout
corner.
❤️‍🩹❤️‍🩹❤️‍🩹'
prev: interrupcion-los-piranas-fuego-e-cumbia-el-javier_b
recurrent: null
resources: []
slug: creme-de-la-creme-pen-plotting-and-dance-performances
start_datetime: 1743181200
tags:
- performances
- worm
- plotting
title: Crème de la Crème / pen plotting and dance performances
---
<p>In this oversaturated, under-moisturised weather we unbox our UBIK theatre and for four days it turnes into an Open Studio complex. 💎💎💎<br>Each day of Art Week Rotterdam from the 27th till 30th of March between 18:00-22:00.<br>?Maybe one performer will be late, but we dont judge.?</p><p>Our multidisciplinary nights will be built and created as we go— setups will unfold playfully during performances, with pieces like installations, dance performance and music sets still coming to life in real time. Become part of the process!</p><p>Weve got you all the cream: sour cream, shaving cream, crème fraîche, moisturising cream, whipped cream, single cream, double cream—anything cream. 🧴🧼</p><p>Our Crème-licious creators are working across a variety of media, including:<br>whipped cream dancers, graffiti maintenance painters, pop-up performances, installations, music makers, a sober morning rave with bunny aerobics, an anti-anxiety installation, a record labels 2nd-anniversary screening, vinyl sets, and Crème Snacks.</p><p>For tonight, our pen plotters and whipped cream dancers are:<br><a target="_blank" href="https://www.instagram.com/penplottingparty/">Pen plotting party</a> by Alessia Vadacca, Victor Utne Stiberg and Thijs van Loenhout<br>Pen Plotting Party is a Rotterdam based collective consisting of 3 interdisciplinary master students from the PZI master Experimental Publishing who bonded over pen plotters.</p><p>Dancers/Perfromers:<br><a target="_blank" href="https://www.instagram.com/senllysamuel/">Senlly Samuel</a> dances a Duet with <a target="_blank" href="https://www.instagram.com/isntshefine.yte/">Aaron Faneyte</a> dance<br><a target="_blank" href="https://www.instagram.com/nicholiam01/">Nicho</a> live experimental electronics<br><a target="_blank" href="https://www.instagram.com/st.elio.s/">Elio Troullakis</a> dance performance<br><a target="_blank" href="https://www.instagram.com/_philip_voetter_/">Lily</a> (Philip Voetter) dance performance</p><p>The installations and graffiti artwork will be ongoing throughout the weekend!<br>There will also be a cutesy Try-Out Bar for hydration and a low-sensory hangout corner.<br>❤️‍🩹❤️‍🩹❤️‍🩹</p>

View File

@ -0,0 +1,138 @@
---
boost: []
description: <p><strong>Date:</strong> Friday, 15 November 2024<br><strong>Door:</strong>
19:30h CET<br><strong>Start:</strong> 20:00h CET<br><strong>Entrance:</strong> 5
euro<br><strong>Location:</strong> Varia (Gouwstraat 3, Rotterdam)</p><p><em>November
is home to multiple interventions by </em><a target="_blank" href="https://extratonal.org/"><em>The
Platform For Extratonality</em></a><em>. During this intermediate music event we
welcome QOA and Primeiro, two artists with a tendency to enthrall through elemental
improvisations.</em></p><p><strong>QOA</strong>, is the monikor of Nina Corti, an
experimental electroacoustic musician, sound and visual artist from the Argentine
and Latin American experimental contemporary music scene. Their sound is characterised
by the collage of field recordings in natural environments and their multiple transformations,
combined with spoken word, live sampling, drones, synthesis and frequency rhythms,
creating an extended listening experience. Qoa is part of <strong>AMPLIFY Digital
Arts Initiative</strong> (Amplify D.A.I), international network of artists from
Argentina, Canada, Peru and the UK, supported by Mutek and British Council. This
year they was one of the 8th Latin American artists selected for Nicolas Jaar's
Ladridos project.</p><p><a target="_blank" href="https://qoa.cargo.site/">https://qoa.cargo.site/</a><br><a
target="_blank" href="https://qoaqoa.bandcamp.com/album/sauco-2">https://qoaqoa.bandcamp.com/album/sauco-2</a></p><p><strong>Primeiro</strong>
blends experimental electronics with samples of acoustic instruments and field recordings
made by him, exploring the dynamic relationship between sound and territories. He
develops intricate soundscapes with multiple layers that evoke a sense of tranquility
and meticulous craft. Additionally, he organizes the <strong>Feed the River</strong>
festival, which explores our connection with water bodies as sentient entities requiring
our care and nurturing, and the use of sound to foster meaningful transformative
dialogues.</p><p><em>This event is made possible with the kind support of Popunie
Rotterdam, Stichting Volkskracht, Fonds Podiumkunsten, Gemeente Rotterdam and Stimuleringsfonds
Creatieve Industrie</em></p>
end_datetime: 1731704400
id: 6
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 1
- -0.88
height: 986
name: 'Extratonal Infrastructure #16: QOA en Primeiro'
size: 297245
url: 43abdc1e52982aeb9040888e2a1127c6.jpg
width: 986
multidate: false
next: sounds-of-making-xpub1-presents-protocols-for-collective-performance
online_locations: ''
parent: null
parentId: null
place:
address: Gouwstraat 3, Rotterdam
id: 3
latitude: null
longitude: null
name: Vaira
plain_description: 'Date: Friday, 15 November 2024
Door: 19:30h CET
Start: 20:00h CET
Entrance: 5 euro
Location: Varia (Gouwstraat 3, Rotterdam)
November is home to multiple interventions by The Platform For Extratonality
[https://extratonal.org/]. During this intermediate music event we welcome QOA
and Primeiro, two artists with a tendency to enthrall through elemental
improvisations.
QOA, is the monikor of Nina Corti, an experimental electroacoustic musician,
sound and visual artist from the Argentine and Latin American experimental
contemporary music scene. Their sound is characterised by the collage of field
recordings in natural environments and their multiple transformations, combined
with spoken word, live sampling, drones, synthesis and frequency rhythms,
creating an extended listening experience. Qoa is part of AMPLIFY Digital Arts
Initiative (Amplify D.A.I), international network of artists from Argentina,
Canada, Peru and the UK, supported by Mutek and British Council. This year they
was one of the 8th Latin American artists selected for Nicolas Jaar''s Ladridos
project.
https://qoa.cargo.site/ [https://qoa.cargo.site/]
https://qoaqoa.bandcamp.com/album/sauco-2
[https://qoaqoa.bandcamp.com/album/sauco-2]
Primeiro blends experimental electronics with samples of acoustic instruments
and field recordings made by him, exploring the dynamic relationship between
sound and territories. He develops intricate soundscapes with multiple layers
that evoke a sense of tranquility and meticulous craft. Additionally, he
organizes the Feed the River festival, which explores our connection with water
bodies as sentient entities requiring our care and nurturing, and the use of
sound to foster meaningful transformative dialogues.
This event is made possible with the kind support of Popunie Rotterdam,
Stichting Volkskracht, Fonds Podiumkunsten, Gemeente Rotterdam and
Stimuleringsfonds Creatieve Industrie'
prev: lets-unrepair-things-together-2
recurrent: null
resources: []
slug: extratonal-infrastructure-16-qoa-en-primeiro
start_datetime: 1731697200
tags:
- extratonal
- performances
- primeiro
- qoa
- varia
title: 'Extratonal Infrastructure #16: QOA en Primeiro'
---
<p><strong>Date:</strong> Friday, 15 November 2024<br><strong>Door:</strong> 19:30h CET<br><strong>Start:</strong> 20:00h CET<br><strong>Entrance:</strong> 5 euro<br><strong>Location:</strong> Varia (Gouwstraat 3, Rotterdam)</p><p><em>November is home to multiple interventions by </em><a target="_blank" href="https://extratonal.org/"><em>The Platform For Extratonality</em></a><em>. During this intermediate music event we welcome QOA and Primeiro, two artists with a tendency to enthrall through elemental improvisations.</em></p><p><strong>QOA</strong>, is the monikor of Nina Corti, an experimental electroacoustic musician, sound and visual artist from the Argentine and Latin American experimental contemporary music scene. Their sound is characterised by the collage of field recordings in natural environments and their multiple transformations, combined with spoken word, live sampling, drones, synthesis and frequency rhythms, creating an extended listening experience. Qoa is part of <strong>AMPLIFY Digital Arts Initiative</strong> (Amplify D.A.I), international network of artists from Argentina, Canada, Peru and the UK, supported by Mutek and British Council. This year they was one of the 8th Latin American artists selected for Nicolas Jaar's Ladridos project.</p><p><a target="_blank" href="https://qoa.cargo.site/">https://qoa.cargo.site/</a><br><a target="_blank" href="https://qoaqoa.bandcamp.com/album/sauco-2">https://qoaqoa.bandcamp.com/album/sauco-2</a></p><p><strong>Primeiro</strong> blends experimental electronics with samples of acoustic instruments and field recordings made by him, exploring the dynamic relationship between sound and territories. He develops intricate soundscapes with multiple layers that evoke a sense of tranquility and meticulous craft. Additionally, he organizes the <strong>Feed the River</strong> festival, which explores our connection with water bodies as sentient entities requiring our care and nurturing, and the use of sound to foster meaningful transformative dialogues.</p><p><em>This event is made possible with the kind support of Popunie Rotterdam, Stichting Volkskracht, Fonds Podiumkunsten, Gemeente Rotterdam and Stimuleringsfonds Creatieve Industrie</em></p>

View File

@ -0,0 +1,161 @@
---
boost: []
description: '<p>Date: Saturday, 30 November 2024</p><p>Door: 19:30h CET</p><p>Start:
20:00h CET</p><p>Entrance: 5 euro</p><p>Location: Varia (Gouwstraat 3, Rotterdam)</p><p>Join
us for a new episode in the extratonal infrastructure series - the extra in Rotterdam''s
cultural life. Come and watch three acts that will truly push the boundaries of
conventions through approaches that create unpredictability and contingencies. Be
on time and it is fine!</p><p>Dianaband (Dooho &amp; Wonjung) is an interdisciplinary
artist duo based in Seoul. In their sound performance ''Cats and Paper Boxes'' Dooho
plays with feedback resonance. Through various objects placed between a contact
microphone and mobile speakers, he creates hidden sounds, subtle coincidences, and
unpredictable sound events. Wonjung rides on this tidal wave with the Drawing Synthesizer,
an instrument where ''drawing'' is ''making sound''. Exploring the infinite possibilities
of drawing with paper and pencil, she manages the momentum of the spatial narrative
all around the space.</p><p><a target="_blank" href="https://dianaband.info/">https://dianaband.info/</a></p><p>Vegetable
Wife is from Seoul. She yearns for noise and noise-making beings that escape from
ethics and morality. She tries to strip away the many ideas attached to these sounds,
while simultaneously suturing them with different origins. Her sound exists inside
a tear-and-paste loop through synthesising, collaging, recording and mixing. With
visual artist Jae-hyung Park, this sound is synthesized with video to extend its
scape.</p><p><a target="_blank" href="https://meek-as-a-lamb.github.io/imheeju/">https://meek-as-a-lamb.github.io/imheeju/</a></p><p>Lucija
Gregov is a cellist, improviser, composer and programmer. She has been developing
projects and researching in the fields of classical music, electroacoustic music,
improvisation, experimental music, radio and sound art. Through many interdisciplinary
collaborations, Lucija seeks to push the boundaries of traditional cello playing,
which further extends her interpretation, technique and ideas. Her instrumental
cello practice is the starting point of the sonic exploration, through which, over
time, she disintegrated traditional techniques in order to discover a more personal
and sincere sound aesthetic.</p><p><a target="_blank" href="https://lugregov.com/">https://lugregov.com/</a></p><p>This
event is made possible with the kind support of Popunie Rotterdam, Stichting Volkskracht,
Fonds Podiumkunsten, Gemeente Rotterdam and Stimuleringsfonds Creatieve Industrie.</p>'
end_datetime: 1733004000
id: 14
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 0
- 0
height: 1200
name: 'Extratonal Infrastructure #17: Dianaband, Vegetable Wife with Jae-hyung Park
and Lucija Gregov'
size: 577770
url: c8e7b7851a720187cd4fce798f0405fc.jpg
width: 1200
multidate: false
next: lets-unrepair-things-together-analog-video-edition
online_locations: ''
parent: null
parentId: null
place:
address: Gouwstraat 3, Rotterdam
id: 3
latitude: null
longitude: null
name: Vaira
plain_description: 'Date: Saturday, 30 November 2024
Door: 19:30h CET
Start: 20:00h CET
Entrance: 5 euro
Location: Varia (Gouwstraat 3, Rotterdam)
Join us for a new episode in the extratonal infrastructure series - the extra in
Rotterdam''s cultural life. Come and watch three acts that will truly push the
boundaries of conventions through approaches that create unpredictability and
contingencies. Be on time and it is fine!
Dianaband (Dooho & Wonjung) is an interdisciplinary artist duo based in Seoul.
In their sound performance ''Cats and Paper Boxes'' Dooho plays with feedback
resonance. Through various objects placed between a contact microphone and
mobile speakers, he creates hidden sounds, subtle coincidences, and
unpredictable sound events. Wonjung rides on this tidal wave with the Drawing
Synthesizer, an instrument where ''drawing'' is ''making sound''. Exploring the
infinite possibilities of drawing with paper and pencil, she manages the
momentum of the spatial narrative all around the space.
https://dianaband.info/ [https://dianaband.info/]
Vegetable Wife is from Seoul. She yearns for noise and noise-making beings that
escape from ethics and morality. She tries to strip away the many ideas attached
to these sounds, while simultaneously suturing them with different origins. Her
sound exists inside a tear-and-paste loop through synthesising, collaging,
recording and mixing. With visual artist Jae-hyung Park, this sound is
synthesized with video to extend its scape.
https://meek-as-a-lamb.github.io/imheeju/
[https://meek-as-a-lamb.github.io/imheeju/]
Lucija Gregov is a cellist, improviser, composer and programmer. She has been
developing projects and researching in the fields of classical music,
electroacoustic music, improvisation, experimental music, radio and sound art.
Through many interdisciplinary collaborations, Lucija seeks to push the
boundaries of traditional cello playing, which further extends her
interpretation, technique and ideas. Her instrumental cello practice is the
starting point of the sonic exploration, through which, over time, she
disintegrated traditional techniques in order to discover a more personal and
sincere sound aesthetic.
https://lugregov.com/ [https://lugregov.com/]
This event is made possible with the kind support of Popunie Rotterdam,
Stichting Volkskracht, Fonds Podiumkunsten, Gemeente Rotterdam and
Stimuleringsfonds Creatieve Industrie.'
prev: lets-unrepair-things-together-4
recurrent: null
resources: []
slug: extratonal-infrastructure-17-dianaband-vegetable-wife-with-jae-hyung-park-and-lucija-gregov
start_datetime: 1732993200
tags:
- extratonal
- varia
title: 'Extratonal Infrastructure #17: Dianaband, Vegetable Wife with Jae-hyung Park
and Lucija Gregov'
---
<p>Date: Saturday, 30 November 2024</p><p>Door: 19:30h CET</p><p>Start: 20:00h CET</p><p>Entrance: 5 euro</p><p>Location: Varia (Gouwstraat 3, Rotterdam)</p><p>Join us for a new episode in the extratonal infrastructure series - the extra in Rotterdam's cultural life. Come and watch three acts that will truly push the boundaries of conventions through approaches that create unpredictability and contingencies. Be on time and it is fine!</p><p>Dianaband (Dooho &amp; Wonjung) is an interdisciplinary artist duo based in Seoul. In their sound performance 'Cats and Paper Boxes' Dooho plays with feedback resonance. Through various objects placed between a contact microphone and mobile speakers, he creates hidden sounds, subtle coincidences, and unpredictable sound events. Wonjung rides on this tidal wave with the Drawing Synthesizer, an instrument where 'drawing' is 'making sound'. Exploring the infinite possibilities of drawing with paper and pencil, she manages the momentum of the spatial narrative all around the space.</p><p><a target="_blank" href="https://dianaband.info/">https://dianaband.info/</a></p><p>Vegetable Wife is from Seoul. She yearns for noise and noise-making beings that escape from ethics and morality. She tries to strip away the many ideas attached to these sounds, while simultaneously suturing them with different origins. Her sound exists inside a tear-and-paste loop through synthesising, collaging, recording and mixing. With visual artist Jae-hyung Park, this sound is synthesized with video to extend its scape.</p><p><a target="_blank" href="https://meek-as-a-lamb.github.io/imheeju/">https://meek-as-a-lamb.github.io/imheeju/</a></p><p>Lucija Gregov is a cellist, improviser, composer and programmer. She has been developing projects and researching in the fields of classical music, electroacoustic music, improvisation, experimental music, radio and sound art. Through many interdisciplinary collaborations, Lucija seeks to push the boundaries of traditional cello playing, which further extends her interpretation, technique and ideas. Her instrumental cello practice is the starting point of the sonic exploration, through which, over time, she disintegrated traditional techniques in order to discover a more personal and sincere sound aesthetic.</p><p><a target="_blank" href="https://lugregov.com/">https://lugregov.com/</a></p><p>This event is made possible with the kind support of Popunie Rotterdam, Stichting Volkskracht, Fonds Podiumkunsten, Gemeente Rotterdam and Stimuleringsfonds Creatieve Industrie.</p>

View File

@ -0,0 +1,126 @@
---
boost: []
description: '<p>We are moved to invite you to our 3rd <a target="_blank" href="https://extratonal.org/">Extratonal
Special</a>: sound is political. For this edition we ask you to be present with
your political ears, to feel with us what it means to have a voice that is (not)
heard, to notice which voices are not present in the room, to desire together social
transformations, to listen to less heard histories, to pinch our autonomous bubbles,
to be touched by sound waves and connect with them consciously. This journey is
going to be led by our very special line up:</p><p><strong>Luca Soucant</strong>
will perform the lecture-performance ''The Resonance of Gender: Thinking through
a Feedbacking Scolds Bridle.''Luca studies the relationship between sound, gender,
power, and social structures within the entanglement of the human and non-human.</p><p><a
target="_blank" href="https://www.lucasoudant.com/">https://www.lucasoudant.com/</a></p><p><strong>YoKolina</strong>
is an interdisciplinary fashion designer whose artistic practice involves stage
clothes, performance, and music. For Extratonal, she will bring to life her moth
costume, embodying an insect that deals with existence.</p><p><a target="_blank"
href="https://yokolina.hotglue.me/">https://yokolina.hotglue.me/</a></p><p><strong>Natalia
Roa</strong> is a writer, editor and interdisciplinary artist. Together with Colombian
percussionist <strong>Luis Orobio</strong>, she will weave a tapestry of sound,
rhythm, and storytelling around the concept of ashé, which are narratives and soundscapes
of Abya Yala that offer an alternative present to a growing dismemory. From a sonic
legacy, ashé signifies permanence: the constant gaze for and at the instruments,
the bodies, and the tunes with which enslaved people declared their emancipation,
blending ritual with celebration, we remember.</p><p><a target="_blank" href="https://nataliaroa.co/about">https://nataliaroa.co/about</a></p><p><em>This
event is made possible with the kind support of Popunie Rotterdam, Stichting Volkskracht,
Fonds Podiumkunsten, Gemeente Rotterdam and Stimuleringsfonds Creatieve Industrie.</em></p>'
end_datetime: 1730494800
id: 5
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- -0.03
- -1
height: 600
name: 'Extratonal Special #3: Sound Is Political'
size: 179457
url: f26012d0e6bf0ccb20941a21e69f54f6.jpg
width: 600
multidate: false
next: palestine-cinema-days-around-the-world-naila-and-the-uprising
online_locations: ''
parent: null
parentId: null
place:
address: Gouwstraat 3, Rotterdam
id: 3
latitude: null
longitude: null
name: Vaira
plain_description: 'We are moved to invite you to our 3rd Extratonal Special
[https://extratonal.org/]: sound is political. For this edition we ask you to be
present with your political ears, to feel with us what it means to have a voice
that is (not) heard, to notice which voices are not present in the room, to
desire together social transformations, to listen to less heard histories, to
pinch our autonomous bubbles, to be touched by sound waves and connect with them
consciously. This journey is going to be led by our very special line up:
Luca Soucant will perform the lecture-performance ''The Resonance of Gender:
Thinking through a Feedbacking Scolds Bridle.''Luca studies the relationship
between sound, gender, power, and social structures within the entanglement of
the human and non-human.
https://www.lucasoudant.com/ [https://www.lucasoudant.com/]
YoKolina is an interdisciplinary fashion designer whose artistic practice
involves stage clothes, performance, and music. For Extratonal, she will bring
to life her moth costume, embodying an insect that deals with existence.
https://yokolina.hotglue.me/ [https://yokolina.hotglue.me/]
Natalia Roa is a writer, editor and interdisciplinary artist. Together with
Colombian percussionist Luis Orobio, she will weave a tapestry of sound, rhythm,
and storytelling around the concept of ashé, which are narratives and
soundscapes of Abya Yala that offer an alternative present to a growing
dismemory. From a sonic legacy, ashé signifies permanence: the constant gaze for
and at the instruments, the bodies, and the tunes with which enslaved people
declared their emancipation, blending ritual with celebration, we remember.
https://nataliaroa.co/about [https://nataliaroa.co/about]
This event is made possible with the kind support of Popunie Rotterdam,
Stichting Volkskracht, Fonds Podiumkunsten, Gemeente Rotterdam and
Stimuleringsfonds Creatieve Industrie.'
prev: lets-un-repair-things-together
recurrent: null
resources: []
slug: extratonal-special-3-sound-is-political
start_datetime: 1730487600
tags:
- extratonal
- performances
- varia
title: 'Extratonal Special #3: Sound Is Political'
---
<p>We are moved to invite you to our 3rd <a target="_blank" href="https://extratonal.org/">Extratonal Special</a>: sound is political. For this edition we ask you to be present with your political ears, to feel with us what it means to have a voice that is (not) heard, to notice which voices are not present in the room, to desire together social transformations, to listen to less heard histories, to pinch our autonomous bubbles, to be touched by sound waves and connect with them consciously. This journey is going to be led by our very special line up:</p><p><strong>Luca Soucant</strong> will perform the lecture-performance 'The Resonance of Gender: Thinking through a Feedbacking Scolds Bridle.'Luca studies the relationship between sound, gender, power, and social structures within the entanglement of the human and non-human.</p><p><a target="_blank" href="https://www.lucasoudant.com/">https://www.lucasoudant.com/</a></p><p><strong>YoKolina</strong> is an interdisciplinary fashion designer whose artistic practice involves stage clothes, performance, and music. For Extratonal, she will bring to life her moth costume, embodying an insect that deals with existence.</p><p><a target="_blank" href="https://yokolina.hotglue.me/">https://yokolina.hotglue.me/</a></p><p><strong>Natalia Roa</strong> is a writer, editor and interdisciplinary artist. Together with Colombian percussionist <strong>Luis Orobio</strong>, she will weave a tapestry of sound, rhythm, and storytelling around the concept of ashé, which are narratives and soundscapes of Abya Yala that offer an alternative present to a growing dismemory. From a sonic legacy, ashé signifies permanence: the constant gaze for and at the instruments, the bodies, and the tunes with which enslaved people declared their emancipation, blending ritual with celebration, we remember.</p><p><a target="_blank" href="https://nataliaroa.co/about">https://nataliaroa.co/about</a></p><p><em>This event is made possible with the kind support of Popunie Rotterdam, Stichting Volkskracht, Fonds Podiumkunsten, Gemeente Rotterdam and Stimuleringsfonds Creatieve Industrie.</em></p>

View File

@ -0,0 +1,201 @@
---
boost: []
description: '<p>Date: Friday, 14 March 2025</p><p>Door: 19:30u CET</p><p>Start: 20:00u
CET</p><p>Entrance: 0/3/5/7/10 euro (Pay What You Can)</p><p>Location: Varia (Gouwstraat
3, Rotterdam)</p><p>Just one day before the new year started, on December 31, 2024
to be precise, the American composer Tom Johnson passed away at his home in Paris.
Although The Platform For Extratonality was never able to welcome this pioneer of
minimal music to our program, we have always felt a connection to his work within
our extratonal efforts. The way in which Johnson combined theatrical and visual
elements with theory, philosophy and music has been a great source of inspiration
and a direction that we continue to pursue in our programs to this day.</p><p>Therefore,
we would like to start 2025 with a celebration of graphic notation and illustrative
music in the form of a two-day program. On Friday, March 14, we organize an evening
with three lectures/performances on graphic notation at varia. One day later, on
Saturday, March 15, we will give a workshop on this same topic during the Rotterdam
Illustration Festival at Roodkapje. This functions as a bridge to an evening program
at the same location, in which the interaction between illustration and music is
explored.</p><p>Floris Vanhoof combines homemade electronic circuits and forgotten
projection technologies for installations, expanded cinema performances and music
publications. By translating one medium to another, he investigates how our perception
operates and what new perspectives arise. Vanhoof is interested in the hybrid form
of music, art and cinema. Projections with 16mm film and sounds from a modular synthesizer
are central to his work. From this modular musical instrument, in which cables connect
electronic sound modules, the belief grew that all possible instruments and ideas
can be connected to each other. He makes his own translations from sound to image
and vice versa, by connecting one medium to another - not always compatible - medium.</p><p><a
href="https://florisvanhoof.com/" target="_blank">https://florisvanhoof.com/</a></p><p>Bodyscores
is a workshop/interactive performance by Karina Dukalska, where you play with communicating
ideas through scores and control the movements of performers. How would you transcribe
movement into graphics, or sound into text? Karina is a graphic designer, dance
educator and interdisciplinary workshop facilitator. Her work often revolves around
scores, the documentation and (mis)translation of dance, and the socio-cultural
impact this may have.</p><p><a href="https://www.karinadukalska.com" target="_blank">https://www.karinadukalska.com</a></p><p>(d)RAW
is an electronic instrument controlled by a graphic notation system build Riccardo
Marogna. The graphic score acts as a map, navigated by semi-autonomous scanners
that translate visual signs into waveforms, patterns, and sound. Inspired by optical
sound experiments by Avraamov, Fischinger, McLaren, and Xenakis UPIC system, (d)RAW
tries to challenge the boundaries between notation, composition, performance, and
instrument design. Riccardo Marogna works with electronics, electroacoustic improvisation
and fixed media. His works have been featured also at NIME 2018 (US), MusLab 2016
(Mexico), Matera Intermedia Festival (Italy, 2017), Biennale Musica (Venice, 2008),
Experimental Intermedia (NY), Auditorium Parco Della Musica (Rome).</p><p><a href="https://riccardomarogna.com/"
target="_blank">https://riccardomarogna.com/</a></p><p>This event is made possible
with the kind support of Popunie Rotterdam, Stichting Volkskracht, Fonds Podiumkunsten,
Gemeente Rotterdam and Stimuleringsfonds Creatieve Industrie.</p>'
end_datetime: 1741986000
id: 41
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 0
- 0
height: 1202
name: 'Extratonal Special #4.1: Graphic Scores'
size: 833551
url: bf2949dca7b36c3a9428ec9ab53c9b64.jpg
width: 1200
multidate: false
next: illustration-festival
online_locations: ''
parent: null
parentId: null
place:
address: Gouwstraat 3, Rotterdam
id: 3
latitude: null
longitude: null
name: Vaira
plain_description: 'Date: Friday, 14 March 2025
Door: 19:30u CET
Start: 20:00u CET
Entrance: 0/3/5/7/10 euro (Pay What You Can)
Location: Varia (Gouwstraat 3, Rotterdam)
Just one day before the new year started, on December 31, 2024 to be precise,
the American composer Tom Johnson passed away at his home in Paris. Although The
Platform For Extratonality was never able to welcome this pioneer of minimal
music to our program, we have always felt a connection to his work within our
extratonal efforts. The way in which Johnson combined theatrical and visual
elements with theory, philosophy and music has been a great source of
inspiration and a direction that we continue to pursue in our programs to this
day.
Therefore, we would like to start 2025 with a celebration of graphic notation
and illustrative music in the form of a two-day program. On Friday, March 14, we
organize an evening with three lectures/performances on graphic notation at
varia. One day later, on Saturday, March 15, we will give a workshop on this
same topic during the Rotterdam Illustration Festival at Roodkapje. This
functions as a bridge to an evening program at the same location, in which the
interaction between illustration and music is explored.
Floris Vanhoof combines homemade electronic circuits and forgotten projection
technologies for installations, expanded cinema performances and music
publications. By translating one medium to another, he investigates how our
perception operates and what new perspectives arise. Vanhoof is interested in
the hybrid form of music, art and cinema. Projections with 16mm film and sounds
from a modular synthesizer are central to his work. From this modular musical
instrument, in which cables connect electronic sound modules, the belief grew
that all possible instruments and ideas can be connected to each other. He makes
his own translations from sound to image and vice versa, by connecting one
medium to another - not always compatible - medium.
https://florisvanhoof.com/ [https://florisvanhoof.com/]
Bodyscores is a workshop/interactive performance by Karina Dukalska, where you
play with communicating ideas through scores and control the movements of
performers. How would you transcribe movement into graphics, or sound into text?
Karina is a graphic designer, dance educator and interdisciplinary workshop
facilitator. Her work often revolves around scores, the documentation and
(mis)translation of dance, and the socio-cultural impact this may have.
https://www.karinadukalska.com [https://www.karinadukalska.com]
(d)RAW is an electronic instrument controlled by a graphic notation system build
Riccardo Marogna. The graphic score acts as a map, navigated by semi-autonomous
scanners that translate visual signs into waveforms, patterns, and sound.
Inspired by optical sound experiments by Avraamov, Fischinger, McLaren, and
Xenakis UPIC system, (d)RAW tries to challenge the boundaries between notation,
composition, performance, and instrument design. Riccardo Marogna works with
electronics, electroacoustic improvisation and fixed media. His works have been
featured also at NIME 2018 (US), MusLab 2016 (Mexico), Matera Intermedia
Festival (Italy, 2017), Biennale Musica (Venice, 2008), Experimental Intermedia
(NY), Auditorium Parco Della Musica (Rome).
https://riccardomarogna.com/ [https://riccardomarogna.com/]
This event is made possible with the kind support of Popunie Rotterdam,
Stichting Volkskracht, Fonds Podiumkunsten, Gemeente Rotterdam and
Stimuleringsfonds Creatieve Industrie.'
prev: graphics-without-the-cloud-grafischbeeld-zonder-de-cloud
recurrent: null
resources: []
slug: extratonal-special-41-graphic-scores
start_datetime: 1741978800
tags:
- noise
- extratonal
- varia
title: 'Extratonal Special #4.1: Graphic Scores'
---
<p>Date: Friday, 14 March 2025</p><p>Door: 19:30u CET</p><p>Start: 20:00u CET</p><p>Entrance: 0/3/5/7/10 euro (Pay What You Can)</p><p>Location: Varia (Gouwstraat 3, Rotterdam)</p><p>Just one day before the new year started, on December 31, 2024 to be precise, the American composer Tom Johnson passed away at his home in Paris. Although The Platform For Extratonality was never able to welcome this pioneer of minimal music to our program, we have always felt a connection to his work within our extratonal efforts. The way in which Johnson combined theatrical and visual elements with theory, philosophy and music has been a great source of inspiration and a direction that we continue to pursue in our programs to this day.</p><p>Therefore, we would like to start 2025 with a celebration of graphic notation and illustrative music in the form of a two-day program. On Friday, March 14, we organize an evening with three lectures/performances on graphic notation at varia. One day later, on Saturday, March 15, we will give a workshop on this same topic during the Rotterdam Illustration Festival at Roodkapje. This functions as a bridge to an evening program at the same location, in which the interaction between illustration and music is explored.</p><p>Floris Vanhoof combines homemade electronic circuits and forgotten projection technologies for installations, expanded cinema performances and music publications. By translating one medium to another, he investigates how our perception operates and what new perspectives arise. Vanhoof is interested in the hybrid form of music, art and cinema. Projections with 16mm film and sounds from a modular synthesizer are central to his work. From this modular musical instrument, in which cables connect electronic sound modules, the belief grew that all possible instruments and ideas can be connected to each other. He makes his own translations from sound to image and vice versa, by connecting one medium to another - not always compatible - medium.</p><p><a href="https://florisvanhoof.com/" target="_blank">https://florisvanhoof.com/</a></p><p>Bodyscores is a workshop/interactive performance by Karina Dukalska, where you play with communicating ideas through scores and control the movements of performers. How would you transcribe movement into graphics, or sound into text? Karina is a graphic designer, dance educator and interdisciplinary workshop facilitator. Her work often revolves around scores, the documentation and (mis)translation of dance, and the socio-cultural impact this may have.</p><p><a href="https://www.karinadukalska.com" target="_blank">https://www.karinadukalska.com</a></p><p>(d)RAW is an electronic instrument controlled by a graphic notation system build Riccardo Marogna. The graphic score acts as a map, navigated by semi-autonomous scanners that translate visual signs into waveforms, patterns, and sound. Inspired by optical sound experiments by Avraamov, Fischinger, McLaren, and Xenakis UPIC system, (d)RAW tries to challenge the boundaries between notation, composition, performance, and instrument design. Riccardo Marogna works with electronics, electroacoustic improvisation and fixed media. His works have been featured also at NIME 2018 (US), MusLab 2016 (Mexico), Matera Intermedia Festival (Italy, 2017), Biennale Musica (Venice, 2008), Experimental Intermedia (NY), Auditorium Parco Della Musica (Rome).</p><p><a href="https://riccardomarogna.com/" target="_blank">https://riccardomarogna.com/</a></p><p>This event is made possible with the kind support of Popunie Rotterdam, Stichting Volkskracht, Fonds Podiumkunsten, Gemeente Rotterdam and Stimuleringsfonds Creatieve Industrie.</p>

View File

@ -0,0 +1,214 @@
---
boost: []
description: '<p>Date: Saturday, 15 March 2025<br>Door: 20:00u CETStart: 20:30u CET<br>Entrance:
6 euro (presale)<br>Location: Roodkapje (Delftseplein 39, Rotterdam)</p><p>Not all
the connections between performance and illustration have yet been fully explored.
On the occasion of the Rotterdam Illustration Festival, the Platform For Extratonality
will curate an evening at Roodkapje to bring us closer to this connection. Three
acts will showcase the intersections of these two fields. The evening will be opened
with the results of the Graphic Notation Workshop that took place earlier that day.</p><p>Happy
Fuji News is a surrealistic dive into the world of apps, geology, tourism, love
and more, done in a joyously performed proto-cinematic way. It is a live-edited
"movie" made out of 201 woodcuts, written, carved and printed by Eric Kinny over
the course of 2016 - 2022. Prints are shown and thrown at the rhythm of an audio
soundtrack with MIDI guitar music by Raphaël Desmarets and characters voices by
McCloud Zicmuse, Siet Phorae, Molly Rex, Ma Clément, Alice Perez &amp; Joey Wright,
for a total length of 30min. The story follows the unlikely story of a touristic
guide on the foothills of Mt Fuji in Japan, trying to make sense of life after facing
harsh Tripadvisor reviews of the mountain</p><p><a target="_blank" href="http://santeloisirs.com/erickinnyhfn">http://santeloisirs.com/erickinnyhfn</a></p><p><em>interstellar
is a temporary shared practice collectively brought to life by video artist Video
Boy, illustrator Jacco Jansen and musician Pietro Frigato. It spawns from their
desire to tell stories together and to appropriate abandoned non-spaces by turning
them into places of belonging and self-expression. Together, </em>interstellar tells
stories of entangled pasts, presents, and futures—stories that are of desire, hope,
and love. It embeds and unfolds these stories into the crevices left behind and
unseen. There is hope, and it blossoms in unexpected places; there is resistance,
and it sprouts in the cracks. There is belonging and togetherness, and it is here
and now — not in the future, nor in the past, not in the big and shiny halls. The
beings interacting in this suspended space/time capsule, stirring together a cauldron
of different media —a mix of obsolete and advanced technologies — celebrate the
mere act of collective crafting as a sacred practice.</p><p><a target="_blank" href="https://www.instagram.com/video_fuel_boy/https://www.jaccojansen.nl/https://pietrofrigato.bandcamp.com/">https://www.instagram.com/video_fuel_boy/https://www.jaccojansen.nl/https://pietrofrigato.bandcamp.com/</a></p><p>DRW
is a lightweight web app where participants can contribute quick and gestural drawings
transformed into vector graphics for live coding performances. DRW, accessible from
smartphones, empowers audiences to directly influence the visuals in real-time.
This system has been utilized in live concerts, where audience members'' responses
to the music in the form of drawings become part of the visual experience. DRW is
in active development by Kamo and Chae. It will be accompanied musically by Logosamphia!
The alter ego of Iranian/Dutch audio artist Sadra Hemati who has released more than
15 albums on various international labels. He is a frequently booked artist at home
and abroad. His live sets are energetic, chaotic and contain homemade instruments,
questionable samples and various pieces of fruit with which he makes music.</p><p><a
target="_blank" href="https://draw-it-with-others.org/https://chae0.org/https://kamomomomomomo.org/https://logosamphia.bandcamp.com/">https://draw-it-with-others.org/https://chae0.org/https://kamomomomomomo.org/https://logosamphia.bandcamp.com/</a></p><p>This
event is made possible with the kind support of Roodkapje, Popunie Rotterdam, Stichting
Volkskracht, Fonds Podiumkunsten, Gemeente Rotterdam and Stimuleringsfonds Creatieve
Industrie.</p><p>Saturday, Mar 15, 08:00 PM-10:30 AM</p><p>in 11 days</p><p><a target="_blank"
href="http://149.154.152.162:13120/place/8/Roodkapje">Roodkapje</a></p><p>Delftseplein
39, Rotterdam</p><p><a target="_blank" href="http://149.154.152.162:13120/tag/extratonal">extratonal</a><a
target="_blank" href="http://149.154.152.162:13120/tag/roodkapje">roodkapje</a></p>'
end_datetime: 1742158800
id: 43
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 0
- 0
height: 1215
name: 'Extratonal Special #4.2: Illustrations'
size: 745943
url: e807d67cfab32643dc4db73516d6a5da.jpg
width: 1200
multidate: false
next: open-mic-night
online_locations: ''
parent: null
parentId: null
place:
address: Delftseplein 39, Rotterdam
id: 8
latitude: null
longitude: null
name: Roodkapje
plain_description: 'Date: Saturday, 15 March 2025
Door: 20:00u CETStart: 20:30u CET
Entrance: 6 euro (presale)
Location: Roodkapje (Delftseplein 39, Rotterdam)
Not all the connections between performance and illustration have yet been fully
explored. On the occasion of the Rotterdam Illustration Festival, the Platform
For Extratonality will curate an evening at Roodkapje to bring us closer to this
connection. Three acts will showcase the intersections of these two fields. The
evening will be opened with the results of the Graphic Notation Workshop that
took place earlier that day.
Happy Fuji News is a surrealistic dive into the world of apps, geology, tourism,
love and more, done in a joyously performed proto-cinematic way. It is a
live-edited "movie" made out of 201 woodcuts, written, carved and printed by
Eric Kinny over the course of 2016 - 2022. Prints are shown and thrown at the
rhythm of an audio soundtrack with MIDI guitar music by Raphaël Desmarets and
characters voices by McCloud Zicmuse, Siet Phorae, Molly Rex, Ma Clément, Alice
Perez & Joey Wright, for a total length of 30min. The story follows the unlikely
story of a touristic guide on the foothills of Mt Fuji in Japan, trying to make
sense of life after facing harsh Tripadvisor reviews of the mountain
http://santeloisirs.com/erickinnyhfn [http://santeloisirs.com/erickinnyhfn]
interstellar is a temporary shared practice collectively brought to life by
video artist Video Boy, illustrator Jacco Jansen and musician Pietro Frigato. It
spawns from their desire to tell stories together and to appropriate abandoned
non-spaces by turning them into places of belonging and self-expression.
Together, interstellar tells stories of entangled pasts, presents, and
futures—stories that are of desire, hope, and love. It embeds and unfolds these
stories into the crevices left behind and unseen. There is hope, and it blossoms
in unexpected places; there is resistance, and it sprouts in the cracks. There
is belonging and togetherness, and it is here and now — not in the future, nor
in the past, not in the big and shiny halls. The beings interacting in this
suspended space/time capsule, stirring together a cauldron of different media —a
mix of obsolete and advanced technologies — celebrate the mere act of collective
crafting as a sacred practice.
https://www.instagram.com/video_fuel_boy/https://www.jaccojansen.nl/https://pietrofrigato.bandcamp.com/
[https://www.instagram.com/video_fuel_boy/https://www.jaccojansen.nl/https://pietrofrigato.bandcamp.com/]
DRW is a lightweight web app where participants can contribute quick and
gestural drawings transformed into vector graphics for live coding performances.
DRW, accessible from smartphones, empowers audiences to directly influence the
visuals in real-time. This system has been utilized in live concerts, where
audience members'' responses to the music in the form of drawings become part of
the visual experience. DRW is in active development by Kamo and Chae. It will be
accompanied musically by Logosamphia! The alter ego of Iranian/Dutch audio
artist Sadra Hemati who has released more than 15 albums on various
international labels. He is a frequently booked artist at home and abroad. His
live sets are energetic, chaotic and contain homemade instruments, questionable
samples and various pieces of fruit with which he makes music.
https://draw-it-with-others.org/https://chae0.org/https://kamomomomomomo.org/https://logosamphia.bandcamp.com/
[https://draw-it-with-others.org/https://chae0.org/https://kamomomomomomo.org/https://logosamphia.bandcamp.com/]
This event is made possible with the kind support of Roodkapje, Popunie
Rotterdam, Stichting Volkskracht, Fonds Podiumkunsten, Gemeente Rotterdam and
Stimuleringsfonds Creatieve Industrie.
Saturday, Mar 15, 08:00 PM-10:30 AM
in 11 days
Roodkapje [http://149.154.152.162:13120/place/8/Roodkapje]
Delftseplein 39, Rotterdam
extratonal [http://149.154.152.162:13120/tag/extratonal]roodkapje
[http://149.154.152.162:13120/tag/roodkapje]'
prev: illustration-festival
recurrent: null
resources: []
slug: extratonal-special-42-illustrations
start_datetime: 1742151600
tags:
- noise
- extratonal
- roodkapje
- music
title: 'Extratonal Special #4.2: Illustrations'
---
<p>Date: Saturday, 15 March 2025<br>Door: 20:00u CETStart: 20:30u CET<br>Entrance: 6 euro (presale)<br>Location: Roodkapje (Delftseplein 39, Rotterdam)</p><p>Not all the connections between performance and illustration have yet been fully explored. On the occasion of the Rotterdam Illustration Festival, the Platform For Extratonality will curate an evening at Roodkapje to bring us closer to this connection. Three acts will showcase the intersections of these two fields. The evening will be opened with the results of the Graphic Notation Workshop that took place earlier that day.</p><p>Happy Fuji News is a surrealistic dive into the world of apps, geology, tourism, love and more, done in a joyously performed proto-cinematic way. It is a live-edited "movie" made out of 201 woodcuts, written, carved and printed by Eric Kinny over the course of 2016 - 2022. Prints are shown and thrown at the rhythm of an audio soundtrack with MIDI guitar music by Raphaël Desmarets and characters voices by McCloud Zicmuse, Siet Phorae, Molly Rex, Ma Clément, Alice Perez &amp; Joey Wright, for a total length of 30min. The story follows the unlikely story of a touristic guide on the foothills of Mt Fuji in Japan, trying to make sense of life after facing harsh Tripadvisor reviews of the mountain</p><p><a target="_blank" href="http://santeloisirs.com/erickinnyhfn">http://santeloisirs.com/erickinnyhfn</a></p><p><em>interstellar is a temporary shared practice collectively brought to life by video artist Video Boy, illustrator Jacco Jansen and musician Pietro Frigato. It spawns from their desire to tell stories together and to appropriate abandoned non-spaces by turning them into places of belonging and self-expression. Together, </em>interstellar tells stories of entangled pasts, presents, and futures—stories that are of desire, hope, and love. It embeds and unfolds these stories into the crevices left behind and unseen. There is hope, and it blossoms in unexpected places; there is resistance, and it sprouts in the cracks. There is belonging and togetherness, and it is here and now — not in the future, nor in the past, not in the big and shiny halls. The beings interacting in this suspended space/time capsule, stirring together a cauldron of different media —a mix of obsolete and advanced technologies — celebrate the mere act of collective crafting as a sacred practice.</p><p><a target="_blank" href="https://www.instagram.com/video_fuel_boy/https://www.jaccojansen.nl/https://pietrofrigato.bandcamp.com/">https://www.instagram.com/video_fuel_boy/https://www.jaccojansen.nl/https://pietrofrigato.bandcamp.com/</a></p><p>DRW is a lightweight web app where participants can contribute quick and gestural drawings transformed into vector graphics for live coding performances. DRW, accessible from smartphones, empowers audiences to directly influence the visuals in real-time. This system has been utilized in live concerts, where audience members' responses to the music in the form of drawings become part of the visual experience. DRW is in active development by Kamo and Chae. It will be accompanied musically by Logosamphia! The alter ego of Iranian/Dutch audio artist Sadra Hemati who has released more than 15 albums on various international labels. He is a frequently booked artist at home and abroad. His live sets are energetic, chaotic and contain homemade instruments, questionable samples and various pieces of fruit with which he makes music.</p><p><a target="_blank" href="https://draw-it-with-others.org/https://chae0.org/https://kamomomomomomo.org/https://logosamphia.bandcamp.com/">https://draw-it-with-others.org/https://chae0.org/https://kamomomomomomo.org/https://logosamphia.bandcamp.com/</a></p><p>This event is made possible with the kind support of Roodkapje, Popunie Rotterdam, Stichting Volkskracht, Fonds Podiumkunsten, Gemeente Rotterdam and Stimuleringsfonds Creatieve Industrie.</p><p>Saturday, Mar 15, 08:00 PM-10:30 AM</p><p>in 11 days</p><p><a target="_blank" href="http://149.154.152.162:13120/place/8/Roodkapje">Roodkapje</a></p><p>Delftseplein 39, Rotterdam</p><p><a target="_blank" href="http://149.154.152.162:13120/tag/extratonal">extratonal</a><a target="_blank" href="http://149.154.152.162:13120/tag/roodkapje">roodkapje</a></p>

View File

@ -0,0 +1,72 @@
---
boost: []
description: '<p>In search of a place to hang out after protest? Come and chill with
us in the snackbar. I you are not able to go to the protest, but want to do something?
Join us who stay in the snackbar cooking, preparing and chilling! More details will
be updated on Radarsquad.</p><p>Pre-chill: 15:00 Evening: 17:30 - 22:00</p><p>Op
zoek naar een plek om na het protest rond te hangen? Kom bij ons chillen in de snackbar.
Als je niet mee wil protesteren, maar wel iets wil doen? Kom bij ons in de snackbar
koken, voorbereiden en chillen! Meer details worden bijgewerkt op Radarsquad.</p><p>Pre-chill:
15:00 Avond: 17:30 - 22:00</p>'
end_datetime: 1741467600
id: 47
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 0
- 0
height: 1200
name: Feminist Snackbar evening / Feminist Snackbar avond
size: 129218
url: 16731d8743c9c42fe7936201c87d9626.jpg
width: 1200
multidate: false
next: graphics-without-the-cloud-grafischbeeld-zonder-de-cloud
online_locations: ''
parent: null
parentId: null
place:
address: Bajonetstraat 49, 3014 ZC Rotterdam
id: 7
latitude: null
longitude: null
name: Snackbar Frieda
plain_description: 'In search of a place to hang out after protest? Come and chill
with us in the
snackbar. I you are not able to go to the protest, but want to do something?
Join us who stay in the snackbar cooking, preparing and chilling! More details
will be updated on Radarsquad.
Pre-chill: 15:00 Evening: 17:30 - 22:00
Op zoek naar een plek om na het protest rond te hangen? Kom bij ons chillen in
de snackbar. Als je niet mee wil protesteren, maar wel iets wil doen? Kom bij
ons in de snackbar koken, voorbereiden en chillen! Meer details worden
bijgewerkt op Radarsquad.
Pre-chill: 15:00 Avond: 17:30 - 22:00'
prev: snackbar-is-open-and-rebetiko-concert-mosaic
recurrent: null
resources: []
slug: feminist-snackbar-evening-feminist-snackbar-avond
start_datetime: 1741451400
tags:
- snackbarfrieda
- food
title: Feminist Snackbar evening / Feminist Snackbar avond
---
<p>In search of a place to hang out after protest? Come and chill with us in the snackbar. I you are not able to go to the protest, but want to do something? Join us who stay in the snackbar cooking, preparing and chilling! More details will be updated on Radarsquad.</p><p>Pre-chill: 15:00 Evening: 17:30 - 22:00</p><p>Op zoek naar een plek om na het protest rond te hangen? Kom bij ons chillen in de snackbar. Als je niet mee wil protesteren, maar wel iets wil doen? Kom bij ons in de snackbar koken, voorbereiden en chillen! Meer details worden bijgewerkt op Radarsquad.</p><p>Pre-chill: 15:00 Avond: 17:30 - 22:00</p>

View File

@ -0,0 +1,65 @@
---
boost: []
description: <p>How is it possible to do graphic and image work on the computer without
reliance on cloud software and strange rent models? Come and get introduced to graphic
and illustration software that runs locally and offline on your computer. BYOL (Bring
your own laptop).</p><p>Hoe maak je grafisch ontwerp op de computer zonder afhankelijk
te zijn van cloud software en vreemde software huurovereenkomsten? Dit is een introductie
aan illustratiesoftware die je lokaal en offline kunt gebruiken. Neem je eigen laptop
mee!</p>
end_datetime: 1741636800
id: 46
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 0
- 0
height: 1200
name: Graphics without the cloud / Grafischbeeld zonder de cloud
size: 129218
url: 9b4b1218a40be616bf38b3f56f27d43d.jpg
width: 1200
multidate: false
next: extratonal-special-41-graphic-scores
online_locations: ''
parent: null
parentId: null
place:
address: Bajonetstraat 49, 3014 ZC Rotterdam
id: 7
latitude: null
longitude: null
name: Snackbar Frieda
plain_description: 'How is it possible to do graphic and image work on the computer
without reliance
on cloud software and strange rent models? Come and get introduced to graphic
and illustration software that runs locally and offline on your computer. BYOL
(Bring your own laptop).
Hoe maak je grafisch ontwerp op de computer zonder afhankelijk te zijn van cloud
software en vreemde software huurovereenkomsten? Dit is een introductie aan
illustratiesoftware die je lokaal en offline kunt gebruiken. Neem je eigen
laptop mee!'
prev: feminist-snackbar-evening-feminist-snackbar-avond
recurrent: null
resources: []
slug: graphics-without-the-cloud-grafischbeeld-zonder-de-cloud
start_datetime: 1741629600
tags:
- snackbarfrieda
- workshop
title: Graphics without the cloud / Grafischbeeld zonder de cloud
---
<p>How is it possible to do graphic and image work on the computer without reliance on cloud software and strange rent models? Come and get introduced to graphic and illustration software that runs locally and offline on your computer. BYOL (Bring your own laptop).</p><p>Hoe maak je grafisch ontwerp op de computer zonder afhankelijk te zijn van cloud software en vreemde software huurovereenkomsten? Dit is een introductie aan illustratiesoftware die je lokaal en offline kunt gebruiken. Neem je eigen laptop mee!</p>

View File

@ -0,0 +1,77 @@
---
boost: []
description: '<p>The Rotterdam Illustration Festival: were here to gatebreak the
illustration world with real talk and honest insights. Step out of your studio life
and join us for fun, community-building activities, engaging and useful workshops,
eye-opening talks, a buzzing market full of publishers ready to connect, and plenty
of opportunities for being inspired. Its all about sharing truths, creating opportunities,
and building a stronger illustration community.</p><p>From insightful, honest and
thought-provoking talks and hands-on workshops to activities that bring people together,
our program has it all. Through our talks, well answer the big questions: where,
what, who, how, why, and when? Plus, weve got more than just talks and workshops.
For the program, check out their website! <a href="https://rotterdamillustrationfestival.nl"
target="_blank">https://rotterdamillustrationfestival.nl</a></p>'
end_datetime: 1742101200
id: 42
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 0
- 0
height: 768
name: Illustration Festival
size: 171287
url: c055371d3ad3f4e009a7af8b0e07e569.jpg
width: 768
multidate: true
next: extratonal-special-42-illustrations
online_locations: ''
parent: null
parentId: null
place:
address: Delftseplein 39, Rotterdam
id: 8
latitude: null
longitude: null
name: Roodkapje
plain_description: 'The Rotterdam Illustration Festival: were here to gatebreak the
illustration
world with real talk and honest insights. Step out of your studio life and join
us for fun, community-building activities, engaging and useful workshops,
eye-opening talks, a buzzing market full of publishers ready to connect, and
plenty of opportunities for being inspired. Its all about sharing truths,
creating opportunities, and building a stronger illustration community.
From insightful, honest and thought-provoking talks and hands-on workshops to
activities that bring people together, our program has it all. Through our
talks, well answer the big questions: where, what, who, how, why, and when?
Plus, weve got more than just talks and workshops. For the program, check out
their website! https://rotterdamillustrationfestival.nl
[https://rotterdamillustrationfestival.nl]'
prev: extratonal-special-41-graphic-scores
recurrent: null
resources: []
slug: illustration-festival
start_datetime: 1742032800
tags:
- roodkapje
- illustration
title: Illustration Festival
---
<p>The Rotterdam Illustration Festival: were here to gatebreak the illustration world with real talk and honest insights. Step out of your studio life and join us for fun, community-building activities, engaging and useful workshops, eye-opening talks, a buzzing market full of publishers ready to connect, and plenty of opportunities for being inspired. Its all about sharing truths, creating opportunities, and building a stronger illustration community.</p><p>From insightful, honest and thought-provoking talks and hands-on workshops to activities that bring people together, our program has it all. Through our talks, well answer the big questions: where, what, who, how, why, and when? Plus, weve got more than just talks and workshops. For the program, check out their website! <a href="https://rotterdamillustrationfestival.nl" target="_blank">https://rotterdamillustrationfestival.nl</a></p>

View File

@ -0,0 +1,182 @@
---
boost: []
description: '<p>People who were there at the first edition of INTERRUPCIÓN back in
2022 will surely remember the savage night that unfolded. The groovy tropical rhythms
of Los Pirañas led to a frantic dance and mosh pit: it was pura Piraña mania!</p><p>So,
when Pedro, Mario and Eblis announced a European tour, with a new record under their
arms to boot , we of course wanted to bring them back to Rotterdam. Add to that
the gaita music of Fuego e Cumbia and the vinyl selections by El Javier_B… you
know this is going to be another memorable one indeed.</p><p>Los Pirañas</p><p>The
Colombian supergroup consisting of guitarist Eblis Álvarez (Meridian Brothers, Chupame
El Dedo), bassist Mario Galeano (Frente Cumbiero) and drummer Pedro Ojeda (Romperayo,
Chupame El Dedo) has been successfully carving out a wildly idiosyncratic musical
world since the release of their debut album Toma Tu Jabón Kapax in 2010, pushing
the boundaries of instrumental Latin tropical music with bold infusions of psychedelia,
dub, minimalism and more. The three high school friends have been diving into punk,
Colombian tropical music and African rhythms, amalgamating these into a potent brew
fit for the dance floor. And now they are back with a new album, Una Oportunidad
Más de Triunfar en la Vida, which is an infectious trip into the dark, pulsating
heart of Bogotas thrilling underground music scene.</p><p>Fuego e Cumbia</p><p>Fuego
e Cumbia continues the centuries-old Gaita music tradition from the Colombian Montes
de Maria. The melodies of Indigenous Gaita, a sweet-sounding woodwind with origins
in the Kogui tribes, combined with the enchanting drum rhythms of runaway slaves,
generate an infectious synergy that transcends time. This fusion of Indigenous and
African influences creates a vibrant tapestry of sound, embodying the resilience
and creativity of Colombias diverse heritage. The music pulses with life, inviting
listeners to move, reflect, and connect with the stories of those who came before.
Its not just a rhythm; its a celebration of identity, history, and the unbreakable
spirit of a people.</p><p>El Javier_B</p><p>After years of experimenting with his
band Lolas Dice (NYCT, Music with Soul and Bongo Joe), along with a passion for
collecting vinyl, he embarked on an extensive journey to explore rhythms and sounds
from around the globe. Hailing from Maracaibo, Venezuela, his spirit is deeply connected
to the vibrant tropical beats of the Caribbean and the enchanting sounds of Africa.
Currently, he is a resident Dj at Worm and Operator radio hosting his biweekly show
Crema. El Javier_B is a creative force, dedicated to crafting eclectic mixes that
ignite energy and groove on the dance floor.</p><p>About the program: INTERRUPCIÓN
is dedicated to music from Latin America and its diaspora. There will be two more
events in WORM: on the 15th of May and on the 3rd of July.</p><p>The events are
organized by the team of Cinema Colombiano, who are this year celebrating the 10th
edition of the film festival Cinema Colombiano on the 20th and 27th of September.</p><p>More
info: <a target="_blank" href="https://www.cinecol.nl">www.cinecol.nl</a></p><p>Poster
by Kevin Simón Mancera</p>'
end_datetime: 1742509800
id: 48
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- -0.04
- -0.74
height: 1222
name: 'INTERRUPCIÓN: Los Pirañas + Fuego e'' Cumbia + El Javier_B'
size: 326292
url: 2a48b3b7ec777548e41551eeb337c42e.jpg
width: 939
multidate: false
next: creme-de-la-creme-pen-plotting-and-dance-performances
online_locations: ''
parent: null
parentId: null
place:
address: Boomgaardsstraat 71, 3012 XA Rotterdam
id: 5
latitude: null
longitude: null
name: Worm
plain_description: 'People who were there at the first edition of INTERRUPCIÓN back
in 2022 will
surely remember the savage night that unfolded. The groovy tropical rhythms of
Los Pirañas led to a frantic dance and mosh pit: it was pura Piraña mania!
So, when Pedro, Mario and Eblis announced a European tour, with a new record
under their arms to boot , we of course wanted to bring them back to Rotterdam.
Add to that the gaita music of Fuego e Cumbia and the vinyl selections by El
Javier_B… you know this is going to be another memorable one indeed.
Los Pirañas
The Colombian supergroup consisting of guitarist Eblis Álvarez (Meridian
Brothers, Chupame El Dedo), bassist Mario Galeano (Frente Cumbiero) and drummer
Pedro Ojeda (Romperayo, Chupame El Dedo) has been successfully carving out a
wildly idiosyncratic musical world since the release of their debut album Toma
Tu Jabón Kapax in 2010, pushing the boundaries of instrumental Latin tropical
music with bold infusions of psychedelia, dub, minimalism and more. The three
high school friends have been diving into punk, Colombian tropical music and
African rhythms, amalgamating these into a potent brew fit for the dance floor.
And now they are back with a new album, Una Oportunidad Más de Triunfar en la
Vida, which is an infectious trip into the dark, pulsating heart of Bogotas
thrilling underground music scene.
Fuego e Cumbia
Fuego e Cumbia continues the centuries-old Gaita music tradition from the
Colombian Montes de Maria. The melodies of Indigenous Gaita, a sweet-sounding
woodwind with origins in the Kogui tribes, combined with the enchanting drum
rhythms of runaway slaves, generate an infectious synergy that transcends time.
This fusion of Indigenous and African influences creates a vibrant tapestry of
sound, embodying the resilience and creativity of Colombias diverse heritage.
The music pulses with life, inviting listeners to move, reflect, and connect
with the stories of those who came before. Its not just a rhythm; its a
celebration of identity, history, and the unbreakable spirit of a people.
El Javier_B
After years of experimenting with his band Lolas Dice (NYCT, Music with Soul
and Bongo Joe), along with a passion for collecting vinyl, he embarked on an
extensive journey to explore rhythms and sounds from around the globe. Hailing
from Maracaibo, Venezuela, his spirit is deeply connected to the vibrant
tropical beats of the Caribbean and the enchanting sounds of Africa. Currently,
he is a resident Dj at Worm and Operator radio hosting his biweekly show Crema.
El Javier_B is a creative force, dedicated to crafting eclectic mixes that
ignite energy and groove on the dance floor.
About the program: INTERRUPCIÓN is dedicated to music from Latin America and its
diaspora. There will be two more events in WORM: on the 15th of May and on the
3rd of July.
The events are organized by the team of Cinema Colombiano, who are this year
celebrating the 10th edition of the film festival Cinema Colombiano on the 20th
and 27th of September.
More info: www.cinecol.nl [https://www.cinecol.nl]
Poster by Kevin Simón Mancera'
prev: open-mic-night
recurrent: null
resources: []
slug: interrupcion-los-piranas-fuego-e-cumbia-el-javier_b
start_datetime: 1742500800
tags:
- worm
title: 'INTERRUPCIÓN: Los Pirañas + Fuego e'' Cumbia + El Javier_B'
---
<p>People who were there at the first edition of INTERRUPCIÓN back in 2022 will surely remember the savage night that unfolded. The groovy tropical rhythms of Los Pirañas led to a frantic dance and mosh pit: it was pura Piraña mania!</p><p>So, when Pedro, Mario and Eblis announced a European tour, with a new record under their arms to boot , we of course wanted to bring them back to Rotterdam. Add to that the gaita music of Fuego e Cumbia and the vinyl selections by El Javier_B… you know this is going to be another memorable one indeed.</p><p>Los Pirañas</p><p>The Colombian supergroup consisting of guitarist Eblis Álvarez (Meridian Brothers, Chupame El Dedo), bassist Mario Galeano (Frente Cumbiero) and drummer Pedro Ojeda (Romperayo, Chupame El Dedo) has been successfully carving out a wildly idiosyncratic musical world since the release of their debut album Toma Tu Jabón Kapax in 2010, pushing the boundaries of instrumental Latin tropical music with bold infusions of psychedelia, dub, minimalism and more. The three high school friends have been diving into punk, Colombian tropical music and African rhythms, amalgamating these into a potent brew fit for the dance floor. And now they are back with a new album, Una Oportunidad Más de Triunfar en la Vida, which is an infectious trip into the dark, pulsating heart of Bogotas thrilling underground music scene.</p><p>Fuego e Cumbia</p><p>Fuego e Cumbia continues the centuries-old Gaita music tradition from the Colombian Montes de Maria. The melodies of Indigenous Gaita, a sweet-sounding woodwind with origins in the Kogui tribes, combined with the enchanting drum rhythms of runaway slaves, generate an infectious synergy that transcends time. This fusion of Indigenous and African influences creates a vibrant tapestry of sound, embodying the resilience and creativity of Colombias diverse heritage. The music pulses with life, inviting listeners to move, reflect, and connect with the stories of those who came before. Its not just a rhythm; its a celebration of identity, history, and the unbreakable spirit of a people.</p><p>El Javier_B</p><p>After years of experimenting with his band Lolas Dice (NYCT, Music with Soul and Bongo Joe), along with a passion for collecting vinyl, he embarked on an extensive journey to explore rhythms and sounds from around the globe. Hailing from Maracaibo, Venezuela, his spirit is deeply connected to the vibrant tropical beats of the Caribbean and the enchanting sounds of Africa. Currently, he is a resident Dj at Worm and Operator radio hosting his biweekly show Crema. El Javier_B is a creative force, dedicated to crafting eclectic mixes that ignite energy and groove on the dance floor.</p><p>About the program: INTERRUPCIÓN is dedicated to music from Latin America and its diaspora. There will be two more events in WORM: on the 15th of May and on the 3rd of July.</p><p>The events are organized by the team of Cinema Colombiano, who are this year celebrating the 10th edition of the film festival Cinema Colombiano on the 20th and 27th of September.</p><p>More info: <a target="_blank" href="https://www.cinecol.nl">www.cinecol.nl</a></p><p>Poster by Kevin Simón Mancera</p>

View File

@ -0,0 +1,78 @@
---
boost: []
description: <p>Dear listeners, 👂<br><br>on Saturday the 23rd of November, you are
warmly invited to join a workshop about sonic awareness, at <a href="https://www.instagram.com/extrapractice/"
target="_blank">extrapractice</a> .<br>Margo is going to guide you somewhere in
between free musical improvisation and deep listening. We will sing, and breathe,
and move, and make funny noises with funny objects. 🪠<br><br>But most of all, were
going to tune in to our environment and listen. So put on your most comfy clothes
and come make bubbles with friends! 🫧<br><br>It begins at 13.00 and lunch is included
(vegan and gluten free). 🥗<br><br>5 euros of participation is asked, with 10 spots
available.<br><br>Send a message at marguerite.maire@outlook.fr</p>
end_datetime: 1732424400
id: 15
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 0
- 0
height: 1350
name: 🛀🛀🛀Its sonic bath daaaay! 🛀🛀🛀
size: 213008
url: 607c905a35e634ef58247939c910df36.jpg
width: 1080
multidate: false
next: lets-unrepair-things-together-4
online_locations: ''
parent: null
parentId: null
place:
address: Linker Rottekade 5a, Rotterdam
id: 6
latitude: null
longitude: null
name: ExtraPractice
plain_description: 'Dear listeners, 👂
on Saturday the 23rd of November, you are warmly invited to join a workshop
about sonic awareness, at @extrapractice
[https://www.instagram.com/extrapractice/] .
Margo is going to guide you somewhere in between free musical improvisation and
deep listening. We will sing, and breathe, and move, and make funny noises with
funny objects. 🪠
But most of all, were going to tune in to our environment and listen. So put on
your most comfy clothes and come make bubbles with friends! 🫧
It begins at 13.00 and lunch is included (vegan and gluten free). 🥗
5 euros of participation is asked, with 10 spots available.
Send a message at marguerite.maire@outlook.fr'
prev: lets-unrepair-things-together-3
recurrent: null
resources: []
slug: its-sonic-bath-daaaay
start_datetime: 1732363200
tags:
- extrapractice
- sonic awareness
title: 🛀🛀🛀Its sonic bath daaaay! 🛀🛀🛀
---
<p>Dear listeners, 👂<br><br>on Saturday the 23rd of November, you are warmly invited to join a workshop about sonic awareness, at <a href="https://www.instagram.com/extrapractice/" target="_blank">@extrapractice</a> .<br>Margo is going to guide you somewhere in between free musical improvisation and deep listening. We will sing, and breathe, and move, and make funny noises with funny objects. 🪠<br><br>But most of all, were going to tune in to our environment and listen. So put on your most comfy clothes and come make bubbles with friends! 🫧<br><br>It begins at 13.00 and lunch is included (vegan and gluten free). 🥗<br><br>5 euros of participation is asked, with 10 spots available.<br><br>Send a message at marguerite.maire@outlook.fr</p>

View File

@ -0,0 +1,64 @@
---
boost: []
description: <p>Let's catch up at Catu on Thursday, March 6th between 18 and 21h over
a cup of tea. </p><p>To meet and talk about recent Klankschool activities, discuss
paths taken so far and articulate possible futures for this community.</p><p>Feel
free to send ideas, discussion points and wishes in via email beforehand. You can
reach everyone via the <a href="https://we.lurk.org/mailman3/lists/klankbord.we.lurk.org/"
target="_blank">Klankbord</a>.</p>
end_datetime: 1741291200
id: 33
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 0
- 0
height: 849
name: Klankschool Community Gathering
size: 126720
url: ad283eb911d43e2ff1adb99cb343ea35.jpg
width: 1200
multidate: false
next: snackbar-is-open-and-rebetiko-concert-mosaic
online_locations: ''
parent: null
parentId: null
place:
address: Catullusweg 11
id: 1
latitude: 51.8766465
longitude: 4.5242688
name: Catu
plain_description: 'Let''s catch up at Catu on Thursday, March 6th between 18 and
21h over a cup of
tea.
To meet and talk about recent Klankschool activities, discuss paths taken so far
and articulate possible futures for this community.
Feel free to send ideas, discussion points and wishes in via email beforehand.
You can reach everyone via the Klankbord
[https://we.lurk.org/mailman3/lists/klankbord.we.lurk.org/].'
prev: unrepair-cafe-3
recurrent: null
resources: []
slug: klankschool-community-gathering
start_datetime: 1741280400
tags:
- klankschool
- gathering
- hang-out
title: Klankschool Community Gathering
---
<p>Let's catch up at Catu on Thursday, March 6th between 18 and 21h over a cup of tea. </p><p>To meet and talk about recent Klankschool activities, discuss paths taken so far and articulate possible futures for this community.</p><p>Feel free to send ideas, discussion points and wishes in via email beforehand. You can reach everyone via the <a href="https://we.lurk.org/mailman3/lists/klankbord.we.lurk.org/" target="_blank">Klankbord</a>.</p>

View File

@ -0,0 +1,139 @@
---
boost: []
description: '<blockquote><h3>when we have performed many thousands,<br>we shall shake
them into confusion, in order that we might not know,<br>and in order not to let
any evil person envy us,<br>when he knows that there are so many of our kisses.</h3></blockquote><p>Klankschool
is back in catullusweg for more performances, workshops and listening.</p><p></p><h2>6pm:
Klankserver longtable discussion</h2><p></p><p>Here at klankschool we have our own
server, running open source software to provide <a target="_blank" href="https://calendar.klank.school/">this
calendar</a>, <a target="_blank" href="https://funk.klank.school/library">an audio
sharing platform</a>, <a target="_blank" href="https://klank.school/">the website</a>,
<a target="_blank" href="https://live.klank.school">and more to come</a>.</p><p>This
evening we will introduce some of these services, show how to use them, and have
a longtable discussion about what it means to have an artist run server, what we
plan to do with it, and why we want it.</p><p><a target="_blank" href="https://calendar.klank.school/event/server-introduction">For
more info on the discussion, see the event.</a></p><p></p><h2>7pm: Delicious Vegan
Dinner</h2><p></p><h2>8pm: Performances</h2><p></p><p>... 🥁 🎹 🔌 Lukasz Moroz , Maciej
Müller and Tymon Kolubiński</p><p>... 🏠 Ariela Bergman "“the house that inhabits
you”</p><p>... 🫥 mitsitron &amp; 🌀 Stephen Kerr</p><p>... 👲🏻 🧑‍🦽 HOLLOWMIST</p><p>...
📱 Dada phone</p><p>... 🪠 Archibald “Harry” Tuttle</p><p>... and more</p><p></p>'
end_datetime: 1729368000
id: 1
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 0
- 0
height: 1920
name: 2nd KLANKSCHOOL DAG&AVOND
size: 1286409
url: a6734cfcec029795d1bfcc853137aafb.jpg
width: 1080
multidate: false
next: server-introduction
online_locations: ''
parent: null
parentId: null
place:
address: Catullusweg 11
id: 1
latitude: 51.8766465
longitude: 4.5242688
name: Catu
plain_description: '> WHEN WE HAVE PERFORMED MANY THOUSANDS,
> WE SHALL SHAKE THEM INTO CONFUSION, IN ORDER THAT WE MIGHT NOT KNOW,
> AND IN ORDER NOT TO LET ANY EVIL PERSON ENVY US,
> WHEN HE KNOWS THAT THERE ARE SO MANY OF OUR KISSES.
Klankschool is back in catullusweg for more performances, workshops and
listening.
6PM: KLANKSERVER LONGTABLE DISCUSSION
Here at klankschool we have our own server, running open source software to
provide this calendar [https://calendar.klank.school/], an audio sharing
platform [https://funk.klank.school/library], the website
[https://klank.school/], and more to come [https://live.klank.school].
This evening we will introduce some of these services, show how to use them, and
have a longtable discussion about what it means to have an artist run server,
what we plan to do with it, and why we want it.
For more info on the discussion, see the event.
[https://calendar.klank.school/event/server-introduction]
7PM: DELICIOUS VEGAN DINNER
8PM: PERFORMANCES
... 🥁 🎹 🔌 Lukasz Moroz , Maciej Müller and Tymon Kolubiński
... 🏠 Ariela Bergman "“the house that inhabits you”
... 🫥 mitsitron & 🌀 Stephen Kerr
... 👲🏻 🧑‍🦽 HOLLOWMIST
... 📱 Dada phone
... 🪠 Archibald “Harry” Tuttle
... and more
'
prev: null
recurrent: null
resources: []
slug: klankschool-performances
start_datetime: 1729353600
tags:
- klankschool
- live
- noise
- performance
title: 2nd Klankschool Dag&Avond
---
<blockquote><h3>when we have performed many thousands,<br>we shall shake them into confusion, in order that we might not know,<br>and in order not to let any evil person envy us,<br>when he knows that there are so many of our kisses.</h3></blockquote><p>Klankschool is back in catullusweg for more performances, workshops and listening.</p><p></p><h2>6pm: Klankserver longtable discussion</h2><p></p><p>Here at klankschool we have our own server, running open source software to provide <a target="_blank" href="https://calendar.klank.school/">this calendar</a>, <a target="_blank" href="https://funk.klank.school/library">an audio sharing platform</a>, <a target="_blank" href="https://klank.school/">the website</a>, <a target="_blank" href="https://live.klank.school">and more to come</a>.</p><p>This evening we will introduce some of these services, show how to use them, and have a longtable discussion about what it means to have an artist run server, what we plan to do with it, and why we want it.</p><p><a target="_blank" href="https://calendar.klank.school/event/server-introduction">For more info on the discussion, see the event.</a></p><p></p><h2>7pm: Delicious Vegan Dinner</h2><p></p><h2>8pm: Performances</h2><p></p><p>... 🥁 🎹 🔌 Lukasz Moroz , Maciej Müller and Tymon Kolubiński</p><p>... 🏠 Ariela Bergman "“the house that inhabits you”</p><p>... 🫥 mitsitron &amp; 🌀 Stephen Kerr</p><p>... 👲🏻 🧑‍🦽 HOLLOWMIST</p><p>... 📱 Dada phone</p><p>... 🪠 Archibald “Harry” Tuttle</p><p>... and more</p><p></p>

View File

@ -0,0 +1,35 @@
---
boost: []
description: ''
end_datetime: 1730415300
id: 7
image_path: null
isAnon: true
isMine: false
is_visible: true
likes: []
media: []
multidate: false
next: extratonal-special-3-sound-is-political
online_locations: ''
parent: null
parentId: null
place:
address: Catullusweg 11
id: 1
latitude: 51.8766465
longitude: 4.5242688
name: Catu
plain_description: ''
prev: server-introduction
has_log: true
recurrent: null
resources: []
slug: lets-un-repair-things-together
start_datetime: 1730394000
tags: []
title: let's (un) repair things together
---
### Logs
Repaired an audio amplifier by replacing a switch, a megaphone by cleaning the battery ports, and discovered the fireworks that is blown fuses.

View File

@ -0,0 +1,41 @@
---
boost: []
description: <p>Bring your (un)broken devices and sound makers!</p>
end_datetime: 1731016800
id: 10
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media: []
multidate: false
next: lets-unrepair-things-together-2
online_locations: ''
parent:
id: 9
is_visible: false
recurrent:
frequency: 1w
start_datetime: 1730998800
parentId: 9
place:
address: Catullusweg 11
id: 1
latitude: 51.8766465
longitude: 4.5242688
name: Catu
plain_description: Bring your (un)broken devices and sound makers!
prev: palestine-cinema-days-around-the-world-naila-and-the-uprising
recurrent: null
resources: []
slug: lets-unrepair-things-together-1
start_datetime: 1730998800
tags:
- klankschool
- noise
- repair
title: Let's (un)repair things together!
---
<p>Bring your (un)broken devices and sound makers!</p>

View File

@ -0,0 +1,41 @@
---
boost: []
description: <p>Bring your (un)broken devices and sound makers!</p>
end_datetime: 1731621600
id: 11
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media: []
multidate: null
next: extratonal-infrastructure-16-qoa-en-primeiro
online_locations: []
parent:
id: 9
is_visible: false
recurrent:
frequency: 1w
start_datetime: 1730998800
parentId: 9
place:
address: Catullusweg 11
id: 1
latitude: 51.8766465
longitude: 4.5242688
name: Catu
plain_description: Bring your (un)broken devices and sound makers!
prev: lets-unrepair-things-together-1
recurrent: null
resources: []
slug: lets-unrepair-things-together-2
start_datetime: 1731603600
tags:
- klankschool
- noise
- repair
title: Let's (un)repair things together!
---
<p>Bring your (un)broken devices and sound makers!</p>

View File

@ -0,0 +1,46 @@
---
boost: []
description: <p>Bring your (un)broken devices and sound makers!</p>
end_datetime: 1732226400
id: 12
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media: []
multidate: null
next: its-sonic-bath-daaaay
online_locations: []
parent:
id: 9
is_visible: false
recurrent:
frequency: 1w
start_datetime: 1730998800
parentId: 9
place:
address: Catullusweg 11
id: 1
latitude: 51.8766465
longitude: 4.5242688
name: Catu
plain_description: Bring your (un)broken devices and sound makers!
prev: sounds-of-making-xpub1-presents-protocols-for-collective-performance
recurrent: null
has_log: true
resources: []
slug: lets-unrepair-things-together-3
start_datetime: 1732208400
tags:
- klankschool
- noise
- repair
title: Let's (un)repair things together!
---
<p>Bring your (un)broken devices and sound makers!</p>
### Logs
Toy keyboards are fun, especially if you apply the card method of infinite drone music.

View File

@ -0,0 +1,48 @@
---
boost: []
description: <p>Bring your (un)broken devices and sound makers!</p>
end_datetime: 1732831200
id: 16
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media: []
multidate: null
next: extratonal-infrastructure-17-dianaband-vegetable-wife-with-jae-hyung-park-and-lucija-gregov
online_locations: []
parent:
id: 9
is_visible: false
recurrent:
frequency: 1w
start_datetime: 1730998800
parentId: 9
place:
address: Catullusweg 11
id: 1
latitude: 51.8766465
longitude: 4.5242688
name: Catu
plain_description: Bring your (un)broken devices and sound makers!
prev: its-sonic-bath-daaaay
recurrent: null
resources: []
has_log: true
slug: lets-unrepair-things-together-4
start_datetime: 1732813200
tags:
- klankschool
- noise
- repair
title: Let's (un)repair things together!
---
<p>Bring your (un)broken devices and sound makers!</p>
### Logs
There were five of us today
- The openproject instance now sends email notifications.

View File

@ -0,0 +1,49 @@
---
boost: []
description: <p>Bring your (un)broken devices and sound makers!</p>
end_datetime: 1732831200
id: 16
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media: []
multidate: null
next: extratonal-infrastructure-17-dianaband-vegetable-wife-with-jae-hyung-park-and-lucija-gregov
online_locations: []
parent:
id: 9
is_visible: false
recurrent:
frequency: 1w
start_datetime: 1730998800
parentId: 9
place:
address: Catullusweg 11
id: 1
latitude: 51.8766465
longitude: 4.5242688
name: Catu
plain_description: Bring your (un)broken devices and sound makers!
prev: its-sonic-bath-daaaay
recurrent: null
resources: []
slug: lets-unrepair-things-together-4
start_datetime: 1733413200
has_log: true
tags:
- klankschool
- noise
- repair
title: Let's (un)repair things together!
---
<p>Bring your (un)broken devices and sound makers!</p>
### Logs
Someone came in with a pokemon camera that could also play audio from a small SD card. However, the camera only had a small speaker, so we added an audio jack!
Additionally, we worked on 4 casette players, all of them had issues with the belts. We'll need to order some replacement belts to get them working again. One of the casette players wouldnt turn on, but after a bit of cleaning of the battery holder, this was resolved.
![Pokemon camera now has a much needed audio jack](/assets/repair-logs/pokemon.webp)

View File

@ -0,0 +1,41 @@
---
boost: []
description: <p>Bring your (un)broken devices and sound makers!</p>
end_datetime: 1734040800
id: 19
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media: []
multidate: null
next: lets-unrepair-things-together-7
online_locations: []
parent:
id: 9
is_visible: false
recurrent:
frequency: 1w
start_datetime: 1730998800
parentId: 9
place:
address: Catullusweg 11
id: 1
latitude: 51.8766465
longitude: 4.5242688
name: Catu
plain_description: Bring your (un)broken devices and sound makers!
prev: lets-unrepair-things-together-analog-video-edition
recurrent: null
resources: []
slug: lets-unrepair-things-together-6
start_datetime: 1734022800
tags:
- klankschool
- noise
- repair
title: Let's (un)repair things together!
---
<p>Bring your (un)broken devices and sound makers!</p>

View File

@ -0,0 +1,46 @@
---
boost: []
description: <p>Bring your (un)broken devices and sound makers!</p>
end_datetime: 1734645600
id: 20
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media: []
multidate: null
next: lets-unrepair-things-together-8
online_locations: []
parent:
id: 9
is_visible: false
recurrent:
frequency: 1w
start_datetime: 1730998800
parentId: 9
place:
address: Catullusweg 11
id: 1
latitude: 51.8766465
longitude: 4.5242688
name: Catu
plain_description: Bring your (un)broken devices and sound makers!
prev: lets-unrepair-things-together-6
recurrent: null
resources: []
slug: lets-unrepair-things-together-7
start_datetime: 1734627600
has_log: true
tags:
- klankschool
- noise
- repair
title: Let's (un)repair things together!
---
<p>Bring your (un)broken devices and sound makers!</p>
### Logs
We explored the circuit bending of an analog video mixer, and continued installing Linux on a server from the V2 Winter Market

View File

@ -0,0 +1,41 @@
---
boost: []
description: <p>Bring your (un)broken devices and sound makers!</p>
end_datetime: 1735250400
id: 21
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media: []
multidate: null
next: unrepair-cafe
online_locations: []
parent:
id: 9
is_visible: false
recurrent:
frequency: 1w
start_datetime: 1730998800
parentId: 9
place:
address: Catullusweg 11
id: 1
latitude: 51.8766465
longitude: 4.5242688
name: Catu
plain_description: Bring your (un)broken devices and sound makers!
prev: lets-unrepair-things-together-7
recurrent: null
resources: []
slug: lets-unrepair-things-together-8
start_datetime: 1735232400
tags:
- klankschool
- noise
- repair
title: Let's (un)repair things together!
---
<p>Bring your (un)broken devices and sound makers!</p>

View File

@ -0,0 +1,45 @@
---
boost: []
description: <p>Bring your (un)broken devices and sound makers!</p><p>This time, we'll
work with video! Analog video mixers, camera's, anything with lights.</p><p>Come
by!</p>
end_datetime: null
id: 18
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media: []
multidate: false
next: lets-unrepair-things-together-6
online_locations: ''
parent: null
parentId: null
place:
address: Catullusweg 11
id: 1
latitude: 51.8766465
longitude: 4.5242688
name: Catu
plain_description: 'Bring your (un)broken devices and sound makers!
This time, we''ll work with video! Analog video mixers, camera''s, anything with
lights.
Come by!'
prev: extratonal-infrastructure-17-dianaband-vegetable-wife-with-jae-hyung-park-and-lucija-gregov
recurrent: null
resources: []
slug: lets-unrepair-things-together-analog-video-edition
start_datetime: 1734022800
tags:
- catu
- klankschool
title: Let's (un)repair things together! Analog Video edition!
---
<p>Bring your (un)broken devices and sound makers!</p><p>This time, we'll work with video! Analog video mixers, camera's, anything with lights.</p><p>Come by!</p>

View File

@ -0,0 +1,48 @@
---
boost: []
description: <p>Share your latest tunes, patches, poetry, noise, algorithms. Entrance
is gratis. <br>RSVP events ( at ) klank ( dot ) school to join the programme.</p>
end_datetime: 1742502600
id: 34
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 0
- 0
height: 861
name: Open Mic Night
size: 108141
url: d17620bbf508b11f314d83413fe35c2e.jpg
width: 1200
multidate: false
next: interrupcion-los-piranas-fuego-e-cumbia-el-javier_b
online_locations: ''
parent: null
parentId: null
place:
address: Catullusweg 11
id: 1
latitude: 51.8766465
longitude: 4.5242688
name: Catu
plain_description: 'Share your latest tunes, patches, poetry, noise, algorithms. Entrance
is gratis.
RSVP events ( at ) klank ( dot ) school to join the programme.'
prev: extratonal-special-42-illustrations
recurrent: null
resources: []
slug: open-mic-night
start_datetime: 1742491800
tags:
- klankschool
- sound
- open mic
title: Open Mic Night
---
<p>Share your latest tunes, patches, poetry, noise, algorithms. Entrance is gratis. <br>RSVP events ( at ) klank ( dot ) school to join the programme.</p>

View File

@ -0,0 +1,113 @@
---
boost: []
description: '<p>In 2023, <strong>Film Lab Palestine</strong> had to postpone their
<strong>Palestine Cinema Days</strong> festival. Instead of celebrating cinema in
Palestine, they brought Palestine to the world in 86 cities, across 139 venues,
spanning 41 countries. November 2nd marks the day the Balfour Declaration was signed,
and in an effort to amplify Palestinian voices, we are joining <a target="_blank"
href="https://aflamuna.org/calls/palestine-cinema-days-around-the-world-24/"><strong>Palestine
Cinema Days Around The World</strong></a> and are screening Naila And The Uprising
directed by Julia Bacha.</p><p>Alongside the film screening <a target="_blank"
href="https://www.fairtradepalestine.org/"><strong>Fairtrade Palestine</strong></a>
will be selling a variety of products from the West Bank, and we will have anti-colonial,
liberation and encampment advice zines available via <a target="_blank" href="https://www.rot-shop.com/zine-distro-fundraiser"><strong>rot
shop</strong></a> to copy and print your own selection from. There will also be
<strong>silkscreen solidarity shirts</strong> from Video for sale. All donations
for the zines and shirts will go directly to two families in Gaza, and grassroots
mutual aid initiative The Sanabel Team.</p><p><strong>Naila And The Uprising</strong><br>by
Julia Bacha</p><p>Documentary, 76 mins.<br>Chronicling the remarkable journey of
Naila Ayesh and a fierce community of women at the frontlines, whose stories weave
through the most vibrant, nonviolent mobilisation in Palestinian history the First
Intifada in the late 1980s.</p><p>Languages: Arabic, English, Hebrew, French.<br>Subtitles:
English.</p>'
end_datetime: 1730581200
id: 8
image_path: null
isAnon: true
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 0
- 0
height: 778
name: Palestine Cinema Days Around The World - Naila And The Uprising
size: 165250
url: e79f8e017e8fdb1a603e1ed4d5a4f450.jpg
width: 778
multidate: false
next: lets-unrepair-things-together-1
online_locations:
- https://varia.zone/en/palestine-cinema-days-naila-and-the-uprising.html
parent: null
parentId: null
place:
address: Gouwstraat 3
id: 4
latitude: null
longitude: null
name: Varia
plain_description: 'In 2023, Film Lab Palestine had to postpone their Palestine Cinema
Days
festival. Instead of celebrating cinema in Palestine, they brought Palestine to
the world in 86 cities, across 139 venues, spanning 41 countries. November 2nd
marks the day the Balfour Declaration was signed, and in an effort to amplify
Palestinian voices, we are joining Palestine Cinema Days Around The World
[https://aflamuna.org/calls/palestine-cinema-days-around-the-world-24/] and are
screening Naila And The Uprising directed by Julia Bacha .
Alongside the film screening Fairtrade Palestine
[https://www.fairtradepalestine.org/] will be selling a variety of products from
the West Bank, and we will have anti-colonial, liberation and encampment advice
zines available via rot shop [https://www.rot-shop.com/zine-distro-fundraiser]
to copy and print your own selection from. There will also be silkscreen
solidarity shirts from Video for sale. All donations for the zines and shirts
will go directly to two families in Gaza, and grassroots mutual aid initiative
The Sanabel Team.
Naila And The Uprising
by Julia Bacha
Documentary, 76 mins.
Chronicling the remarkable journey of Naila Ayesh and a fierce community of
women at the frontlines, whose stories weave through the most vibrant,
nonviolent mobilisation in Palestinian history the First Intifada in the late
1980s.
Languages: Arabic, English, Hebrew, French.
Subtitles: English.'
prev: extratonal-special-3-sound-is-political
recurrent: null
resources: []
slug: palestine-cinema-days-around-the-world-naila-and-the-uprising
start_datetime: 1730570400
tags:
- Palestine Cinema Days
title: Palestine Cinema Days Around The World - Naila And The Uprising
---
<p>In 2023, <strong>Film Lab Palestine</strong> had to postpone their <strong>Palestine Cinema Days</strong> festival. Instead of celebrating cinema in Palestine, they brought Palestine to the world in 86 cities, across 139 venues, spanning 41 countries. November 2nd marks the day the Balfour Declaration was signed, and in an effort to amplify Palestinian voices, we are joining <a target="_blank" href="https://aflamuna.org/calls/palestine-cinema-days-around-the-world-24/"><strong>Palestine Cinema Days Around The World</strong></a> and are screening Naila And The Uprising directed by Julia Bacha.</p><p>Alongside the film screening <a target="_blank" href="https://www.fairtradepalestine.org/"><strong>Fairtrade Palestine</strong></a> will be selling a variety of products from the West Bank, and we will have anti-colonial, liberation and encampment advice zines available via <a target="_blank" href="https://www.rot-shop.com/zine-distro-fundraiser"><strong>rot shop</strong></a> to copy and print your own selection from. There will also be <strong>silkscreen solidarity shirts</strong> from Video for sale. All donations for the zines and shirts will go directly to two families in Gaza, and grassroots mutual aid initiative The Sanabel Team.</p><p><strong>Naila And The Uprising</strong><br>by Julia Bacha</p><p>Documentary, 76 mins.<br>Chronicling the remarkable journey of Naila Ayesh and a fierce community of women at the frontlines, whose stories weave through the most vibrant, nonviolent mobilisation in Palestinian history the First Intifada in the late 1980s.</p><p>Languages: Arabic, English, Hebrew, French.<br>Subtitles: English.</p>

View File

@ -0,0 +1,66 @@
---
boost: []
description: <blockquote><p>The Long Table is a format for discussion that uses the
setting of a domestic dinner table as a means to generate public conversation. Conceived
in 2003 by Lois Weaver in response to the divided nature of conventional panel discussions,
the Long Table allows voices to be heard equally, disrupting hierarchical notions
of 'expertise'. It was inspired by Maureen Gorris's film <em>Antonia's Line</em>,
the central image of which is a dinner table getting longer and longer to accomodate
a growing family of outsiders, eccentrics and friends - until finally it has to
be moved outside. Since then, the Table has been set at institutions and festivals
worldwide, and invited hundreds of people to sit and share their views on myriad
topics. The Long Table is an open-source format; you are welcome to use it as a
means of generating discussion on any subject you choose.</p><p>--- <a target="_blank"
href="https://www.split-britches.com/long-table">https://www.split-britches.com/long-table</a></p></blockquote>
end_datetime: 1729357200
id: 4
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 0
- 0
height: 1063
name: 'Server Longtable '
size: 159728
url: f6c89423d8e4a15114f861ec401a4e41.jpg
width: 750
multidate: false
next: lets-un-repair-things-together
online_locations: ''
parent: null
parentId: null
place:
address: Catullusweg 11
id: 1
latitude: 51.8766465
longitude: 4.5242688
name: Catu
plain_description: "> The Long Table is a format for discussion that uses the setting\
\ of a domestic\n> dinner table as a means to generate public conversation. Conceived\
\ in 2003 by\n> Lois Weaver in response to the divided nature of conventional panel\n\
> discussions, the Long Table allows voices to be heard equally, disrupting\n> hierarchical\
\ notions of 'expertise'. It was inspired by Maureen Gorris's film\n> Antonia's\
\ Line, the central image of which is a dinner table getting longer\n> and longer\
\ to accomodate a growing family of outsiders, eccentrics and friends\n> - until\
\ finally it has to be moved outside. Since then, the Table has been set\n> at institutions\
\ and festivals worldwide, and invited hundreds of people to sit\n> and share their\
\ views on myriad topics. The Long Table is an open-source\n> format; you are welcome\
\ to use it as a means of generating discussion on any\n> subject you choose.\n\
> \n> --- https://www.split-britches.com/long-table\n> [https://www.split-britches.com/long-table]"
prev: klankschool-performances
recurrent: null
resources: []
slug: server-introduction
start_datetime: 1729353600
tags:
- klankschool
- longtable
- server
title: 'Server Longtable '
---
<blockquote><p>The Long Table is a format for discussion that uses the setting of a domestic dinner table as a means to generate public conversation. Conceived in 2003 by Lois Weaver in response to the divided nature of conventional panel discussions, the Long Table allows voices to be heard equally, disrupting hierarchical notions of 'expertise'. It was inspired by Maureen Gorris's film <em>Antonia's Line</em>, the central image of which is a dinner table getting longer and longer to accomodate a growing family of outsiders, eccentrics and friends - until finally it has to be moved outside. Since then, the Table has been set at institutions and festivals worldwide, and invited hundreds of people to sit and share their views on myriad topics. The Long Table is an open-source format; you are welcome to use it as a means of generating discussion on any subject you choose.</p><p>--- <a target="_blank" href="https://www.split-britches.com/long-table">https://www.split-britches.com/long-table</a></p></blockquote>

View File

@ -0,0 +1,103 @@
---
boost: []
description: '<p>With great enthusiasm we are announcing the opening of Snackbar Frieda!
Frieda is not just any snackbar. We hand out snacks on a donation basis, which means
in return for any contribution you like. We strive for a world where food is a shared
good rather than a means to profit. Snackbar Frieda is based in a squatted space,
because we believe empty spaces in the city should be used for the common good.
This project is an experiment to see what life&nbsp;can look like when we take care
of each other and our city''s needs, through self-organization and solidarity. It
is a labor of love, entirely volunteer-run. That means that&nbsp;were welcoming
YOU to join and build this place together with us! Come by for an event, a build
day or a snack!</p><p>Vol enthousiasme openen wij snackbar Frieda! Frieda is niet
zomaar een snackbar. We werken op donatiebasis, snacks zijn gratis of je doneert
wat je kan missen. In onze ideale wereld is eten een gedeeld goed dat wordt ingezet
voor verbinding, niet voor winst. Met dit project willen we experimenteren met verschillende
manieren van samenleven; door zelf te organiseren met solidariteit en zorg voor
elkaar en de stad. Omdat Rotterdam volstaat met lege gebouwen die gebruikt kunnen
en moeten worden, zit Snackbar Frieda in een gekraakt pand. Frieda is een passieproject:
we draaien volledig op vrijwilligers en onze eigen tijd. Iedereen is van harte welkom
om mee te doen en deze plek samen met ons vorm te geven.&nbsp;Kom langs voor een
evenement, bij de bouwdag of voor een snack!&nbsp;</p>'
end_datetime: 1738436400
id: 30
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- -0.31
- -1
height: 1698
name: Snackbar Frieda Opening!
size: 271582
url: bf4581942ff9cec4b05bd345d3acbc1a.jpg
width: 1200
multidate: false
next: 4-avond
online_locations: ''
parent: null
parentId: null
place:
address: Bajonetstraat 49, 3014 ZC Rotterdam
id: 7
latitude: null
longitude: null
name: Snackbar Frieda
plain_description: 'With great enthusiasm we are announcing the opening of Snackbar
Frieda! Frieda
is not just any snackbar. We hand out snacks on a donation basis, which means in
return for any contribution you like. We strive for a world where food is a
shared good rather than a means to profit. Snackbar Frieda is based in a
squatted space, because we believe empty spaces in the city should be used for
the common good. This project is an experiment to see what life can look like
when we take care of each other and our city''s needs, through self-organization
and solidarity. It is a labor of love, entirely volunteer-run. That means
that were welcoming YOU to join and build this place together with us! Come by
for an event, a build day or a snack!
Vol enthousiasme openen wij snackbar Frieda! Frieda is niet zomaar een snackbar.
We werken op donatiebasis, snacks zijn gratis of je doneert wat je kan missen.
In onze ideale wereld is eten een gedeeld goed dat wordt ingezet voor
verbinding, niet voor winst. Met dit project willen we experimenteren met
verschillende manieren van samenleven; door zelf te organiseren met solidariteit
en zorg voor elkaar en de stad. Omdat Rotterdam volstaat met lege gebouwen die
gebruikt kunnen en moeten worden, zit Snackbar Frieda in een gekraakt pand.
Frieda is een passieproject: we draaien volledig op vrijwilligers en onze eigen
tijd. Iedereen is van harte welkom om mee te doen en deze plek samen met ons
vorm te geven. Kom langs voor een evenement, bij de bouwdag of voor een snack! '
prev: unrepair-cafe-ewaste-walk
recurrent: null
resources: []
slug: snackbar-frieda-opening
start_datetime: 1738418400
tags:
- snacks
- rotterdam
- frieda
- free
title: Snackbar Frieda Opening!
---
<p>With great enthusiasm we are announcing the opening of Snackbar Frieda! Frieda is not just any snackbar. We hand out snacks on a donation basis, which means in return for any contribution you like. We strive for a world where food is a shared good rather than a means to profit. Snackbar Frieda is based in a squatted space, because we believe empty spaces in the city should be used for the common good. This project is an experiment to see what life&nbsp;can look like when we take care of each other and our city's needs, through self-organization and solidarity. It is a labor of love, entirely volunteer-run. That means that&nbsp;were welcoming YOU to join and build this place together with us! Come by for an event, a build day or a snack!</p><p>Vol enthousiasme openen wij snackbar Frieda! Frieda is niet zomaar een snackbar. We werken op donatiebasis, snacks zijn gratis of je doneert wat je kan missen. In onze ideale wereld is eten een gedeeld goed dat wordt ingezet voor verbinding, niet voor winst. Met dit project willen we experimenteren met verschillende manieren van samenleven; door zelf te organiseren met solidariteit en zorg voor elkaar en de stad. Omdat Rotterdam volstaat met lege gebouwen die gebruikt kunnen en moeten worden, zit Snackbar Frieda in een gekraakt pand. Frieda is een passieproject: we draaien volledig op vrijwilligers en onze eigen tijd. Iedereen is van harte welkom om mee te doen en deze plek samen met ons vorm te geven.&nbsp;Kom langs voor een evenement, bij de bouwdag of voor een snack!&nbsp;</p>

View File

@ -0,0 +1,87 @@
---
boost: []
description: <p>Snackbar is open! Come hang out and grab a snack between 16:00 and
20:00!<br>Starting 20:00:<strong> Rebetiko Concert Mosaic<br></strong>Athina Koumela,
Katerina, and Athina Anagnostou are together Mosaic, a newly formed Rebetiko band.
Rebetiko is a genre of urban Greek folk music from the 1920s to the 1950s with songs
often revolve around love, drugs, immigration, and poverty. Mosaic shares with the
audience the experiences of solidarity and collectivity that have come with learning
how to play it.</p><p>Snackbar is open! Kom gezellig langs en pak een snack tussen
16:00 en 20:00!<br>Start 20:00:<strong> Rebetiko Concert Mosaic<br></strong>Athina
Koumela, Katerina, en Athina Anagnostou vormen samen Mosaic, een onlangs gevormde
Rebetico band. Rebetico is een stroming stedelijke Griekse volksmuziek met zijn
hoogtij tussen de jaren twintig en vijftig. De muziek draait vaak om themas zoals
liefde, drugs, immigratie, en armoede. Mosaic deelt de ervaringen van solidatiteit
en collectiviteit met het publiek, die zijn ontstaan tijdens het levern spelen van
deze muziek.</p>
end_datetime: 1741381200
id: 44
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 0
- 0
height: 1200
name: Snackbar is open & Rebetiko Concert Mosaic
size: 129218
url: 850baddb5cac1d38a7166199f77a39cb.jpg
width: 1200
multidate: false
next: feminist-snackbar-evening-feminist-snackbar-avond
online_locations: ''
parent: null
parentId: null
place:
address: Bajonetstraat 49, 3014 ZC Rotterdam
id: 7
latitude: null
longitude: null
name: Snackbar Frieda
plain_description: 'Snackbar is open! Come hang out and grab a snack between 16:00
and 20:00!
Starting 20:00: Rebetiko Concert Mosaic
Athina Koumela, Katerina, and Athina Anagnostou are together Mosaic, a newly
formed Rebetiko band. Rebetiko is a genre of urban Greek folk music from the
1920s to the 1950s with songs often revolve around love, drugs, immigration, and
poverty. Mosaic shares with the audience the experiences of solidarity and
collectivity that have come with learning how to play it.
Snackbar is open! Kom gezellig langs en pak een snack tussen 16:00 en 20:00!
Start 20:00: Rebetiko Concert Mosaic
Athina Koumela, Katerina, en Athina Anagnostou vormen samen Mosaic, een onlangs
gevormde Rebetico band. Rebetico is een stroming stedelijke Griekse volksmuziek
met zijn hoogtij tussen de jaren twintig en vijftig. De muziek draait vaak om
themas zoals liefde, drugs, immigratie, en armoede. Mosaic deelt de ervaringen
van solidatiteit en collectiviteit met het publiek, die zijn ontstaan tijdens
het levern spelen van deze muziek.'
prev: klankschool-community-gathering
recurrent: null
resources: []
slug: snackbar-is-open-and-rebetiko-concert-mosaic
start_datetime: 1741359600
tags:
- snackbarfrieda
- food
- rebetiko
title: Snackbar is open & Rebetiko Concert Mosaic
---
<p>Snackbar is open! Come hang out and grab a snack between 16:00 and 20:00!<br>Starting 20:00:<strong> Rebetiko Concert Mosaic<br></strong>Athina Koumela, Katerina, and Athina Anagnostou are together Mosaic, a newly formed Rebetiko band. Rebetiko is a genre of urban Greek folk music from the 1920s to the 1950s with songs often revolve around love, drugs, immigration, and poverty. Mosaic shares with the audience the experiences of solidarity and collectivity that have come with learning how to play it.</p><p>Snackbar is open! Kom gezellig langs en pak een snack tussen 16:00 en 20:00!<br>Start 20:00:<strong> Rebetiko Concert Mosaic<br></strong>Athina Koumela, Katerina, en Athina Anagnostou vormen samen Mosaic, een onlangs gevormde Rebetico band. Rebetico is een stroming stedelijke Griekse volksmuziek met zijn hoogtij tussen de jaren twintig en vijftig. De muziek draait vaak om themas zoals liefde, drugs, immigratie, en armoede. Mosaic deelt de ervaringen van solidatiteit en collectiviteit met het publiek, die zijn ontstaan tijdens het levern spelen van deze muziek.</p>

View File

@ -0,0 +1,115 @@
---
boost: []
description: '<p>XPUB1 (first-year students of the Piet Zwart Institutes Experimental
Publishing MA) invite you to participate in their first collective public appearance:
a moment of making things (public). This event is free!</p><p>They write: “Through
a series of experiments at Radio WORM, weve been asking ourselves: What is radio?
What does it mean to “go live” and perform together? Imagine the thrill—and the
nerves—of creating something live, using your voice, thoughts, and experimental
sounds that use little to no conventional means of expression.</p><p>“We invite
you into a communal space where such moments can be lived together, stretching the
boundaries of connections through DIY sounds and self-made protocols. These protocols
arent just guidelines telling us what to do; theyre creative proposals that open
up space for improvisation and re-invention. We see them as tools for collaborative
engagement, empowering all of us to create in the moment and transform live sound
together.”</p><p>So jump in for recording, transforming and performing sound with
XPUB1! This event is for anyone who appreciates the raw, transformative power of
sound. Join in shaping a live moment of collective expression, where live sound
performance is felt, shared, and re-imagined together.</p><p>The results of these
collective audio experiments will be recorded onsite, and possibly used as materials
for future episodes of the collectives weekly radio show, that you can hear every
Monday from 10am-12pm until the end of this academic year.</p><p>This event is made
possible with the financial support of the Network for Archives of Design and Digital
Culture</p>'
end_datetime: 1732129200
id: 13
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 0
- 0
height: 560
name: 'Sounds of Making: XPUB1 presents Protocols for Collective Performance'
size: 194599
url: c52eafad6986d73becef0e37a2462e7c.jpg
width: 1000
multidate: false
next: lets-unrepair-things-together-3
online_locations: ''
parent: null
parentId: null
place:
address: Boomgaardsstraat 71, 3012 XA Rotterdam
id: 5
latitude: null
longitude: null
name: Worm
plain_description: 'XPUB1 (first-year students of the Piet Zwart Institutes Experimental
Publishing
MA) invite you to participate in their first collective public appearance: a
moment of making things (public). This event is free!
They write: “Through a series of experiments at Radio WORM, weve been asking
ourselves: What is radio? What does it mean to “go live” and perform together?
Imagine the thrill—and the nerves—of creating something live, using your voice,
thoughts, and experimental sounds that use little to no conventional means of
expression.
“We invite you into a communal space where such moments can be lived together,
stretching the boundaries of connections through DIY sounds and self-made
protocols. These protocols arent just guidelines telling us what to do; theyre
creative proposals that open up space for improvisation and re-invention. We see
them as tools for collaborative engagement, empowering all of us to create in
the moment and transform live sound together.”
So jump in for recording, transforming and performing sound with XPUB1! This
event is for anyone who appreciates the raw, transformative power of sound. Join
in shaping a live moment of collective expression, where live sound performance
is felt, shared, and re-imagined together.
The results of these collective audio experiments will be recorded onsite, and
possibly used as materials for future episodes of the collectives weekly radio
show, that you can hear every Monday from 10am-12pm until the end of this
academic year.
This event is made possible with the financial support of the Network for
Archives of Design and Digital Culture'
prev: extratonal-infrastructure-16-qoa-en-primeiro
recurrent: null
resources: []
slug: sounds-of-making-xpub1-presents-protocols-for-collective-performance
start_datetime: 1732111200
tags:
- radio
- worm
title: 'Sounds of Making: XPUB1 presents Protocols for Collective Performance'
---
<p>XPUB1 (first-year students of the Piet Zwart Institutes Experimental Publishing MA) invite you to participate in their first collective public appearance: a moment of making things (public). This event is free!</p><p>They write: “Through a series of experiments at Radio WORM, weve been asking ourselves: What is radio? What does it mean to “go live” and perform together? Imagine the thrill—and the nerves—of creating something live, using your voice, thoughts, and experimental sounds that use little to no conventional means of expression.</p><p>“We invite you into a communal space where such moments can be lived together, stretching the boundaries of connections through DIY sounds and self-made protocols. These protocols arent just guidelines telling us what to do; theyre creative proposals that open up space for improvisation and re-invention. We see them as tools for collaborative engagement, empowering all of us to create in the moment and transform live sound together.”</p><p>So jump in for recording, transforming and performing sound with XPUB1! This event is for anyone who appreciates the raw, transformative power of sound. Join in shaping a live moment of collective expression, where live sound performance is felt, shared, and re-imagined together.</p><p>The results of these collective audio experiments will be recorded onsite, and possibly used as materials for future episodes of the collectives weekly radio show, that you can hear every Monday from 10am-12pm until the end of this academic year.</p><p>This event is made possible with the financial support of the Network for Archives of Design and Digital Culture</p>

View File

@ -0,0 +1,49 @@
---
boost: []
description: <p>Come along to a low-key hangout where we sometimes repair stuff</p><p>See
<a target="_blank" href="https://unrepair.klank.school/">unrepair.klank.school</a>
for more details</p>
end_datetime: 1736456400
id: 23
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 0
- 0
height: 789
name: (Un)Repair Cafe
size: 284414
url: 58b176cdbbf8f949537160d701393ba4.jpg
width: 1200
multidate: false
next: unrepair-cafe-server-tour
online_locations: ''
parent: null
parentId: null
place:
address: Catullusweg 11
id: 1
latitude: 51.8766465
longitude: 4.5242688
name: Catu
plain_description: 'Come along to a low-key hangout where we sometimes repair stuff
See unrepair.klank.school [https://unrepair.klank.school/] for more details'
prev: unrepair-cafe
recurrent: null
resources: []
slug: unrepair-cafe-1
start_datetime: 1736442000
tags:
- klankschool
- noise
- repair
title: (Un)Repair Cafe
---
<p>Come along to a low-key hangout where we sometimes repair stuff</p><p>See <a target="_blank" href="https://unrepair.klank.school/">unrepair.klank.school</a> for more details</p>

View File

@ -0,0 +1,49 @@
---
boost: []
description: <p>Come along to a low-key hangout where we sometimes repair stuff</p><p>See
<a target="_blank" href="https://unrepair.klank.school/">unrepair.klank.school</a>
for more details</p>
end_datetime: 1737666000
id: 24
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 0
- 0
height: 789
name: (Un)Repair Cafe
size: 284414
url: 4e3461a8b3685c53145c2e2c7d6a056f.jpg
width: 1200
multidate: false
next: null
online_locations: ''
parent: null
parentId: null
place:
address: Catullusweg 11
id: 1
latitude: 51.8766465
longitude: 4.5242688
name: Catu
plain_description: 'Come along to a low-key hangout where we sometimes repair stuff
See unrepair.klank.school [https://unrepair.klank.school/] for more details'
prev: unrepair-cafe-server-tour
recurrent: null
resources: []
slug: unrepair-cafe-2
start_datetime: 1737651600
tags:
- klankschool
- noise
- repair
title: (Un)Repair Cafe
---
<p>Come along to a low-key hangout where we sometimes repair stuff</p><p>See <a target="_blank" href="https://unrepair.klank.school/">unrepair.klank.school</a> for more details</p>

View File

@ -0,0 +1,69 @@
---
boost: []
description: <p>Om de donderdag klust een groep (geluids)kunstenaars, computernerds
en professionele slopers in Catu. Kom langs met of zonder kapotte apparatuur—samen
vinden we wel een oplossing!</p><p>(we spreken Nederlands en Engels)</p><p>&nbsp;</p><p>Every
other Thursday, a group of (sound) artists, computer nerds and professional demolition
workers work in Catu. Come by with or without broken equipment together we will
find a solution!</p><p>(we speak Dutch and English)</p>
end_datetime: 1740690000
id: 32
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 0
- 0
height: 861
name: (Un)Repair Cafe
size: 100455
url: 4d0c6d973c63a3857d6921de30268023.jpg
width: 1200
multidate: false
next: klankschool-community-gathering
online_locations: ''
parent: null
parentId: null
place:
address: Catullusweg 11
id: 1
latitude: 51.8766465
longitude: 4.5242688
name: Catu
plain_description: 'Om de donderdag klust een groep (geluids)kunstenaars, computernerds
en
professionele slopers in Catu. Kom langs met of zonder kapotte apparatuur—samen
vinden we wel een oplossing!
(we spreken Nederlands en Engels)
 
Every other Thursday, a group of (sound) artists, computer nerds and
professional demolition workers work in Catu. Come by with or without broken
equipment together we will find a solution!
(we speak Dutch and English)'
prev: 4-avond
recurrent: null
resources: []
slug: unrepair-cafe-3
start_datetime: 1740672000
tags:
- repair
- sound
title: (Un)Repair Cafe
---
<p>Om de donderdag klust een groep (geluids)kunstenaars, computernerds en professionele slopers in Catu. Kom langs met of zonder kapotte apparatuur—samen vinden we wel een oplossing!</p><p>(we spreken Nederlands en Engels)</p><p>&nbsp;</p><p>Every other Thursday, a group of (sound) artists, computer nerds and professional demolition workers work in Catu. Come by with or without broken equipment together we will find a solution!</p><p>(we speak Dutch and English)</p>

View File

@ -0,0 +1,56 @@
---
boost: []
description: <p>Om de donderdag klust een groep (geluids)kunstenaars, computernerds
en professionele slopers in Catu. Kom langs met of zonder kapotte apparatuur</p><p>Every
other Thursday, a group of (sound) artists, computer nerds and professional demolition
workers work in Catu. Come by with or without broken equipment</p>
end_datetime: 1741899600
id: 49
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 0
- 0
height: 861
name: (Un)Repair Cafe
size: 116012
url: eadbe45ec9ca4d7ac2ccd9075cf0afdf.jpg
width: 1200
multidate: false
next: extratonal-special-41-graphic-scores
online_locations: ''
parent: null
parentId: null
place:
address: Catullusweg 11
id: 1
latitude: 51.8766465
longitude: 4.5242688
name: Catu
plain_description: 'Om de donderdag klust een groep (geluids)kunstenaars, computernerds
en
professionele slopers in Catu. Kom langs met of zonder kapotte apparatuur
Every other Thursday, a group of (sound) artists, computer nerds and
professional demolition workers work in Catu. Come by with or without broken
equipment'
prev: graphics-without-the-cloud-grafischbeeld-zonder-de-cloud
recurrent: null
resources: []
slug: unrepair-cafe-4
start_datetime: 1741885200
tags:
- klankschool
- repair
title: (Un)Repair Cafe
---
<p>Om de donderdag klust een groep (geluids)kunstenaars, computernerds en professionele slopers in Catu. Kom langs met of zonder kapotte apparatuur</p><p>Every other Thursday, a group of (sound) artists, computer nerds and professional demolition workers work in Catu. Come by with or without broken equipment</p>

View File

@ -0,0 +1,56 @@
---
boost: []
description: <p>Om de donderdag klust een groep (geluids)kunstenaars, computernerds
en professionele slopers in Catu. Kom langs met of zonder kapotte apparatuur</p><p>Every
other Thursday, a group of (sound) artists, computer nerds and professional demolition
workers work in Catu. Come by with or without broken equipment</p>
end_datetime: 1743109200
id: 50
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 0
- 0
height: 861
name: (Un)Repair Cafe
size: 116053
url: da174e6f774270426497651faaca5705.jpg
width: 1200
multidate: false
next: creme-de-la-creme-pen-plotting-and-dance-performances
online_locations: ''
parent: null
parentId: null
place:
address: Catullusweg 11
id: 1
latitude: 51.8766465
longitude: 4.5242688
name: Catu
plain_description: 'Om de donderdag klust een groep (geluids)kunstenaars, computernerds
en
professionele slopers in Catu. Kom langs met of zonder kapotte apparatuur
Every other Thursday, a group of (sound) artists, computer nerds and
professional demolition workers work in Catu. Come by with or without broken
equipment'
prev: interrupcion-los-piranas-fuego-e-cumbia-el-javier_b
recurrent: null
resources: []
slug: unrepair-cafe-5
start_datetime: 1743093000
tags:
- klankschool
- repair
title: (Un)Repair Cafe
---
<p>Om de donderdag klust een groep (geluids)kunstenaars, computernerds en professionele slopers in Catu. Kom langs met of zonder kapotte apparatuur</p><p>Every other Thursday, a group of (sound) artists, computer nerds and professional demolition workers work in Catu. Come by with or without broken equipment</p>

View File

@ -0,0 +1,53 @@
---
boost: []
description: <p>So many machines. So many possibilities....</p><p>Join us at Catu
on Jan 30th (18h) to discuss building a datacenter with second-hand computers.</p><p></p>
end_datetime: 1738270800
id: 29
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 0
- 0
height: 841
name: '(Un)Repair Cafe: Let''s build a datacenter'
size: 202204
url: 7f8e25147a6adf530b00bfb32e9dbaa3.jpg
width: 1200
multidate: false
next: snackbar-frieda-opening
online_locations: ''
parent: null
parentId: null
place:
address: Catullusweg 11
id: 1
latitude: 51.8766465
longitude: 4.5242688
name: Catu
plain_description: 'So many machines. So many possibilities....
Join us at Catu on Jan 30th (18h) to discuss building a datacenter with
second-hand computers.
'
prev: 25-hour-radio-relay
recurrent: null
resources: []
slug: unrepair-cafe-ewaste-walk
start_datetime: 1738256400
tags:
- repair
- ewaste
- datacenter
title: '(Un)Repair Cafe: Let''s build a datacenter'
---
<p>So many machines. So many possibilities....</p><p>Join us at Catu on Jan 30th (18h) to discuss building a datacenter with second-hand computers.</p><p></p>

View File

@ -0,0 +1,48 @@
---
boost: []
description: <p>Join us at Catu on January 16th for a tour of the klankschool server.</p><p>Threre
will also be some games on the theme of software.</p>
end_datetime: 1737061200
id: 25
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 0
- 0
height: 1600
name: '(Un)repair cafe: Server Tour +'
size: 480128
url: 2998f35d7ebacd633144798ac4b6af74.jpg
width: 1200
multidate: false
next: unrepair-cafe-2
online_locations: ''
parent: null
parentId: null
place:
address: Catullusweg 11
id: 1
latitude: 51.8766465
longitude: 4.5242688
name: Catu
plain_description: 'Join us at Catu on January 16th for a tour of the klankschool
server.
Threre will also be some games on the theme of software.'
prev: unrepair-cafe-1
recurrent: null
resources: []
slug: unrepair-cafe-server-tour
start_datetime: 1737046800
tags:
- klankschool
- server
title: '(Un)repair cafe: Server Tour + more'
---
<p>Join us at Catu on January 16th for a tour of the klankschool server.</p><p>Threre will also be some games on the theme of software.</p>

View File

@ -0,0 +1,49 @@
---
boost: []
description: <p>Come along to a low-key hangout where we sometimes repair stuff</p><p>See
<a target="_blank" href="https://unrepair.klank.school">unrepair.klank.school</a>
for more details</p>
end_datetime: 1735851600
id: 22
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 0
- 0
height: 789
name: (Un)Repair Cafe
size: 284364
url: 762aca6eda6c23508e3951414fe65167.jpg
width: 1200
multidate: false
next: unrepair-cafe-1
online_locations: ''
parent: null
parentId: null
place:
address: Catullusweg 11
id: 1
latitude: 51.8766465
longitude: 4.5242688
name: Catu
plain_description: 'Come along to a low-key hangout where we sometimes repair stuff
See unrepair.klank.school [https://unrepair.klank.school] for more details'
prev: lets-unrepair-things-together-8
recurrent: null
resources: []
slug: unrepair-cafe
start_datetime: 1735837200
tags:
- klankschool
- noise
- repair
title: (Un)Repair Cafe
---
<p>Come along to a low-key hangout where we sometimes repair stuff</p><p>See <a target="_blank" href="https://unrepair.klank.school">unrepair.klank.school</a> for more details</p>

View File

@ -0,0 +1,122 @@
---
boost:
- https://gts.varia.zone/users/varia
description: '<p>Join us at <strong>Varia</strong> for <em>Water of Love</em>, the
second phase of Valentina Vellas long-term project <em>School of Love and Chaos
(</em>after <em>Bad at Love</em>, a performance with Luke Deane that took place
in March 2024 at Paviljoen aan het water).</p><p><em>School of Love and Chaos </em>weaves
together themes of love and ecological threats through autofictional storytelling,
science fiction, poetry, and performance, using cities closely linked to water—Rotterdam,
New Orleans, Venice, and Rome—as its narrative landscapes. The threat of annihilation
(the fear of losing physical and/or emotional control) is its narrative engine.
At the core of this project lies a question: is there a significant correspondence
between the material infrastructures we live surrounded by, and our intimate lives?
How do the ways we, in the West, tend to handle physical survival—particularly in
the face of ecological threats like flooding that are exacerbated by climate change—relate
to how we manage romantic relationships, friendships, and community bonds? How does
that feel in our bodies and in the body of these imaginary and autofictional characters?</p><p><em>Water
of Love</em> focuses more specifically on the many ways the Netherlands has tried
to keep nature at bay. What does that do to our love life? Does the ocean have any
opinions about the Dutch? Why does the Balgstuw Ramspol look like a gigantic condom?</p><p>There
will be readings, there will be music, there will be completely improvised moments
and there will be time to ask and answer questions!</p><p>Supported by <a target="_blank"
href="http://www.cbkrotterdam.nl/"><u>CBK Rotterdam</u></a> (Centre for Visual Arts
Rotterdam)</p><p>with Valentina Vella, mitsitron, Stephen Kerr and other Klankschool
folks</p><p>with the kind support of Amy Gowen (HumDrumPress) as wrangler</p>'
end_datetime: 1737149400
id: 26
image_path: null
isAnon: false
isMine: false
is_visible: true
likes: []
media:
- focalpoint:
- 0
- 0
height: 604
name: Water of Love
size: 210847
url: d1855a7804a57e27b82723ba9cec94b4.jpg
width: 750
multidate: false
next: unrepair-cafe-2
online_locations: ''
parent: null
parentId: null
place:
address: Gouwstraat 3
id: 4
latitude: null
longitude: null
name: Varia
plain_description: 'Join us at Varia for Water of Love, the second phase of Valentina
Vellas
long-term project School of Love and Chaos (after Bad at Love, a performance
with Luke Deane that took place in March 2024 at Paviljoen aan het water).
School of Love and Chaos weaves together themes of love and ecological threats
through autofictional storytelling, science fiction, poetry, and performance,
using cities closely linked to water—Rotterdam, New Orleans, Venice, and Rome—as
its narrative landscapes. The threat of annihilation (the fear of losing
physical and/or emotional control) is its narrative engine. At the core of this
project lies a question: is there a significant correspondence between the
material infrastructures we live surrounded by, and our intimate lives? How do
the ways we, in the West, tend to handle physical survival—particularly in the
face of ecological threats like flooding that are exacerbated by climate
change—relate to how we manage romantic relationships, friendships, and
community bonds? How does that feel in our bodies and in the body of these
imaginary and autofictional characters?
Water of Love focuses more specifically on the many ways the Netherlands has
tried to keep nature at bay. What does that do to our love life? Does the ocean
have any opinions about the Dutch? Why does the Balgstuw Ramspol look like a
gigantic condom?
There will be readings, there will be music, there will be completely improvised
moments and there will be time to ask and answer questions!
Supported by CBK Rotterdam [http://www.cbkrotterdam.nl/] (Centre for Visual Arts
Rotterdam)
with Valentina Vella, mitsitron, Stephen Kerr and other Klankschool folks
with the kind support of Amy Gowen (HumDrumPress) as wrangler'
prev: unrepair-cafe-server-tour
recurrent: null
resources: []
slug: water-of-love
start_datetime: 1737138600
tags:
- performance
- sound
- varia
- water
title: Water of Love
---
<p>Join us at <strong>Varia</strong> for <em>Water of Love</em>, the second phase of Valentina Vellas long-term project <em>School of Love and Chaos (</em>after <em>Bad at Love</em>, a performance with Luke Deane that took place in March 2024 at Paviljoen aan het water).</p><p><em>School of Love and Chaos </em>weaves together themes of love and ecological threats through autofictional storytelling, science fiction, poetry, and performance, using cities closely linked to water—Rotterdam, New Orleans, Venice, and Rome—as its narrative landscapes. The threat of annihilation (the fear of losing physical and/or emotional control) is its narrative engine. At the core of this project lies a question: is there a significant correspondence between the material infrastructures we live surrounded by, and our intimate lives? How do the ways we, in the West, tend to handle physical survival—particularly in the face of ecological threats like flooding that are exacerbated by climate change—relate to how we manage romantic relationships, friendships, and community bonds? How does that feel in our bodies and in the body of these imaginary and autofictional characters?</p><p><em>Water of Love</em> focuses more specifically on the many ways the Netherlands has tried to keep nature at bay. What does that do to our love life? Does the ocean have any opinions about the Dutch? Why does the Balgstuw Ramspol look like a gigantic condom?</p><p>There will be readings, there will be music, there will be completely improvised moments and there will be time to ask and answer questions!</p><p>Supported by <a target="_blank" href="http://www.cbkrotterdam.nl/"><u>CBK Rotterdam</u></a> (Centre for Visual Arts Rotterdam)</p><p>with Valentina Vella, mitsitron, Stephen Kerr and other Klankschool folks</p><p>with the kind support of Amy Gowen (HumDrumPress) as wrangler</p>

25
src/content/index.md Normal file
View File

@ -0,0 +1,25 @@
---
title: "Let's unrepair together"
---
# Let's unrepair together
Do you dig trough trash only to find treasure? Are you interested in building servers? Do you take the shop out of photoshop? Is a printer jam your kind of jam? Come hang at the (un)repair cafe!
{{ events upcoming repair }}
### Past hangouts
{{ events passed repair}}
## Logs
psst... Got something to share? email it to [mailto:computer@klank.school](computer@klank.school) and we'll put it up here
![klankschool](/assets/repair-logs/klankschool.webm)
![laptops](/assets/repair-logs/laptops.webp)
![network](/assets/repair-logs/network.webp)
![pokemon](/assets/repair-logs/pokemon.webp)
![server](/assets/repair-logs/server.webp)
![video](/assets/repair-logs/video.webp)
![voicemail](/assets/repair-logs/voicemail.webp)

View File

@ -0,0 +1,8 @@
---
layout: post
title: 31st October 2024
description: This is the description
---
Repaired an audio amplifier by replacing a switch, a megaphone by cleaning the battery ports, and discovered the fireworks that is blown fuses.

View File

@ -0,0 +1,10 @@
---
layout: post
title: 28th November 2024
description: Repair Log
---
There were five of us today
- The openproject instance now sends email notifications.

73
src/templates/base.jinja Normal file
View File

@ -0,0 +1,73 @@
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1">
<link rel="stylesheet" type="text/css" href="/assets/styles/layout.css">
<link rel="stylesheet" type="text/css" href="/assets/styles/typography.css">
<link rel="stylesheet" type="text/css" href="/assets/styles/style.css">
<meta name="format-detection" content="telephone=no">
<meta name="apple-mobile-web-app-capable" content="yes">
<meta name="apple-mobile-web-app-status-bar-style" content="black">
<link rel="shortcut icon" type="image/x-icon" href="/assets/favicon.ico">
<link rel="apple-touch-icon" sizes="76x76" href="/assets/apple-touch-icon.png">
<link rel="icon" type="image/png" sizes="32x32" href="/assets/favicon-32x32.png">
<link rel="icon" type="image/png" sizes="16x16" href="/assets/favicon-16x16.png">
<link rel="manifest" href="/site.webmanifest">
<link rel="mask-icon" href="/assets/safari-pinned-tab.svg" color="#5bbad5">
<meta name="msapplication-TileColor" content="#ffc40d">
<meta name="theme-color" content="#000">
<meta name="keywords" content="">
<meta name="robots" content="noarchive, noimageindex">
<link rel="preconnect" href="https://fonts.googleapis.com">
<link rel="preconnect" href="https://fonts.gstatic.com" crossorigin>
<link href="https://fonts.googleapis.com/css2?family=Fira+Sans:ital,wght@0,100;0,200;0,300;0,400;0,500;0,600;0,700;0,800;0,900;1,100;1,200;1,300;1,400;1,500;1,600;1,700;1,800;1,900&display=swap" rel="stylesheet">
<!-- TODO make local-->
{% block title %}
{%- if page['title'] -%}
<title>{{ page['title'] }}</title>
{%- else -%}
<title>I dont have a title</title>
{%- endif -%}
{% endblock %}
</head>
<body>
<main>
<section>
{%- block content %}{% endblock -%}
</section>
{% block aside %}
<aside>
{% macro render_list(name, title) -%}
{% if documents[name]|length > 0 %}
<h3>{{ title}}</h3>
<ul>
{% for item in documents[name] %}
<li>
<a href="/{{ name }}/{{ item['slug'] }}.html">{{ item['title'] }}</a>
</li>
{% endfor %}
</ul>
{% endif %}
{%- endmacro %}
<p>{{ render_list('repair-logs', 'Repair Logs') }}</p>
<p>{{ render_list('events', 'Events') }}</p>
{% block footer %}
<p>Find the code on Klankservers <a target="_blank"
href="https://code.klank.school/vitrinekast/klank-docs">Git!</a>.</p>
{% endblock %}
</aside>
{% endblock %}
</main>
<dialog>
<img src="" alt="">
<p></p>
</dialog>
</body>
<script type="text/javascript" src="/assets/app.js"></script>
</html>

View File

@ -0,0 +1,34 @@
{% extends "base.jinja" %}
{% from 'snippets/inventory.jinja' import inventory with context %}
{% block content %}
<article>
<section template-type="spread-left">
<header>
<h1>{{page['title']}}</h1>
<h5>Also known as {{page['alsoKnownAs']}}</h5>
</header>
{% if page['image'] %}<img src="{{ page['image'] }}" alt="" />{% endif %}
<dl>
<dt>Material</dt>
<dd>{{page['material']}}</dd>
<dt>Usage</dt>
<dd>{{page['usage']}}</dd>
<dt>Typically found in</dt>
<dd>{{page['whereToFind']}}</dd>
<dt>Schematic symbol</dt>
<dd><img src="{{page['schematicSymbol']}}" /></dd>
</dl>
</section>
<section template-type="spread-right">
{{inventory("type", (page.type.capitalize() | slugify)) }}
{{ page['body'] | shortcode }}
</section>
</article>
{% endblock %} {% block aside %} {% endblock %}

11
src/templates/index.jinja Normal file
View File

@ -0,0 +1,11 @@
{% extends "base.jinja" %}
{% block content %}
<article>
{{ page['body'] | shortcode }}
</article>
{% endblock %}
{% block aside %} {% endblock %}

View File

@ -0,0 +1,57 @@
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1">
<meta name="format-detection" content="telephone=no">
<meta name="apple-mobile-web-app-capable" content="yes">
<meta name="apple-mobile-web-app-status-bar-style" content="black">
<link rel="shortcut icon" type="image/x-icon" href="/assets/favicon.ico">
<link rel="apple-touch-icon" sizes="76x76" href="/assets/apple-touch-icon.png">
<link rel="icon" type="image/png" sizes="32x32" href="/assets/favicon-32x32.png">
<link rel="icon" type="image/png" sizes="16x16" href="/assets/favicon-16x16.png">
<link rel="manifest" href="/site.webmanifest">
<link rel="mask-icon" href="/assets/safari-pinned-tab.svg" color="#5bbad5">
<meta name="msapplication-TileColor" content="#ffc40d">
<meta name="theme-color" content="#000">
<meta name="keywords" content="">
<meta name="robots" content="noarchive, noimageindex">
<style>
body {
max-width: 800px;
margin: 2rem auto;
font-family: sans-serif;
}
</style>
{% block title %}
{% if page['title'] %}
<title>{{ page['title'] }}</title>
{% else %}
<title>The title</title>
{% endif %}
{% endblock %}
</head>
</head>
<body>
settings for newssletter only {{ name }}
<main>
<section>
<article>
{{ page['body'] | shortcode }}
</article>
</section>
</main>
</body>
</html>

48
src/templates/post.jinja Normal file
View File

@ -0,0 +1,48 @@
{% extends "base.jinja" %}
{% from 'snippets/inventory.jinja' import inventory with context %}
{% block content %}
<article>
<header>
<h1>{{page['title']}}</h1>
{% if page['start_datetime'] %}
<h4 class="date">{{ page['start_datetime'] | prettydate }} </h4>
{% endif %}
</header>
{% if page['image'] %}
<img src="{{ page['image'] }}" alt="" />
{% endif %}
{% if page['schematic'] %}
<img src="{{ page['schematic'] }}" alt="" />
{% endif %}
{% if page['media'] %}
<img src="https://calendar.klank.school/media/thumb/{{ page['media'][0]['url'] }}" alt="" />
{% endif %}
{% if page.pdf %}
<p class="no-print">
<i>Download this chapter as a <a href="{{ page.pdf }}">PDF</a></i>
</p>
{% endif %}
{{ page['body'] | shortcode }}
{% if page.folder == "devices" %}
<h2>Parts salvaged from this device</h2>
{{ inventory("Where", ( page.title.capitalize() | slugify )) }}
{% endif %}
{% if page.folder == "components" %}
{{inventory("type", (page.type.capitalize() | slugify)) }}
{% endif %}
</article>
{% endblock %} {% block aside %} {% endblock %}

View File

@ -0,0 +1,48 @@
{%- macro inventory(compare, compareWith) -%}
{%- set ns = namespace(has_inventory=false) -%}
{%- for item in documents.inventory -%}
{%- if (item[compare]) -%}
{%- if (item[compare].capitalize() | slugify) == (compareWith.capitalize() | slugify) -%}
{%- set ns.has_inventory = true -%}
{%- endif -%}
{%- endif -%}
{%- endfor -%}
{%- if ns.has_inventory -%}
<table>
<thead>
<tr>
<th>Name</th>
<th>Value</th>
<th>type</th>
<th>Where</th>
<th>When</th>
</tr>
</thead>
<tbody>
{%- for item in documents.inventory -%}
{%- if (item[compare]) -%}
{%- if (item[compare].capitalize() | slugify)== compareWith -%}
<tr>
<td>{{item.Name}}</td>
<td>{{item.Value}}</td>
<td><a href="/components/{{item.type | slugify}}.html">{{item.type}}</a></td>
<td><a href="/devices/{{item.Where | slugify}}.html">{{item.Where}}</a></td>
<td>{{item.Date}}</td>
</tr>
{%- endif -%}
{%- else -%}
other {{compare}} {{item}}
{%- endif -%}
{%- endfor -%}
</tbody>
</table>
{%- else -%}
No components were identified yet {{compare}} {{compareWith}}
{%- endif -%}
{%- endmacro -%}

View File

@ -0,0 +1,32 @@
{% if documents[type]|length > 0 %}
<ul class='list--{{ layout }}'>
{% for item in documents[type]|sort(attribute="filename") %}
<li class="list__item">
{% if layout == "list" %}
<span class="date">{{ item['start_datetime'] | prettydate }} </span>
<b>{{ item['title'] }}</b>
{% else %}
{% if item['image'] %}
<img src="{{ item['image'] }}" class="m-0" alt="" />
{% endif %}
<h5 class="m-0" ><a href="/{{ type }}/{{ item['slug'] }}.html">{{ item['title'] }}</a></h5>
{% if item['excerpt'] %}
<p>{{ item['excerpt'] }}</p>
{% endif %}
{% endif %}
</li>
{% endfor %}
</ul>
{% endif %}

View File

@ -0,0 +1,35 @@
{% set the_events = events|sort(attribute="start_datetime") %}
{% if filter == "upcoming" %}
{% set the_events = events|sort(attribute="start_datetime")|rejectattr("has_passed")%}
{% elif filter == "passed" %}
{% set the_events = events|sort(attribute="start_datetime", reverse=true)|selectattr("has_passed")%}
{% endif %}
{% if events|length > 0 %}
<ul class='list--list'>
{% for item in the_events %}
<li class="list__item">
<span class="date">{{ item['start_datetime'] | prettydate }} </span>
<b>{{ item['title'] }}</b>
{% if item.has_passed and item.has_log %}
<a href="/events/{{ item['slug'] }}.html" class="link">
<b>Read more</b>
</a>
{% elif not item.has_passed %}
<a href="https://calendar.klank.school/event/{{ item['slug'] }}" class="link">
Join!
</a>
{% endif %}
</li>
{% endfor %}
</ul>
{% endif %}

13
to-webp.sh Normal file
View File

@ -0,0 +1,13 @@
#!/bin/bash
if ! command -v cwebp &> /dev/null; then
echo "Error: cwebp is not installed"
exit 1
fi
for img in "src/assets/repair-logs"/*.{jpg,jpeg,png}; do
# Convert to WebP
cwebp -q 80 "$img" -o "${img%.*}.webp"
rm "$img"
done