
Page Not Found
The requested page could not be found. If you feel this is not normal, then you can create an issue on the issue tracker.
Code kopierendiff --git a/.github/copilot-instructions.md b/.github/copilot-instructions.md
new file mode 100644
index 0000000..1725587
--- /dev/null
+++ b/.github/copilot-instructions.md
@@ -0,0 +1,209 @@
+# Studio UMZU - Copilot Instructions
+
+## Project Overview
+
+This is a **Zola static site** for Studio UMZU, a Berlin-based workshop team offering maker education. The site uses the [Duckquill theme](https://duckquill.daudix.one) and is deployed with multilingual support (German primary, English secondary).
+
+## Architecture & Key Concepts
+
+### Static Site Structure
+- **Zola**: Static site generator written in Rust (similar to Hugo/Jekyll)
+- **Duckquill Theme**: Located in `themes/duckquill/`, provides templates, styles, and base functionality
+- **Content**: Markdown files in `content/` with TOML frontmatter (`+++`)
+- **Output**: Generated to `public/` directory (not version controlled)
+
+### Multilingual Setup
+- **Default language**: German (`de`) - files without suffix (e.g., `_index.md`)
+- **English**: Files with `.en.md` suffix (e.g., `_index.en.md`)
+- Language-specific content uses Zola's built-in i18n with translations in `i18n/de.toml`
+
+### Content Organization
+- **Section pages**: `_index.md` or `_index.en.md` files
+- **Single pages**: Can be either standalone `.md` files or `folder/index.md` structure
+- **Colocated assets**: Images and resources placed alongside content markdown files
+
+## Critical Developer Workflows
+
+### Building & Previewing
+```bash
+# Development server with live reload
+zola serve
+
+# Production build
+zola build
+
+# Build with specific base URL
+zola build --base-url https://studio-umzu.de/
+```
+
+The site is configured in `config.toml` with:
+- `compile_sass = true` - SCSS compilation enabled
+- `minify_html = true` - Production optimization
+- `hard_link_static = false` - Proper static file copying
+
+### Content Management Scripts
+
+The `scripts/` directory contains helper utilities:
+
+1. **`create_german_stubs.sh`**: Creates `.de.md` versions from base `.md` files
+ - Automatically prefixes titles with "Übersetzung: "
+ - Uses macOS-compatible `sed -i ''` syntax
+
+2. **`add_update_frontmatter.sh`**: Adds `updated` field to frontmatter after existing `date` field
+
+3. **`organize.sh`**: Converts ISO-dated files (`2023-06-01-post.md`) into folder structure (`2023-06-01-post/index.md`)
+
+4. **`youtube_rewrite.sh`**: Migrates old Jekyll-style video embeds to Zola shortcodes
+
+## Custom Shortcodes & Components
+
+The site extends Duckquill with custom shortcodes in `templates/shortcodes/`:
+
+### 1. **Skills** (`skills.html`)
+Renders categorized skill lists with icons. Usage in markdown:
+```markdown
+{% skills() %}
+[
+ {
+ "name": "Category Name",
+ "skills": [
+ { "name": "Skill", "icon": "fas fa-icon", "link": "https://..." }
+ ]
+ }
+]
+{% end %}
+```
+
+### 2. **Timeline** (`timeline.html`)
+Displays chronological events with dates and locations:
+```markdown
+{% timeline() %}
+[
+ {
+ "title": "Event",
+ "from": "2023-01",
+ "to": "2023-12",
+ "location": "Berlin",
+ "icon": "fas fa-map-marker",
+ "body": "Description",
+ "link": "https://..."
+ }
+]
+{% end %}
+```
+
+### 3. **Gallery** (`gallery.html`)
+Creates image galleries from JSON data:
+```markdown
+{% gallery() %}
+[
+ { "file": "image.jpg", "alt": "Description", "title": "Caption" }
+]
+{% end %}
+```
+
+### 4. **Mermaid** (`mermaid.html`)
+Embeds Mermaid.js diagrams - requires mermaid.js loaded via `config.toml` or page frontmatter
+
+All custom shortcodes use `load_data(literal = body, format="json")` to parse JSON from markdown body.
+
+## Styling System
+
+### SCSS Architecture
+- **Main**: `sass/style.scss` imports all partials
+- **Variables**: `sass/_variables.scss` defines theme tokens
+- **Custom CSS**: Added via `config.toml` extra.styles array:
+ ```toml
+ [extra]
+ styles = [
+ "/css/timeline.css",
+ "/css/mermaid.css",
+ "/css/skills.css",
+ "/css/gallery.css",
+ ]
+ ```
+
+### Theme Customization
+- Custom SCSS mods can be added in `sass/mods/` (see examples like `_modern-headings.scss`)
+- The theme supports dark/light modes with `accent_color` and `accent_color_dark` in config
+
+## Frontmatter Conventions
+
+### Required Fields
+```toml
++++
+title = "Page Title"
+description = "Meta description"
++++
+```
+
+### Common Optional Fields
+- `date = 2023-08-31` - Publication date (ISO format)
+- `updated = "2024-06-21"` - Last update date
+- `[taxonomies]` - Tags: `tags = ["Tag1", "Tag2"]`
+- `[extra]` section for theme-specific options
+
+### Extra Section Examples
+```toml
+[extra]
+toc = true # Enable table of contents
+toc_inline = true # Show TOC inline
+banner = "image.webp" # Hero image (colocated)
+go_to_top = true # Show "back to top" button
+styles = ["custom.css"] # Page-specific CSS
+scripts = ["custom.js"] # Page-specific JS
+
+[extra.comments] # Mastodon comments integration
+host = "mastodon.online"
+user = "reprintedAron"
+```
+
+## Configuration Patterns
+
+### Key Config Locations
+- **Site config**: `config.toml` (root)
+- **Theme config**: `themes/duckquill/config.toml` (reference only)
+- **Old config backup**: `old_config.toml`
+
+### Important Config Sections
+```toml
+[extra.nav]
+links = [
+ { url = "https://...", name = "Name", external = true }
+]
+
+[extra.footer]
+socials = [
+ { url = "mailto:...", name = "Email", icon = "..." }
+]
+show_copyright = true
+show_source = true
+```
+
+## Development Best Practices
+
+1. **Always run from project root**: Zola expects to be run from the directory containing `config.toml`
+
+2. **Script execution**: Helper scripts expect to be run from `scripts/` directory (use relative path `../content`)
+
+3. **macOS compatibility**: Scripts use `sed -i ''` syntax (empty string for in-place edit without backup)
+
+4. **Asset colocation**: Place images next to markdown files, reference with relative paths
+
+5. **Multilingual workflow**: Create German base content first, then English `.en.md` versions
+
+6. **Custom shortcodes**: JSON data must be valid - use arrays of objects with consistent schemas
+
+## Common Pitfalls
+
+- **Don't edit `public/`**: It's generated output, changes will be overwritten
+- **Don't modify theme files directly**: Override via `templates/` or `sass/` in project root
+- **Shortcode JSON**: Must be properly formatted arrays; missing commas or quotes will break builds
+- **Frontmatter format**: Zola uses `+++` TOML delimiters, not `---` YAML
+- **Date formats**: Use ISO 8601 (`YYYY-MM-DD`) for dates in frontmatter
+
+## External Integrations
+
+- **GoatCounter Analytics**: Configured via `[extra.goatcounter]` section
+- **Mastodon Comments**: Fetches replies from Mastodon posts via API
+- **Source Repository**: Links to Forgejo instance at `forgejo.petau.net`
diff --git a/config.toml b/config.toml
index 1690d52..59b503b 100644
--- a/config.toml
+++ b/config.toml
@@ -67,6 +67,9 @@ links = [
]
[extra.footer]
+links = [
+ { url = "@/impressum/_index.md", name = "Impressum" }
+]
socials = [
{ url = "mailto:kontakt@studio-umzu.de", name = "Email", icon = "%3Csvg role='img' viewBox='0 0 24 24' xmlns='http://www.w3.org/2000/svg'%3E%3Ctitle%3EEmail%3C/title%3E%3Cpath d='M1.5 4.5h21a1.5 1.5 0 0 1 1.5 1.5v12a1.5 1.5 0 0 1-1.5 1.5h-21A1.5 1.5 0 0 1 0 18V6a1.5 1.5 0 0 1 1.5-1.5zm10.5 7.125L2.25 6.75v.375L12 12.75l9.75-5.625V6.75l-9.75 4.875z'/%3E%3C/svg%3E" }
@@ -75,14 +78,6 @@ show_copyright = true
show_powered_by = false
show_source = true
-[extra.comments]
-host = "mastodon.online"
-user = "reprintedAron"
-show_qr = true
-
-[extra.goatcounter]
-#host = ""
-user = "awebsite"
[extra.debug]
layout = false
diff --git a/content/_index.en.md b/content/_index.en.md
index 0b94fc4..de53228 100644
--- a/content/_index.en.md
+++ b/content/_index.en.md
@@ -2,23 +2,25 @@
title = "Studio UM.ZU - Making Workshops"
description = "Shaping the future — connecting analog and digital. Book us for your next digital education workshop."
+++
-
+
{{ image(url="/logo.png", alt="Studio UM.ZU", no_hover=false, spoiler=false, start=false, full=true) }}
-
+
-
-
-
+
+
## Your Creative Workshop Team
-
+
-We are Aron Petau and Friedrich Weber Goizel — makers, artists, and passionate technology educators.
-We design and run workshops in Berlin.
+We are Aron Petau and Friedrich Weber Goizel — makers, artists, and passionate technology educators.
+
+📍 In Berlin, we design and run workshops with a focus on youth education, while also offering professional development for adults.
+
+Beyond workshops, we also conceptualize and realize complete makerspaces as physical environments and learning spaces. From initial concept to finished setup, we guide you through the process: We consult on equipment selection, assist with spatial design, and support you in building a functional and inspiring makerspace.
We bring digital practice into libraries, schools, and youth centers.
Our workshops are designed to foster creativity, curiosity, and technical skills.
@@ -28,7 +30,17 @@ We offer both mobile demonstrations and introductory events as well as in-depth
Each workshop is tailored to your needs, your audience, and your space.
-We offer:
+## Our Approach
+
+Makerspaces are more than just workshops — they are open learning environments that fundamentally differ from traditional classrooms. Instead of frontal teaching, **peer learning** is at the core: participants learn from each other, exchange ideas, and develop solutions together. Through hands-on experience, people become active, realize their ideas, and experiment in a space that embraces mistakes as part of the learning process.
+
+Our workshops serve as **scaffolding**: We create a supportive infrastructure of tools, materials, and guidance that enables participants to work and learn independently. This scaffolding provides just the right amount of support — neither too much nor too little — so that everyone can realize their own ideas.
+
+At the heart of our workshops is **self-efficacy**: We create experiences where everyone discovers that their own actions lead to tangible results. This "I did it!" moment builds confidence and motivates continued learning.
+
+We reach all participants through their **intrinsic motivation** — through topics and projects that spark their own curiosity. Our offerings are always **voluntary** and inviting, never mandatory. This creates genuine learning experiences driven by personal interest and the joy of discovery.
+
+We offer:
- Workshops on 3D printing, laser cutting, plotting, robotics, photo/video, and much more.
- Flexible formats: using your equipment or our mobile demo setups
@@ -47,10 +59,8 @@ For inquiries, bookings, or to discuss a custom workshop, write to us:
-
---
-
## Our Profiles
### Aron
@@ -69,8 +79,7 @@ In particular, within the research program [InKüLe](https://inkuele.de), Innova
In collaboration at [studio einszwovier](https://www.gvb-berlin.de/unterricht-plus/arbeitsgemeinschaften/maker-space-studio-einszwovier/) with Friedrich, Aron was also able to test his master’s thesis on design practice as a peer-learning format in school teaching.
-Here’s a detailed [bio](https://aron.petau.net/pages/cv):
-
+Here’s a detailed [bio](https://aron.petau.net/pages/cv):
### Friedrich
@@ -93,62 +102,75 @@ What matters most to him is sparking enthusiasm for technology, offering a low-t
Find out more about Friedrich [here](https://friedrichwebergoizel.com).
-
---
-
## Our combined workshop skills
{% skills() %}
[
{
- "name": "3D Design & Slicing",
+ "name": "3D Printing & Manufacturing",
"skills": [
{ "name": "Shapr3D", "icon": "fas fa-drafting-compass", "link": "https://www.shapr3d.com" },
{ "name": "Fusion 360", "icon": "fas fa-project-diagram", "link": "https://www.autodesk.com/products/fusion-360" },
{ "name": "Tinkercad", "icon": "fas fa-cubes", "link": "https://www.tinkercad.com" },
+ { "name": "Nomad Sculpt", "icon": "fas fa-hands", "link": "https://nomadsculpt.com" },
{ "name": "PrusaSlicer", "icon": "fas fa-cut", "link": "https://www.prusa3d.com/page/prusaslicer_424" },
{ "name": "Cura", "icon": "fas fa-layer-group", "link": "https://ultimaker.com/software/ultimaker-cura/" },
{ "name": "OrcaSlicer", "icon": "fas fa-fish", "link": "https://orcaslicer.com" },
- { "name": "Kiri:Moto", "icon": "fas fa-network-wired", "link": "https://grid.space/kiri/" }
+ { "name": "Kiri:Moto", "icon": "fas fa-network-wired", "link": "https://grid.space/kiri/" },
+ { "name": "Resin Printers", "icon": "fas fa-vial", "link": "https://www.prusa3d.com/product/original-prusa-sl1s-speed-3d-printer/" },
+ { "name": "Filament Printers", "icon": "fas fa-cube", "link": "https://www.prusa3d.com/product/original-prusa-mk4s-3d-printer-kit/" }
]
},
{
- "name": "Graphic Design",
+ "name": "Creative Design",
"skills": [
{ "name": "Affinity Designer", "icon": "fas fa-pencil-ruler", "link": "https://affinity.serif.com/designer/" },
{ "name": "Inkscape", "icon": "fas fa-palette", "link": "https://inkscape.org" },
{ "name": "Ink/Stitch", "icon": "fas fa-needle", "link": "https://inkstitch.org" },
{ "name": "Canva", "icon": "fas fa-paint-brush", "link": "https://www.canva.com" },
- { "name": "CoSpaces Edu", "icon": "fas fa-vr-cardboard", "link": "https://cospaces.io/edu/" }
+ { "name": "iPads", "icon": "fas fa-tablet-alt", "link": "https://www.apple.com/ipad/" }
]
},
{
- "name": "Educational Technology",
+ "name": "Robotics & Physical Computing",
"skills": [
{ "name": "Ozobot", "icon": "fas fa-robot", "link": "https://ozobot.com" },
{ "name": "Blue-Bot", "icon": "fas fa-car-side", "link": "https://www.tts-international.com/tts-blue-bot-bluetooth-programmable-floor-robot/1015269.html" },
{ "name": "Calliope mini", "icon": "fas fa-microchip", "link": "https://calliope.cc" },
{ "name": "LEGO Spike", "icon": "fas fa-cog", "link": "https://spike.legoeducation.com" },
{ "name": "LEGO WeDo", "icon": "fas fa-cogs", "link": "http://legoengineering.com/platform/wedo/index.html" },
- { "name": "DJI Drones", "icon": "fas fa-drone", "link": "https://www.dji.com" },
{ "name": "Industrial Robot Arms", "icon": "fas fa-hand-paper", "link": "https://www.universal-robots.com/products/ur5e/" }
]
},
{
- "name": "3D Printing Hardware",
+ "name": "Programming & Web",
"skills": [
- { "name": "Resin Printers", "icon": "fas fa-vial", "link": "https://www.prusa3d.com/product/original-prusa-sl1s-speed-3d-printer/" },
- { "name": "Filament Printers", "icon": "fas fa-cube", "link": "https://www.prusa3d.com/product/original-prusa-mk4s-3d-printer-kit/" }
+ { "name": "Scratch", "icon": "fas fa-cat", "link": "https://scratch.mit.edu" },
+ { "name": "MakeCode", "icon": "fas fa-code", "link": "https://www.microsoft.com/en-us/makecode" },
+ { "name": "Python", "icon": "fab fa-python", "link": "https://www.python.org" },
+ { "name": "Pandas", "icon": "fas fa-table", "link": "https://pandas.pydata.org" },
+ { "name": "Matplotlib", "icon": "fas fa-chart-line", "link": "https://matplotlib.org" },
+ { "name": "Web Development", "icon": "fas fa-laptop-code", "link": "#" }
]
},
{
- "name": "Programming",
+ "name": "Electronics & Making",
"skills": [
- { "name": "Scratch", "icon": "fas fa-cat", "link": "https://scratch.mit.edu" },
{ "name": "Makey Makey", "icon": "fas fa-plug", "link": "https://makeymakey.com" },
- { "name": "Python", "icon": "fab fa-python", "link": "https://www.python.org" },
- { "name": "Web Development", "icon": "fas fa-code", "link": "#" }
+ { "name": "Raspberry Pi", "icon": "fab fa-raspberry-pi", "link": "https://www.raspberrypi.org" },
+ { "name": "Soldering", "icon": "fas fa-fire", "link": "#" }
+ ]
+},
+{
+ "name": "AI & Digital Media",
+ "skills": [
+ { "name": "Generative Image AI", "icon": "fas fa-brain", "link": "https://stability.ai" },
+ { "name": "TouchDesigner", "icon": "fas fa-project-diagram", "link": "https://derivative.ca" },
+ { "name": "Unity", "icon": "fas fa-gamepad", "link": "https://unity.com" },
+ { "name": "CoSpaces Edu", "icon": "fas fa-vr-cardboard", "link": "https://cospaces.io/edu/" },
+ { "name": "DJI Drones", "icon": "fas fa-drone", "link": "https://www.dji.com" }
]
}
]
diff --git a/content/_index.md b/content/_index.md
index 47699a9..e46ff6c 100644
--- a/content/_index.md
+++ b/content/_index.md
@@ -2,25 +2,27 @@
title = "Studio UM.ZU - Making Workshops"
description = "Die Zukunft gestalten — Analoges und Digitales verbindend. Buchen Sie uns für Ihren nächsten Workshop in der digitalen Bildung."
+++
-
+
{{ image(url="/logo.png", alt="Studio UM.ZU", no_hover=false, spoiler=false, start=false, full=true) }}
-
+
-
-
-
+
+
## Euer Kreativ-Workshop-Team
-
+
-Wir sind Aron Petau und Friedrich Weber Goizel — Maker, Künstler und leidenschaftliche Technikvermittler.
-Wir entwickeln und veranstalten Workshops in Berlin.
+Wir sind Aron Petau und Friedrich Weber Goizel — Maker, Künstler und leidenschaftliche Technikvermittler.
-Wir bringen digitale Praxis hinein in Bibliotheken, Schulen und Jugendzentren.
+📍 In Berlin entwickeln und veranstalten wir Workshops mit Schwerpunkt auf Jugendbildung, bieten aber auch Erwachsenenfortbildung an.
+
+Neben Workshops konzipieren und realisieren wir auch komplette Makerspaces als Räume und Lernumgebungen. Von der ersten Idee bis zur Einrichtung begleiten wir euch: Wir beraten bei der Auswahl des passenden Equipments, helfen bei der Raumgestaltung und unterstützen euch dabei, einen funktionalen und inspirierenden Makerspace aufzubauen.
+
+Wir bringen digitale Praxis hinein in Bibliotheken, Schulen und Jugendzentren.
Unsere Workshops sind darauf ausgelegt, Kreativität, Neugier und technische Fähigkeiten zu fördern.
Egal, ob ihr schon einen Makerspace mit 3D-Druckern, Lasercuttern oder Plottern habt oder ganz am Anfang steht — wir passen uns an.
@@ -28,7 +30,17 @@ Wir bieten sowohl mobile Vorführungen und Einführungsveranstaltungen als auch
Jeder Workshop wird individuell auf eure Bedürfnisse, euer Publikum und euren Raum zugeschnitten.
-Wir bieten:
+## Unsere Arbeitsweise
+
+Makerspaces sind mehr als nur Werkstätten — sie sind offene Lernorte, die sich grundlegend von klassischen Lernräumen unterscheiden. Statt frontalem Unterricht steht hier das **Peer Learning** im Mittelpunkt: Teilnehmende lernen voneinander, tauschen sich aus und entwickeln gemeinsam Lösungen. Durch eigenes Tun werden Menschen aktiv, verwirklichen ihre Ideen und experimentieren in einem Raum, der Fehler als Teil des Lernprozesses begreift.
+
+Unsere Workshops dienen dabei als **Gerüst**: Wir schaffen eine hilfreiche Infrastruktur aus Werkzeugen, Materialien und Anleitung, die es den Teilnehmenden ermöglicht, eigenständig zu arbeiten und zu lernen. Diese Unterstützung bietet genau die richtige Hilfestellung — weder zu viel noch zu wenig — damit jede:r ihre eigenen Ideen verwirklichen kann.
+
+In unseren Workshops steht die **Selbstwirksamkeit** im Mittelpunkt: Wir schaffen Erfahrungen, in denen jede:r erlebt, dass die eigenen Handlungen zu sichtbaren Ergebnissen führen. Dieser Moment des „Ich habe es geschafft!" stärkt das Selbstvertrauen und motiviert zum Weiterlernen.
+
+Wir erreichen alle Teilnehmenden über ihre **intrinsische Motivation** — durch Themen und Projekte, die ihre eigene Neugier wecken. Unsere Angebote sind immer **freiwillig** und einladend, nie zwingend. So entstehen echte Lernerlebnisse, getragen von eigenem Interesse und Entdeckerfreude.
+
+Wir bieten:
- Workshops zu 3D-Druck, Lasercutting, Plotten, Robotik, Foto/Video und vielem mehr.
- Flexible Durchführung: auf eurem Equipment oder mit unseren mobilen Demo-Setups
@@ -42,15 +54,13 @@ Wir freuen uns, von euch zu hören!
Für Anfragen, Buchungen oder um über einen individuellen Workshop zu sprechen, schreibt uns:

The requested page could not be found. If you feel this is not normal, then you can create an issue on the issue tracker.
Code kopieren
The requested page could not be found. If you feel this is not normal, then you can create an issue on the issue tracker.
Code kopierenStudio UMZU (private, non-registered project)
Owner & responsible for content: Aron Petau
Birkenstraße 75
10559 Berlin
Germany
Contact:
Email: kontakt@studio-umzu.de
Website: https://studio-umzu.de
Despite careful content control, we assume no liability for the content of external links. The operators of the linked pages are solely responsible for their content.
This website is a static site and does not collect or process any personal data. No cookies are set and no user analytics are performed.
The European Commission provides a platform for online dispute resolution (ODR): https://ec.europa.eu/consumers/odr. Our email address can be found above in the legal notice.
Copy Code
We are Aron Petau and Friedrich Weber Goizel — makers, artists, and passionate technology educators.
We design and run workshops in Berlin.
We bring digital practice into libraries, schools, and youth centers.
Our workshops are designed to foster creativity, curiosity, and technical skills.
Whether you already have a makerspace with 3D printers, laser cutters, or plotters, or are just starting out — we adapt.
We offer both mobile demonstrations and introductory events as well as in-depth workshops that build on your existing equipment.
Each workshop is tailored to your needs, your audience, and your space.
We offer:
Let’s create a space together where craft meets code, analog meets digital, and ideas come to life.
We look forward to hearing from you!
For inquiries, bookings, or to discuss a custom workshop, write to us:
Aron has a background in cognitive science, AI, and media didactics.
He loves tricky software problems and enjoys thinking about plastic as a material beyond the printer.
Already during his undergraduate studies, within the research project UOS.DLL – Digitales Lernen Leben, he co-developed and set up makerspaces.
In his artistic master’s program, Design and Computation, he also focused on technology didactics and technical futures.
In particular, within the research program InKüLe, Innovations for Artistic Teaching at UdK, he gained extensive experience with new teaching and learning formats, ranging from event support through custom livestreaming solutions to designing and running his own workshops on AI and virtual realities.
In collaboration at studio einszwovier with Friedrich, Aron was also able to test his master’s thesis on design practice as a peer-learning format in school teaching.
Here’s a detailed bio:
Friedrich Weber Goizel first studied Fine Arts at the UdK Berlin.
Later, he added studies in Humanoid Robotics and Design & Computation.
In 2022, he was a fellow of the Cultural Foundation’s program “dive in. Program for Digital Interactions”, which explored the use of robotics in public libraries.
Since then, he has been independently leading workshops in the field of “Making” at various Berlin libraries.
As a workshop leader, he also works with Junge Tüftler*innen, Berlin at different locations such as community libraries, makerspaces, and the Futurium.
Alongside running the makerspace studio einszwovier at a Berlin high school together with Aron, Friedrich also works as a conceptual and media artist.
What matters most to him is sparking enthusiasm for technology, offering a low-threshold entry point, trying out new things together, and creating a learning environment where a creative approach to technology emerges in a playful way.
Find out more about Friedrich here.
3D Design & Slicing
Graphic Design
Educational Technology
3D Printing Hardware
Programming

We are Aron Petau and Friedrich Weber Goizel — makers, artists, and passionate technology educators.
📍 In Berlin, we design and run workshops with a focus on youth education, while also offering professional development for adults.
Beyond workshops, we also conceptualize and realize complete makerspaces as physical environments and learning spaces. From initial concept to finished setup, we guide you through the process: We consult on equipment selection, assist with spatial design, and support you in building a functional and inspiring makerspace.
We bring digital practice into libraries, schools, and youth centers.
Our workshops are designed to foster creativity, curiosity, and technical skills.
Whether you already have a makerspace with 3D printers, laser cutters, or plotters, or are just starting out — we adapt.
We offer both mobile demonstrations and introductory events as well as in-depth workshops that build on your existing equipment.
Each workshop is tailored to your needs, your audience, and your space.
Makerspaces are more than just workshops — they are open learning environments that fundamentally differ from traditional classrooms. Instead of frontal teaching, peer learning is at the core: participants learn from each other, exchange ideas, and develop solutions together. Through hands-on experience, people become active, realize their ideas, and experiment in a space that embraces mistakes as part of the learning process.
Our workshops serve as scaffolding: We create a supportive infrastructure of tools, materials, and guidance that enables participants to work and learn independently. This scaffolding provides just the right amount of support — neither too much nor too little — so that everyone can realize their own ideas.
At the heart of our workshops is self-efficacy: We create experiences where everyone discovers that their own actions lead to tangible results. This "I did it!" moment builds confidence and motivates continued learning.
We reach all participants through their intrinsic motivation — through topics and projects that spark their own curiosity. Our offerings are always voluntary and inviting, never mandatory. This creates genuine learning experiences driven by personal interest and the joy of discovery.
We offer:
Let’s create a space together where craft meets code, analog meets digital, and ideas come to life.
We look forward to hearing from you!
For inquiries, bookings, or to discuss a custom workshop, write to us:
Aron has a background in cognitive science, AI, and media didactics.
He loves tricky software problems and enjoys thinking about plastic as a material beyond the printer.
Already during his undergraduate studies, within the research project UOS.DLL – Digitales Lernen Leben, he co-developed and set up makerspaces.
In his artistic master’s program, Design and Computation, he also focused on technology didactics and technical futures.
In particular, within the research program InKüLe, Innovations for Artistic Teaching at UdK, he gained extensive experience with new teaching and learning formats, ranging from event support through custom livestreaming solutions to designing and running his own workshops on AI and virtual realities.
In collaboration at studio einszwovier with Friedrich, Aron was also able to test his master’s thesis on design practice as a peer-learning format in school teaching.
Here’s a detailed bio:
Friedrich Weber Goizel first studied Fine Arts at the UdK Berlin.
Later, he added studies in Humanoid Robotics and Design & Computation.
In 2022, he was a fellow of the Cultural Foundation’s program “dive in. Program for Digital Interactions”, which explored the use of robotics in public libraries.
Since then, he has been independently leading workshops in the field of “Making” at various Berlin libraries.
As a workshop leader, he also works with Junge Tüftler*innen, Berlin at different locations such as community libraries, makerspaces, and the Futurium.
Alongside running the makerspace studio einszwovier at a Berlin high school together with Aron, Friedrich also works as a conceptual and media artist.
What matters most to him is sparking enthusiasm for technology, offering a low-threshold entry point, trying out new things together, and creating a learning environment where a creative approach to technology emerges in a playful way.
Find out more about Friedrich here.
3D Printing & Manufacturing
Creative Design
Robotics & Physical Computing
Programming & Web
Electronics & Making
AI & Digital Media
Studio UMZU (privates, nicht eingetragenes Projekt)
Inhaber & inhaltlich verantwortlich: Aron Petau
Birkenstraße 75
10559 Berlin
Deutschland
Kontakt:
E-Mail: kontakt@studio-umzu.de
Website: https://studio-umzu.de
Trotz sorgfältiger inhaltlicher Kontrolle übernehmen wir keine Haftung für die Inhalte externer Links. Für den Inhalt der verlinkten Seiten sind ausschließlich deren Betreiber verantwortlich.
Diese Website ist eine statische Seite und erhebt oder verarbeitet keine personenbezogenen Daten. Es werden keine Cookies gesetzt und keine Nutzeranalyse durchgeführt.
Die Europäische Kommission stellt eine Plattform zur Online-Streitbeilegung (OS) bereit: https://ec.europa.eu/consumers/odr. Unsere E-Mail-Adresse finden Sie oben im Impressum.
Code kopieren
Wir sind Aron Petau und Friedrich Weber Goizel — Maker, Künstler und leidenschaftliche Technikvermittler. Wir entwickeln und veranstalten Workshops in Berlin.
Wir bringen digitale Praxis hinein in Bibliotheken, Schulen und Jugendzentren. Unsere Workshops sind darauf ausgelegt, Kreativität, Neugier und technische Fähigkeiten zu fördern.
Egal, ob ihr schon einen Makerspace mit 3D-Druckern, Lasercuttern oder Plottern habt oder ganz am Anfang steht — wir passen uns an.
Wir bieten sowohl mobile Vorführungen und Einführungsveranstaltungen als auch vertiefende Workshops, die auf eurer bestehenden Ausstattung aufbauen.
Jeder Workshop wird individuell auf eure Bedürfnisse, euer Publikum und euren Raum zugeschnitten.
Wir bieten:
Lasst uns gemeinsam einen Raum schaffen, in dem Handwerk auf Code, Analoges auf Digitales und Ideen auf Leben treffen.
Wir freuen uns, von euch zu hören!
Für Anfragen, Buchungen oder um über einen individuellen Workshop zu sprechen, schreibt uns:
Aron hat einen Hintergrund in Kognitionswissenschaften, KI und Mediendidaktik.
Er liebt knifflige Software-Probleme und denkt gerne über Plastik als Werkstoff jenseits des Druckers nach. Er hat bereits im Grundstudium im Rahmen des Forschungsprojektes UOS.DLL – Digitales Lernen Leben Makerspaces mit konzipiert und aufgebaut. Auch im künstlerischen Master, Design and Computation beschäftigte er sich viel mit Technikdidaktik und technischen Zukünften. Besonders im Forschungsprogramm InKüLe, Innovationen für die künstlerische Lehre an der UdK, konnte er viel Erfahrung mit neuen Lehr- und Lernformen sammeln, von Eventbetreuung durch eigene Livestreaminglösungen hin zur Konzeption und Durchführung eigener Workshops zu KI und Virtuellen Realitäten.
In der Zusammenarbeit im studio einszwovier mit Friedrich konnte Aron auch seine Masterarbeit zu Designpraxis als peer-learning Format im schulischen Unterricht erproben.
Hier gibt’s eine ausführliche Bio:
Friedrich Weber Goizel studierte zunächst Freie Kunst an der UdK Berlin.
Später kamen ein Studium der Humanoiden Robotik und Design & Computation dazu.
2022 war er Stipendiat der Kulturstiftung im Programm „dive in. Programm für digitale Interaktionen“, in dem der Einsatz von Robotik in öffentlichen Bibliotheken untersucht wurde.
Seitdem gibt er selbständig Workshops im Bereich „Making“ an verschiedenen Bibliotheken Berlins.
Als Workshopleiter ist er ebenfalls für die Jungen Tüftler*innen, Berlin an diversen Orten wie Stadtteilbibliotheken, Makerspaces oder dem Futurium tätig.
Neben der Leitung des Makerspaces studio einszwovier an einem Berliner Gymnasium, gemeinsam mit Aron, arbeitet Friedrich zudem als Konzept- und Medienkünstler.
Besonders wichtig ist es ihm, Begeisterung für Technik zu wecken, einen niederschwelligen Einstieg zu geben, gemeinsam Neues auszuprobieren und eine Lernumgebung zu gestalten, in der auf spielerische Weise ein kreativer Zugang zu Technik entsteht.
Finde hier mehr über Friedrich heraus.
3D-Design & Slicing
Grafikdesign
Bildungstechnologien
3D-Druck-Hardware
Programmierung

Wir sind Aron Petau und Friedrich Weber Goizel — Maker, Künstler und leidenschaftliche Technikvermittler.
📍 In Berlin entwickeln und veranstalten wir Workshops mit Schwerpunkt auf Jugendbildung, bieten aber auch Erwachsenenfortbildung an.
Neben Workshops konzipieren und realisieren wir auch komplette Makerspaces als Räume und Lernumgebungen. Von der ersten Idee bis zur Einrichtung begleiten wir euch: Wir beraten bei der Auswahl des passenden Equipments, helfen bei der Raumgestaltung und unterstützen euch dabei, einen funktionalen und inspirierenden Makerspace aufzubauen.
Wir bringen digitale Praxis hinein in Bibliotheken, Schulen und Jugendzentren. Unsere Workshops sind darauf ausgelegt, Kreativität, Neugier und technische Fähigkeiten zu fördern.
Egal, ob ihr schon einen Makerspace mit 3D-Druckern, Lasercuttern oder Plottern habt oder ganz am Anfang steht — wir passen uns an.
Wir bieten sowohl mobile Vorführungen und Einführungsveranstaltungen als auch vertiefende Workshops, die auf eurer bestehenden Ausstattung aufbauen.
Jeder Workshop wird individuell auf eure Bedürfnisse, euer Publikum und euren Raum zugeschnitten.
Makerspaces sind mehr als nur Werkstätten — sie sind offene Lernorte, die sich grundlegend von klassischen Lernräumen unterscheiden. Statt frontalem Unterricht steht hier das Peer Learning im Mittelpunkt: Teilnehmende lernen voneinander, tauschen sich aus und entwickeln gemeinsam Lösungen. Durch eigenes Tun werden Menschen aktiv, verwirklichen ihre Ideen und experimentieren in einem Raum, der Fehler als Teil des Lernprozesses begreift.
Unsere Workshops dienen dabei als Gerüst: Wir schaffen eine hilfreiche Infrastruktur aus Werkzeugen, Materialien und Anleitung, die es den Teilnehmenden ermöglicht, eigenständig zu arbeiten und zu lernen. Diese Unterstützung bietet genau die richtige Hilfestellung — weder zu viel noch zu wenig — damit jede:r ihre eigenen Ideen verwirklichen kann.
In unseren Workshops steht die Selbstwirksamkeit im Mittelpunkt: Wir schaffen Erfahrungen, in denen jede:r erlebt, dass die eigenen Handlungen zu sichtbaren Ergebnissen führen. Dieser Moment des „Ich habe es geschafft!" stärkt das Selbstvertrauen und motiviert zum Weiterlernen.
Wir erreichen alle Teilnehmenden über ihre intrinsische Motivation — durch Themen und Projekte, die ihre eigene Neugier wecken. Unsere Angebote sind immer freiwillig und einladend, nie zwingend. So entstehen echte Lernerlebnisse, getragen von eigenem Interesse und Entdeckerfreude.
Wir bieten:
Lasst uns gemeinsam einen Raum schaffen, in dem Handwerk auf Code, Analoges auf Digitales und Ideen auf Leben treffen.
Wir freuen uns, von euch zu hören!
Für Anfragen, Buchungen oder um über einen individuellen Workshop zu sprechen, schreibt uns:
Aron hat einen Hintergrund in Kognitionswissenschaften, KI und Mediendidaktik.
Er liebt knifflige Software-Probleme und denkt gerne über Plastik als Werkstoff jenseits des Druckers nach. Er hat bereits im Grundstudium im Rahmen des Forschungsprojektes UOS.DLL – Digitales Lernen Leben Makerspaces mit konzipiert und aufgebaut. Auch im künstlerischen Master, Design and Computation beschäftigte er sich viel mit Technikdidaktik und technischen Zukünften. Besonders im Forschungsprogramm InKüLe, Innovationen für die künstlerische Lehre an der UdK, konnte er viel Erfahrung mit neuen Lehr- und Lernformen sammeln, von Eventbetreuung durch eigene Livestreaminglösungen hin zur Konzeption und Durchführung eigener Workshops zu KI und Virtuellen Realitäten.
In der Zusammenarbeit im studio einszwovier mit Friedrich konnte Aron auch seine Masterarbeit zu Designpraxis als peer-learning Format im schulischen Unterricht erproben.
Hier gibt’s eine ausführliche Bio:
Friedrich Weber Goizel studierte zunächst Freie Kunst an der UdK Berlin.
Später kamen ein Studium der Humanoiden Robotik und Design & Computation dazu.
2022 war er Stipendiat der Kulturstiftung im Programm „dive in. Programm für digitale Interaktionen“, in dem der Einsatz von Robotik in öffentlichen Bibliotheken untersucht wurde.
Seitdem gibt er selbständig Workshops im Bereich „Making“ an verschiedenen Bibliotheken Berlins.
Als Workshopleiter ist er ebenfalls für die Jungen Tüftler*innen, Berlin an diversen Orten wie Stadtteilbibliotheken, Makerspaces oder dem Futurium tätig.
Neben der Leitung des Makerspaces studio einszwovier an einem Berliner Gymnasium, gemeinsam mit Aron, arbeitet Friedrich zudem als Konzept- und Medienkünstler.
Besonders wichtig ist es ihm, Begeisterung für Technik zu wecken, einen niederschwelligen Einstieg zu geben, gemeinsam Neues auszuprobieren und eine Lernumgebung zu gestalten, in der auf spielerische Weise ein kreativer Zugang zu Technik entsteht.
Finde hier mehr über Friedrich heraus.
3D-Druck & Fertigung
Kreatives Design
Robotik & Physical Computing
Programmierung & Web
Elektronik & Making
KI & Digitale Medien