Skip to content
Versunken

Games und Lyrik

Von Spielen inspiriert

  • Inhalt
  • Über uns
  • Shop
    • Mein Konto
    • Kasse
    • Warenkorb
  • Games & Lyrik Podcast
  • Pressezentrum und Media-Kit
  • Jobs
  • Impressum
    • AGBs
    • Datenschutzerklärung
    • Disclaimer
  • 0 Artikel0,00 €
  • Toggle search form
Ein Script für ein Spiel aus der Egoperspektive schreiben

Ein Script für ein Spiel aus der Egoperspektive schreiben

Posted on 29. Juli 202330. Juli 2023 By Claudia Wendt Keine Kommentare zu Ein Script für ein Spiel aus der Egoperspektive schreiben
Ein Script für ein Spiel aus der Egoperspektive schreiben

Zuerst benötigst du einen Spieler, der sich in der Umgebung umsehen kann.

Du kannst dafür beispelsweise ein leeres Objekt erstellen. Wähle im Hierarchiefenster mit der rechten Maustaste Createn –> Empty. Benenne das Objekt als First Person Player. Ziehe es ins Zentrum deiner Szene. Füge eine Character Controller-Componente hinzu.

Ein Script für ein Spiel aus der Egoperspektive schreiben

Zentriere den Charakter mit F und achte darauf, dass die Gizmos aktiviert sind. Dann sind die Begrenzungen des Charakters erkennbar. Erstelle als nächstes eine Grafik, damit das Objekt besser zu erkennen ist. Gehe mit der rechten Maustaste auf das GameObject, wähle Create –> 3D–>Cylinder. Entferne dann den Capsule Collider, da der Character Controller als Collider agiert. Wähle Create–>Material, um deinem Charakter ein Material zuzuweisen. Ziehe das Material auf den Spieler.

Werbung

Hast du noch keine Kamera im Spiel, kannst du sie mit der rechten Maustaste auf das GameObject kreieren oder du ziehst die MainCamera zu deinem GameObject, das als Spieler fungieren soll.

Ein Script für ein Spiel aus der Egoperspektive schreiben

Wähle die Camera, setze die Transformkomponente auf Reset und ziehe sie nach oben in den Kopfbereich des Spielers. Die Kamera sollte nicht ganz nach oben, da die Kamera nicht durch die Decke gehen soll, wenn deine Spielfigur springt.

Du benötigst ein Script, dass dir ermöglicht, dich umzusehen. Alles wird mit der Maus bewegt und diese bewegt sich auf zwei Achsen (x und y). Bewegst du die Maus zur Seite, soll der Spieler sich auf der y-Achse rotieren. Bewegst du die Maus hoch oder runter, soll sich nicht deine Spielfigur bewegen, sondern nur die Kamera auf der x-Achse.

Die Kamerarotation sollte auf 180° beschränkt werden, damit sie nicht hinter den Spieler geht. Dieser Vorgang wird als Clamping bezeichnet. Wähle die Kamera und füge eine neue Componente hinzu: MouseLook

In der Update-Funktion des Scripts soll eine Inputfunktion für die Mausbewegung eingefügt werden.

Erstelle:

Werbung

float mouseX = Input.GetAxis(„Mouse X“)

Dabei handelt es sich um einen Programmzugang innerhalb von Unity für die Mausrotation.

Dasselbe machst du für die Y-Achse:

float mouseY = Input.GetAxis(„Mouse Y“);

Jetzt möchtest du die Geschwindigkeit der Maus kontrollieren.

Deswegen erstelle unter public class:

public float mouseSensitivity = 100f;

Das Input wird mit der mouseSensitivity multipliziert.

Inhaltsverzeichnis

Toggle
  • Ein Script für ein Spiel aus der Egoperspektive schreiben

Ein Script für ein Spiel aus der Egoperspektive schreiben

Zuerst benötigst du einen Spieler, der sich in der Umgebung umsehen kann.

Du kannst dafür beispelsweise ein leeres Objekt erstellen. Wähle im Hierarchiefenster mit der rechten Maustaste Createn –> Empty. Benenne das Objekt als First Person Player. Ziehe es ins Zentrum deiner Szene. Füge eine Character Controller-Componente hinzu.

Dieses Bild hat ein leeres Alt-Attribut. Der Dateiname ist grafik-52.png

Zentriere den Charakter mit F und achte darauf, dass die Gizmos aktiviert sind. Dann sind die Begrenzungen des Charakters erkennbar. Erstelle als nächstes eine Grafik, damit das Objekt besser zu erkennen ist. Gehe mit der rechten Maustaste auf das GameObject, wähle Create –> 3D–>Cylinder. Entferne dann den Capsule Collider, da der Character Controller als Collider agiert. Wähle Create–>Material, um deinem Charakter ein Material zuzuweisen. Ziehe das Material auf den Spieler.

Hast du noch keine Kamera im Spiel, kannst du sie mit der rechten Maustaste auf das GameObject kreieren oder du ziehst die MainCamera zu deinem GameObject, das als Spieler fungieren soll.

Dieses Bild hat ein leeres Alt-Attribut. Der Dateiname ist grafik-53.png

Wähle die Camera, setze die Transformkomponente auf Reset und ziehe sie nach oben in den Kopfbereich des Spielers. Die Kamera sollte nicht ganz nach oben, da die Kamera nicht durch die Decke gehen soll, wenn deine Spielfigur springt.

Du benötigst ein Script, dass dir ermöglicht, dich umzusehen. Alles wird mit der Maus bewegt und diese bewegt sich auf zwei Achsen (x und y). Bewegst du die Maus zur Seite, soll der Spieler sich auf der y-Achse rotieren. Bewegst du die Maus hoch oder runter, soll sich nicht deine Spielfigur bewegen, sondern nur die Kamera auf der x-Achse.

Die Kamerarotation sollte auf 180° beschränkt werden, damit sie nicht hinter den Spieler geht. Dieser Vorgang wird als Clamping bezeichnet. Wähle die Kamera und füge eine neue Componente hinzu: MouseLook

In der Update-Funktion des Scripts soll eine Inputfunktion für die Mausbewegung eingefügt werden.

Erstelle:

float mouseX = Input.GetAxis(„Mouse X“)

Dabei handelt es sich um einen Programmzugang innerhalb von Unity für die Mausrotation.

Dasselbe machst du für die Y-Achse:

float mouseY = Input.GetAxis(„Mouse Y“);

Jetzt möchtest du die Geschwindigkeit der Maus kontrollieren.

Deswegen erstelle unter public class:

public float mouseSensitivity = 100f;

Das Input wird mit der mouseSensitivity multipliziert. Außerdem soll die Bewegung unabhängig von der Framerate erfolgen. Multipliziere deine Funktion zusätzlich mit Time.deltaTime;

Das Gleiche machst du mit der Y-Achse. Damit passt sich die Rotationsgeschwindigkeit an die Framerate an.

Dieses Bild hat ein leeres Alt-Attribut. Der Dateiname ist grafik-54.png

Jetzt soll sich auch der Körper des Spielers bewegen. Dafür ist eine Referenz von der Hauptkamera zum 1st-Person Objekt notwendig.

Erstelle dafür: public Transform playerBody;

Im UpdateBereich greife auf den PlayerBody zu.

playerBody.Rotate(Vector3.up * mouseX)

Ein Script für ein Spiel aus der Egoperspektive schreiben

Ziehe dann den Spieler in den Bereich PlayerBody.

Ein Script für ein Spiel aus der Egoperspektive schreiben

Jetzt geht es darum, hoch und runter zu schauen. Dafür muss die Maus um die X-Achse rotieren.

Erstelle dafür eine private Variable:

float xRotation = 0f

Ein Script für ein Spiel aus der Egoperspektive schreiben

Im Updatebereich füge hinzu:

xRotation -=mouseY;

Jetzt wird die Rotation hinzugefügt:

transform.localRotation = Quaternion.Euler()

Quaternion ist in Unity verantwortlich für die Rotation in Unity. Dazu kommen der x-, der y- und der z-Wert.

transform.localRotation = Quaternion.Euler(xRotation, 0f, 0f);

Für diese Rotation muss jetzt das „Clamping“ hinzugefügt werden.

Dafür benötigst du:

xRotation = Mathf.Clamp(xRotation, -90f, 90f)

Damit wird die Kamerabewegung auf -90f und 90f eingegrenzt. So gehst du auf Nummer sicher, dass die Kamera nicht hinter den Spieler überrotiert.

Ein Script für ein Spiel aus der Egoperspektive schreiben

In der Startfunktion fehlt noch ein Code, den Cursor auf das Bildschirmzentrum als Ausgangspunkt festlegt.

Cursor.lockState = CursorLockMode.Locked;

Das Script sieht jetzt folgendermaßen aus:

Ein Script für ein Spiel aus der Egoperspektive schreiben

Als nächstes folgt die Spielerbewegung. Für die Spielerbewegung sind Eingaben notwendig. Die Eingaben sind für die horizontale und vertikale Achse nötig. Die Bewegungstasten, die in Unity vordefiniert sind, befinden sich auf der Tastatur und sind W, A, S und D.

Für W ist Vertical = 1

S -> Vertical = -1

Das gleiche gilt für Horizontal:

A -> -1

D -> 1

Diese Einstellungen funktionieren zeitgleich für den Controller.

Entlang der x-Achse bewegt sich der Spieler zur Seite und entlang der z-Achse nach vorne und zurück.

Die Bewegung muss immer relativ zu der Richtung erfolgen, in welche der Spieler guckt.

Wir benötigen dafür das PlayerMovement Script, dass in Visual Studio geschrieben wird. Füge dieses zum FirstPersonPlayer hinzu.

Erstelle unter void Update:

float x = Input.GetAxis(„Horizontal“);

float z = Input.GetAxis(„Vertical“);

Jetzt wird der Input in die Richtung verwandelt, in die der Spieler sich bewegen soll.

Verctor3 move = transform.right * x + transform.forard * z;

Damit hast du eine Richtung erstellt, die auf der Spielerbewegung und die jeweilige x- und z-Bewegung basiert. Dadurch bewegt sich die Spielfigur immer auf Basis der Richtung, in der er blickt.

Ein Script für ein Spiel aus der Egoperspektive schreiben

Zusätzlich wird ein Verweis auf den Character Controller benötigt.

Erstelle jetzt als public den CharacterController:

public CharacterController controller;

Entferne die Start-Nachricht.

Füge jetzt unter Vector3 move ein:

controller.Move(move);

Ein Script für ein Spiel aus der Egoperspektive schreiben

Zusätzlich soll die Geschwindigkeit der Bewegung kontrolliert werden können:

public float speed = 12f;

Multipliziere deswegen die Controllerbewegungen mit der Geschwindigkeit:

controller.Move(move * speed);

Dazu kommt noch „* Time.deltaTime“);

da es sich im UpdateBereich befindet.

controller.Move(move * speed * Time.deltaTime);

Damit wird die Framerate unabhängig gemacht.

Ein Script für ein Spiel aus der Egoperspektive schreiben

Anschließend wird der CharacterController ins Feld gezogen. Bewegt sich die Kamera, bewegt sich auch die Richtung, in die sich der Spieler bewegt.

Um beispielsweise Treppen steigen zu können, ist es notwendig, den StepOffset des CharacterControllers zu steigern, wie z. B. auf 0.7

Ein Script für ein Spiel aus der Egoperspektive schreiben

Step Offset definiert, wie hoch die Stufen sind, die du erklimmen kannst. Unter Slope Limit definierst du den Winkel, den dein Charakter klettern kann.

Als nächstes benötigst du Gravitation, damit dein Charakter nicht in der Luft hängen bleibt, wenn er beispielsweise Treppen hochgesteigen ist.

Die Gravitation definiert sich als Kraft, die sich innerhalb einer bestimmten Zeit auswirkt. Damit steigert sich die Geschwindigkeit, wenn sie Wirkung zeigt. Es wird eine Geschwindigkeitsvariable benötigt.

Du benötigst:

Vector 3 velocity;

Die Geschwindigkeit bezüglich der y-Achse wird mit einer Gravitationskonstante eingestellt.

velocity.y +=

Erstelle außerdem: public float gravity = -9,81f;

Anschließend fügst du die Gravitation zur Geschwindigkeit hinzu.

velocity.y += gravity * Time.deltaTime;

Um die Geschwindigkeit hinzuzufügen setzt du dazu:

controller.Move(velocity * Time.deltaTime)

Delta y ergibt sich aus der Hälfte der Gravitation mulitpliziert mit Zeit zum Quadrat.

Aus diesem Grund wird die Geschwindigkeit nocheinmal mit Time.deltaTime multipliziert.

Das fertige Script sieht folgendermaßen aus:

Ein Script für ein Spiel aus der Egoperspektive schreiben

Jetzt hat Graviation Auswirkungen auf den Spieler.

Erstelle ein leeres Objekt und ziehe es bei deinem Spieler nach unten und nenne es GroundCheck. Dieses Objekt nimmt einen Physikcheck vor, ob der Spieler auf dem Boden steht. Damit das Objekt diesen Check vornehmen kann, muss eine Verbindung im Script hergestellt werden.

Füge hinzu:

public Transform groundCheck;

public float groundDistance = 0.4f;

Dazu kommt eine

public LayerMask groundMask;

Weiterhin benötigst du eine Variable, die feststellt, ob der Spieler sich auf dem Boden befindet:

bool isGrounded;

Jetzt kommt der Zusatz zur updateFunktion:

isGrounded = Physics.CheckSphere(groundCheck.position, groundDistance, groundMask);

Damit wird anhand der Physik überprüft, ob die Figur am Boden ist. Sie ist dies, wenn das Objekt bzw. die Sphere die Position, Entfernung und die Mask am Boden sind.

Ein Script für ein Spiel aus der Egoperspektive schreiben

Erstellt wird beim neuen GameObject eine kleine unsichtbare Sphäre an einem festgelegten Punkt. Wenn sie mit etwas kollidiert, das sich in der GroundMask befindet ist der Spieler auf dem Boden. Ansonsten, ist es der Spieler nicht.

Dazu kommt:

if(isGrounded && velocity.y <0)

{

velocity.y = 2f;

}

Damit zwingst du den Spieler auf den Boden.

Das Script sieht jetzt folgendermaßen aus:

Ein Script für ein Spiel aus der Egoperspektive schreiben

Zieh den GroundCheck in das jeweilige Feld vom PlayerScript.

Ein Script für ein Spiel aus der Egoperspektive schreiben

Füge bei der Ground Mask die Ebene bzw. für Layer ein. Du kannst auch neue Layers rechts oben neu definieren.

Ein Script für ein Spiel aus der Egoperspektive schreiben
Ein Script für ein Spiel aus der Egoperspektive schreiben

Umwelt, die als Boden agieren soll, musst du auf die jeweilige Layer umstellen.

Fällt die Spielfigur zu langsam, kannst du die Gravitation erhöhen.

Ein Script für ein Spiel aus der Egoperspektive schreiben
Ein Script für ein Spiel aus der Egoperspektive schreiben

Für das Springen definiert sich die Geschwindigkeit aus der Sprunghöhe:

Geschwindigkeit = Wurzel aus (Sprunghöhe * -2 * Gravitation)

Du benötigst dafür:

if(Input.GetButtonDown(„Jump“) && isGrounded)

{

velocity.y=Mathf.Sqrt()

}

Jetzt fügst du noch eine öffentliche Variable für die Sprunghöhe ein:

public float jumpHeight = 3f;

Anschließend lässt du aus: jumpHeight * -2f * gravity die Wurzel ziehen.

velocity.y=Mathf.Sqrt(jumpHeight * -2f * gravity)

Das fertige Script sieht folgendermaßen aus:

Ein Script für ein Spiel aus der Egoperspektive schreiben

Damit das Springen funktioniert, sollte der Boden dem Layer Ground zugeordnet sein. Sonst funktioniert das Script mit dem Springen nicht.

Post Views: 1.501
Weitersagen:
Games und Lyrik Tags:Unity

Beitragsnavigation

Previous Post: Eternights
Next Post: Theatre of War

Related Posts

  • Double Dare
    Double Dare Games und Lyrik
  • Samurai Zombie Nation Cover
    Samurai Zombie Nation Games und Lyrik
  • Pokémon Snap Cover
    Pokémon Snap Games und Lyrik
  • Bad-Street-Brawler-Cover
    Bad Street Brawler Games und Lyrik
  • Games im Unterricht
    Games im Unterricht – Das Potenzial digitaler Spiele im Bildungsbereich Games und Lyrik
  • Van Helsing 3 Cover
    The Incredible Adventures of Van Helsing 3 Games und Lyrik

Schreibe einen Kommentar Antwort abbrechen

Deine E-Mail-Adresse wird nicht veröffentlicht. Erforderliche Felder sind mit * markiert

Diese Website verwendet Akismet, um Spam zu reduzieren. Erfahre, wie deine Kommentardaten verarbeitet werden.

Unsere Besucher

089880
Users Today : 15
Total views : 410897
Powered By WPS Visitor Counter
  • Games und Lyrik (2.722)
    • Action (83)
    • Adventure (461)
      • Point & Click-Adventure (16)
    • Ecke der verlorenen Spiele (17)
    • Horror (35)
    • Kinderfreundliche Games (5)
    • Partyspiele (9)
    • Puzzle (17)
    • Rollenspiele (115)
    • Shooter (346)
    • Simulation (30)
    • Sport (113)
      • Fußball (5)
      • Rennspiele (6)
    • Strategie (200)
    • Survival (9)
    • Wimmelbild (8)
  • Hardware (2)
  • Jump & Run (1)
  • Lyrik (112)
  • Spieleentwickler (432)
  • Spieleprogrammierung (48)

Action Adventure Capcom Daedalic Deck 13 Devcom 2020 Ecke der verlorenen Spiele Gamescom 2019 Gamescom 2020 Gamescom 2021 Gamescom 2023 Games from Spain GB GBA GBC Horror Indie Arena Booth 2022 Jump & Run Kalypso Media Mega Man N64 NDS NES Nintendo Switch PC PS1 PS2 PS3 PS4 PS5 PSP Rareware Rennspiel Sega Shooter SNES State of Play Strategie Switch Unity Visual Novel VR Windows Xbox XBox One

Cosplay-Schnittmuster

  • 094ddf7788f49439577a1f264f2ea1ca Akira Band 2 Katsuhiro Otomo Carlsen Verlag Manga 19,90 €
  • 3b19aed4a4ecd2d447d502b5040d272e Fruits Basket Pearls Band 1 Natsuki Takaya Carlsen Verlag Manga 11,00 €
  • f1b2be429c6da35582dbc14e7d6d3b72 Angel Sanctuary Pearls Band 3 Kaori Yuki Carlsen Verlag Manga 12,00 €



Hier finden Sie mehr.

RSS Lets-Plays.de

  • Pen and Paper Spiele
  • Verlorenes Android-Handy orten

Ezoic

RSS GameStar – News

  • Digital Identity - EU-App zum Altersnachweis: Ein Hacker brauchte nur 2 Minuten, um sie zu knacken
  • Plus - Steam Sale - Großer Mittelalter-Sale gestartet: 7 Spiele mit Rittern, Burgen und Schwertern, die sich jetzt besonders lohnen
  • Arc G3 - In einigen Wochen könnten die ersten Intel-Handhelds mit Panther-Lake-CPUs angekündigt werden
TopBlogs.de das Original - Blogverzeichnis | Blog Top Liste
blogwolke.de - Das Blog-Verzeichnis
  • The Crow's Eye Cover
    The Crow’s Eye – Enthülle das Unbekannte und tauche ein in ein Spiel voller Spannung und Rätsel Shooter
  • Kriminologie
    Kriminologie Games und Lyrik
  • Black Mirror 2
    Black Mirror 2 Games und Lyrik
  • On Thin Ice Cover
    On Thin Ice: Adventure Escape – Ein neues Rätselabenteuer von Haiku Games Adventure
  • Broken Spectre Cover
    Broken Spectre – Schatten des Schreckens und ein düsteres Geheimnis Adventure
  • Clair Obscur Expedition 33 Cover
    Clair Obscur: Expedition 33 – Ein Belle Epoque Rollenspiel voller Emotionen Rollenspiele
  • Neurodeck
    Neurodeck Games und Lyrik
  • City of Beats
    City of Beats Games und Lyrik

Copyright © 2026 Games und Lyrik.

Powered by PressBook News Dark theme

Cookie-Einstellungen
Diese Webseite benutzt Cookies um die Nutzererfahrung zu verbessern. Diese Cookies können Sie hier ausschalten.

This website uses cookies to improve your experience. We'll assume you're ok with this, but you can opt-out if you wish.
Cookie-Einstellungen / Cookie settingsAkzeptieren / ACCEPT
Privatsphären- und Cookie-Einstellungen

Informationen zu Cookies / Privacy Overview

Informationen zu Cookies / Privacy Overview


Diese Webseite benutzt Cookies um die Funktion und die Nutzererfahrung zu verbessern. Es gibt zwei Arten von Cookies: Die notwendigen im Browser gespeichert und sind wichtig für die korrekte Funktion der Webseite. Die nicht notwendigen oder auch Drittanbieter-Cookies, die zum Einsatz kommen, dienen zur Analyse und zeigen uns die Benutzung dieser Webseite. Diese Cookies werden ebenfalls im Browser gespeichert aber nur, wenn Sie es ausdrücklich erlauben. Sie haben im Folgenden die Möglichkeit, diese Drittanbieter-Cookies zu verbieten. Das Abschalten dieser  Cookies kann das Verhalten der Webseite beeinflussen.


This website uses cookies to improve your experience while you navigate through the website. Out of these cookies, the cookies that are categorized as necessary are stored on your browser as they are essential for the working of basic functionalities of the website. We also use third-party cookies that help us analyze and understand how you use this website. These cookies will be stored in your browser only with your consent. You also have the option to opt-out of these cookies. But opting out of some of these cookies may have an effect on your browsing experience.

necessary
immer aktiv
Necessary cookies are absolutely essential for the website to function properly. This category only includes cookies that ensures basic functionalities and security features of the website. These cookies do not store any personal information.
CookieDauerBeschreibung
AWSALBCORS7 daysThis cookie is managed by Amazon Web Services and is used for load balancing.
client_id10 yearsThis cookie is used for passing authentication information.
cookielawinfo-checkbox-advertisement1 yearSet by the GDPR Cookie Consent plugin, this cookie is used to record the user consent for the cookies in the "Advertisement" category .
cookielawinfo-checkbox-advertisement1 yearSet by the GDPR Cookie Consent plugin, this cookie is used to record the user consent for the cookies in the "Advertisement" category .
cookielawinfo-checkbox-analytics1 yearSet by the GDPR Cookie Consent plugin, this cookie is used to record the user consent for the cookies in the "Analytics" category .
cookielawinfo-checkbox-analytics11 monthsThis cookie is set by GDPR Cookie Consent plugin. The cookie is used to store the user consent for the cookies in the category "Analytics".
cookielawinfo-checkbox-analytics11 monthsThis cookie is set by GDPR Cookie Consent plugin. The cookie is used to store the user consent for the cookies in the category "Analytics".
cookielawinfo-checkbox-functional1 yearThe cookie is set by the GDPR Cookie Consent plugin to record the user consent for the cookies in the category "Functional".
cookielawinfo-checkbox-functional11 monthsThe cookie is set by GDPR cookie consent to record the user consent for the cookies in the category "Functional".
cookielawinfo-checkbox-functional11 monthsThe cookie is set by GDPR cookie consent to record the user consent for the cookies in the category "Functional".
cookielawinfo-checkbox-necessary1 yearSet by the GDPR Cookie Consent plugin, this cookie is used to record the user consent for the cookies in the "Necessary" category .
cookielawinfo-checkbox-necessary11 monthsThis cookie is set by GDPR Cookie Consent plugin. The cookies is used to store the user consent for the cookies in the category "Necessary".
cookielawinfo-checkbox-necessary11 monthsThis cookie is set by GDPR Cookie Consent plugin. The cookies is used to store the user consent for the cookies in the category "Necessary".
cookielawinfo-checkbox-non-necessary1 yearSet by the GDPR Cookie Consent plugin, this cookie is used to record the user consent for the cookies in the "Non-necessary" category .
cookielawinfo-checkbox-others1 yearSet by the GDPR Cookie Consent plugin, this cookie is used to store the user consent for cookies in the category "Others".
cookielawinfo-checkbox-others11 monthsThis cookie is set by GDPR Cookie Consent plugin. The cookie is used to store the user consent for the cookies in the category "Other.
cookielawinfo-checkbox-others11 monthsThis cookie is set by GDPR Cookie Consent plugin. The cookie is used to store the user consent for the cookies in the category "Other.
cookielawinfo-checkbox-performance1 yearSet by the GDPR Cookie Consent plugin, this cookie is used to store the user consent for cookies in the category "Performance".
cookielawinfo-checkbox-performance11 monthsThis cookie is set by GDPR Cookie Consent plugin. The cookie is used to store the user consent for the cookies in the category "Performance".
cookielawinfo-checkbox-performance11 monthsThis cookie is set by GDPR Cookie Consent plugin. The cookie is used to store the user consent for the cookies in the category "Performance".
CookieLawInfoConsent1 yearRecords the default button state of the corresponding category & the status of CCPA. It works only in coordination with the primary cookie.
CookieLawInfoConsent1 yearRecords the default button state of the corresponding category & the status of CCPA. It works only in coordination with the primary cookie.
ezCMPCCS1 yearEzoic sets this cookie to track when a user consents to statistics cookies.
PHPSESSIDsessionThis cookie is native to PHP applications. The cookie is used to store and identify a users' unique session ID for the purpose of managing user session on the website. The cookie is a session cookies and is deleted when all the browser windows are closed.
viewed_cookie_policy11 monthsThe cookie is set by the GDPR Cookie Consent plugin and is used to store whether or not user has consented to the use of cookies. It does not store any personal data.
viewed_cookie_policy11 monthsThe cookie is set by the GDPR Cookie Consent plugin and is used to store whether or not user has consented to the use of cookies. It does not store any personal data.
Nicht notwendige
Alle Cookies, die für die korrekte Funktion der Webseite nicht unmittelbar notwendig sind und genutzt werden, um persönliche Nutzerdaten per Analyse, Werbung oder anderen eingebetteten Inhalt zu sammeln, werden als nicht notwendige Cookies bezeichnet. Es ist zwingend erforderlich die Zustimmung des Nutzers / der Nutzerin einzuholen, bevor diese Cookies zur Anwendung kommen. Wird die Einwilligung zur Nutzung der Cookies nicht erteilt, werden sie nicht angewendet und nur die notwendigen Cookies sind aktiv.
CookieDauerBeschreibung
__qca1 year 26 daysThe __qca cookie is associated with Quantcast. This anonymous data helps us to better understand users' needs and customize the website accordingly.
eudssessionThis cookie is set by Rocket Fuel for targeted advertising so that users are shown relevant ads.
i10 yearsThis cookie is set by OpenX to record anonymized user data, such as IP address, geographical location, websites visited, ads clicked by the user etc., for relevant advertising.
IDE1 year 24 daysGoogle DoubleClick IDE cookies are used to store information about how the user uses the website to present them with relevant ads and according to the user profile.
mc1 year 1 monthQuantserve sets the mc cookie to anonymously track user behaviour on the website.
rud1 year 24 daysThe rud cookie is owned by Rocketfuel and registers user data, such as IP address, location, etc. for the purpose of optimising ad display.
rudssessionThis cookie is owned by Rocketfuel and collects anonymous user data to target audiences and deliver personalized ads.
test_cookie15 minutesThe test_cookie is set by doubleclick.net and is used to determine if the user's browser supports cookies.
VISITOR_INFO1_LIVE5 months 27 daysA cookie set by YouTube to measure bandwidth that determines whether the user gets the new or old player interface.
YSCsessionYSC cookie is set by Youtube and is used to track the views of embedded videos on Youtube pages.
yt-remote-connected-devicesneverYouTube sets this cookie to store the video preferences of the user using embedded YouTube video.
yt-remote-device-idneverYouTube sets this cookie to store the video preferences of the user using embedded YouTube video.
yt.innertube::nextIdneverThis cookie, set by YouTube, registers a unique ID to store data on what videos from YouTube the user has seen.
yt.innertube::requestsneverThis cookie, set by YouTube, registers a unique ID to store data on what videos from YouTube the user has seen.
Funktionelle
Funktionelle Cookies werden benutzt, um bestimmte Funktionen wie die Teilung von Informationen auf Plattformen der sozialen Medien, Sammlung von Rückmeldungen und andre Drittanbieterfunktionen einsetzen zu können.
CookieDauerBeschreibung
__cf_bm30 minutesThis cookie, set by Cloudflare, is used to support Cloudflare Bot Management.
pll_language1 yearThe pll _language cookie is used by Polylang to remember the language selected by the user when returning to the website, and also to get the language information when not available in another way.
Leistungsanalyse
Leistungsanalyse-Cookies werden eingesetzt um die wichtigsten Leistungsaspekte zu analysieren und zu verstehen. Dies trägt dazu bei, die Webseite kontinuierlich zu verbessern und so den Besuchern eine gute Nutzererfahrung zu bieten.
CookieDauerBeschreibung
AWSALB7 daysAWSALB is an application load balancer cookie set by Amazon Web Services to map the session to the target.
ezds7 yearsThe ezds cookie is set by the provider Ezoic, and is used for storing the pixel size of the user's browser, to personalize user experience and ensure content fits.
ezoab_10342 hoursEzoic uses this cookie to split test different features and functionality.
ezohw7 yearsThe ezohw cookie is set by the provider Ezoic, and is used for storing the pixel size of the user's browser, to personalize user experience and ensure content fits.
ymex1 yearYandex sets this cookie to collect information about the user behaviour on the website. This information is used for website analysis and for website optimisation.
yuidss1 yearYandex stores this cookie in the user's browser in order to recognize the visitor.
Analytik
Analytische Cookies werden benutzt um zu verstehen, auf welche Art und Weise Besucher mit dieser Webseite interagieren. Diese Cookies helfen Informationen über Anzahl der Besucher, Absprungrate (Anzahl der Besucher,, die eine Webseite Besuchen und sie gleich wieder verlassen), Ursprungsland des Besuchers, usw. zu erhalten.
CookieDauerBeschreibung
__gads1 year 24 daysThe __gads cookie, set by Google, is stored under DoubleClick domain and tracks the number of times users see an advert, measures the success of the campaign and calculates its revenue. This cookie can only be read from the domain they are set on and will not track any data while browsing through other sites.
_gu1 monthThis cookie is set by the provider Getsitecontrol. This cookie is used to distinguish the users.
_ym_d1 yearYandex sets this cookie to store the date of the users first site session.
_ym_isad20 hoursYandex sets this cookie to determine if a visitor has ad blockers.
_ym_uid1 yearYandex sets this cookie to identify site users.
CONSENT2 yearsYouTube sets this cookie via embedded youtube-videos and registers anonymous statistical data.
eud1 year 24 daysThis cookie is owned by Rocketfuel and collects anonymous user data to target audiences and deliver personalized ads.
ezepvv1 dayThis cookie is set by the provider Ezoic to track what pages the user has viewed.
ezoadgid_103430 minutesEzoic uses this cookie to record an id for the user's age and gender category.
ezoref_10342 hoursEzoic uses this cookie to store the referring domain, i.e the website the user was on, before he came to the current website.
ezouspvasessionThe ezouspva cookie is set by the provider Ezoic and is used to track the number of pages a user has visited all time.
ezouspvvsessionThe ezouspvv cookie is set by the provider Ezoic and is used to track the number of pages a user has visited all time.
UserID13 monthsThis cookie is set by ADITION Technologies AG, as a unique and anonymous ID for the visitor of the website, to identify unique users across multiple sessions.
yabs-sidsessionYandex sets this cookie to store the session ID.
yandexuid1 yearYandex sets this cookie to identify site users.
Werbung
Werbungs-Cookies werden benutzt um Besuchern relevante Werbungen und Vermarktungskampanien anzuzeigen. Diese Cookies verfolgen die Besucher beim Besuch einer Webseite und sammeln Informationen mit deren Hilfe sie angepasste Werbungen einblenden.
CookieDauerBeschreibung
__qca1 year 26 daysThe __qca cookie is associated with Quantcast. This anonymous data helps us to better understand users' needs and customize the website accordingly.
eudssessionThis cookie is set by Rocket Fuel for targeted advertising so that users are shown relevant ads.
i10 yearsThis cookie is set by OpenX to record anonymized user data, such as IP address, geographical location, websites visited, ads clicked by the user etc., for relevant advertising.
IDE1 year 24 daysGoogle DoubleClick IDE cookies are used to store information about how the user uses the website to present them with relevant ads and according to the user profile.
mc1 year 1 monthQuantserve sets the mc cookie to anonymously track user behaviour on the website.
rud1 year 24 daysThe rud cookie is owned by Rocketfuel and registers user data, such as IP address, location, etc. for the purpose of optimising ad display.
rudssessionThis cookie is owned by Rocketfuel and collects anonymous user data to target audiences and deliver personalized ads.
test_cookie15 minutesThe test_cookie is set by doubleclick.net and is used to determine if the user's browser supports cookies.
VISITOR_INFO1_LIVE5 months 27 daysA cookie set by YouTube to measure bandwidth that determines whether the user gets the new or old player interface.
YSCsessionYSC cookie is set by Youtube and is used to track the views of embedded videos on Youtube pages.
yt-remote-connected-devicesneverYouTube sets this cookie to store the video preferences of the user using embedded YouTube video.
yt-remote-device-idneverYouTube sets this cookie to store the video preferences of the user using embedded YouTube video.
yt.innertube::nextIdneverThis cookie, set by YouTube, registers a unique ID to store data on what videos from YouTube the user has seen.
yt.innertube::requestsneverThis cookie, set by YouTube, registers a unique ID to store data on what videos from YouTube the user has seen.
Sonstige
Zu den sonstigen unkategorisierten Cookies zählen jene, die zwar analysiert wurden, aber noch keiner Kategorie zugeordnet werden konnten.
CookieDauerBeschreibung
_auid1 yearNo description available.
active_template::3326192 days

No description

appReleasesessionNo description available.
BACKENDIDsessionNo description available.
dspid1 yearNo description available.
ezoab_3326192 hoursNo description
ezoadgid_33261930 minutesNo description
ezopvc_33261930 minutesNo description
ezoref_3326192 hoursNo description
ezosuibasgeneris-11 yearNo description
ezovid_33261930 minutesNo description
ezovuuid_33261930 minutesNo description
ezovuuidtime_3326192 daysNo description
ezux_lpl_3326191 yearNo description
f_0013 monthsNo description
g_0011 dayNo description
gt_auto_switch1 monthNo description available.
lp_33261930 minutesNo description
mts_id9 years 10 months 8 daysNo description available.
mts_id_last_sync9 years 10 months 8 daysNo description available.
pvc_visits[0]1 yearThis cookie is created by post-views-counter. This cookie is used to count the number of visits to a post. It also helps in preventing repeat views of a post by a visitor.
srpsessionNo description available.
userId5 months 27 daysNo description
Notwendige
Notwendige Cookies sind für die korrekte Funktion der Webseite unerlässlich. Diese Kategorie enthält nur Cookies, die grundlegende Funktionalitäten und Sicherheitsfunktionen der Webseite ermöglichen. Diese Cookies speichern keine persönlichen Daten.
CookieDauerBeschreibung
AWSALBCORS7 daysThis cookie is managed by Amazon Web Services and is used for load balancing.
client_id10 yearsThis cookie is used for passing authentication information.
cookielawinfo-checkbox-advertisement1 yearSet by the GDPR Cookie Consent plugin, this cookie is used to record the user consent for the cookies in the "Advertisement" category .
cookielawinfo-checkbox-analytics1 yearSet by the GDPR Cookie Consent plugin, this cookie is used to record the user consent for the cookies in the "Analytics" category .
cookielawinfo-checkbox-functional1 yearThe cookie is set by the GDPR Cookie Consent plugin to record the user consent for the cookies in the category "Functional".
cookielawinfo-checkbox-necessary1 yearSet by the GDPR Cookie Consent plugin, this cookie is used to record the user consent for the cookies in the "Necessary" category .
cookielawinfo-checkbox-non-necessary1 yearSet by the GDPR Cookie Consent plugin, this cookie is used to record the user consent for the cookies in the "Non-necessary" category .
cookielawinfo-checkbox-others1 yearSet by the GDPR Cookie Consent plugin, this cookie is used to store the user consent for cookies in the category "Others".
cookielawinfo-checkbox-performance1 yearSet by the GDPR Cookie Consent plugin, this cookie is used to store the user consent for cookies in the category "Performance".
CookieLawInfoConsent1 yearRecords the default button state of the corresponding category & the status of CCPA. It works only in coordination with the primary cookie.
ezCMPCCS1 yearEzoic sets this cookie to track when a user consents to statistics cookies.
Advertisement
Advertisement cookies are used to provide visitors with relevant ads and marketing campaigns. These cookies track visitors across websites and collect information to provide customized ads.
CookieDauerBeschreibung
__qca1 year 26 daysThe __qca cookie is associated with Quantcast. This anonymous data helps us to better understand users' needs and customize the website accordingly.
eudssessionThis cookie is set by Rocket Fuel for targeted advertising so that users are shown relevant ads.
i10 yearsThis cookie is set by OpenX to record anonymized user data, such as IP address, geographical location, websites visited, ads clicked by the user etc., for relevant advertising.
IDE1 year 24 daysGoogle DoubleClick IDE cookies are used to store information about how the user uses the website to present them with relevant ads and according to the user profile.
loc1 year 1 monthAddThis sets this geolocation cookie to help understand the location of users who share the information.
mc1 year 1 monthQuantserve sets the mc cookie to anonymously track user behaviour on the website.
rud1 year 24 daysThe rud cookie is owned by Rocketfuel and registers user data, such as IP address, location, etc. for the purpose of optimising ad display.
rudssessionThis cookie is owned by Rocketfuel and collects anonymous user data to target audiences and deliver personalized ads.
test_cookie15 minutesThe test_cookie is set by doubleclick.net and is used to determine if the user's browser supports cookies.
VISITOR_INFO1_LIVE5 months 27 daysA cookie set by YouTube to measure bandwidth that determines whether the user gets the new or old player interface.
VISITOR_INFO1_LIVE5 months 27 daysA cookie set by YouTube to measure bandwidth that determines whether the user gets the new or old player interface.
YSCsessionYSC cookie is set by Youtube and is used to track the views of embedded videos on Youtube pages.
YSCsessionYSC cookie is set by Youtube and is used to track the views of embedded videos on Youtube pages.
yt-remote-connected-devicesneverYouTube sets this cookie to store the video preferences of the user using embedded YouTube video.
yt-remote-connected-devicesneverYouTube sets this cookie to store the video preferences of the user using embedded YouTube video.
yt-remote-device-idneverYouTube sets this cookie to store the video preferences of the user using embedded YouTube video.
yt-remote-device-idneverYouTube sets this cookie to store the video preferences of the user using embedded YouTube video.
yt.innertube::nextIdneverThis cookie, set by YouTube, registers a unique ID to store data on what videos from YouTube the user has seen.
yt.innertube::requestsneverThis cookie, set by YouTube, registers a unique ID to store data on what videos from YouTube the user has seen.
non-necessary
Other uncategorized cookies are those that are being analyzed and have not been classified into a category as yet.
CookieDauerBeschreibung
_auid1 yearNo description available.
active_template::3326192 days

No description

appReleasesessionNo description available.
BACKENDIDsessionNo description available.
dspid1 yearNo description available.
ezoab_3326192 hoursNo description
ezoadgid_33261930 minutesNo description
ezopvc_33261930 minutesNo description
ezoref_3326192 hoursNo description
ezosuibasgeneris-11 yearNo description
ezovid_33261930 minutesNo description
ezovuuid_33261930 minutesNo description
ezovuuidtime_3326192 daysNo description
ezux_lpl_3326191 yearNo description
f_0013 monthsNo description
g_0011 dayNo description
gt_auto_switch1 monthNo description available.
lp_33261930 minutesNo description
mts_id9 years 10 months 8 daysNo description available.
mts_id_last_sync9 years 10 months 8 daysNo description available.
pvc_visits[0]1 yearThis cookie is created by post-views-counter. This cookie is used to count the number of visits to a post. It also helps in preventing repeat views of a post by a visitor.
srpsessionNo description available.
srpsessionNo description available.
userId5 months 27 daysNo description
xtc1 year 1 monthNo description
performance
Performance cookies are used to understand and analyze the key performance indexes of the website which helps in delivering a better user experience for the visitors.
CookieDauerBeschreibung
AWSALB7 daysAWSALB is an application load balancer cookie set by Amazon Web Services to map the session to the target.
ezds7 yearsThe ezds cookie is set by the provider Ezoic, and is used for storing the pixel size of the user's browser, to personalize user experience and ensure content fits.
ezoab_10342 hoursEzoic uses this cookie to split test different features and functionality.
ezohw7 yearsThe ezohw cookie is set by the provider Ezoic, and is used for storing the pixel size of the user's browser, to personalize user experience and ensure content fits.
ymex1 yearYandex sets this cookie to collect information about the user behaviour on the website. This information is used for website analysis and for website optimisation.
yuidss1 yearYandex stores this cookie in the user's browser in order to recognize the visitor.
Others
Other uncategorized cookies are those that are being analyzed and have not been classified into a category as yet.
CookieDauerBeschreibung
_auid1 yearNo description available.
active_template::3326192 days

No description

appReleasesessionNo description available.
BACKENDIDsessionNo description available.
dspid1 yearNo description available.
ezoab_3326192 hoursNo description
ezoadgid_33261930 minutesNo description
ezopvc_33261930 minutesNo description
ezoref_3326192 hoursNo description
ezosuibasgeneris-11 yearNo description
ezovid_33261930 minutesNo description
ezovuuid_33261930 minutesNo description
ezovuuidtime_3326192 daysNo description
ezux_lpl_3326191 yearNo description
f_0013 monthsNo description
g_0011 dayNo description
gt_auto_switch1 monthNo description available.
lp_33261930 minutesNo description
mts_id9 years 10 months 8 daysNo description available.
mts_id_last_sync9 years 10 months 8 daysNo description available.
pvc_visits[0]1 yearThis cookie is created by post-views-counter. This cookie is used to count the number of visits to a post. It also helps in preventing repeat views of a post by a visitor.
srpsessionNo description available.
srpsessionNo description available.
userId5 months 27 daysNo description
xtc1 year 1 monthNo description
Analytics
Analytical cookies are used to understand how visitors interact with the website. These cookies help provide information on metrics the number of visitors, bounce rate, traffic source, etc.
CookieDauerBeschreibung
__gads1 year 24 daysThe __gads cookie, set by Google, is stored under DoubleClick domain and tracks the number of times users see an advert, measures the success of the campaign and calculates its revenue. This cookie can only be read from the domain they are set on and will not track any data while browsing through other sites.
_gu1 monthThis cookie is set by the provider Getsitecontrol. This cookie is used to distinguish the users.
_ym_d1 yearYandex sets this cookie to store the date of the users first site session.
_ym_isad20 hoursYandex sets this cookie to determine if a visitor has ad blockers.
_ym_uid1 yearYandex sets this cookie to identify site users.
at-randneverAddThis sets this cookie to track page visits, sources of traffic and share counts.
CONSENT2 yearsYouTube sets this cookie via embedded youtube-videos and registers anonymous statistical data.
CONSENT2 yearsYouTube sets this cookie via embedded youtube-videos and registers anonymous statistical data.
eud1 year 24 daysThis cookie is owned by Rocketfuel and collects anonymous user data to target audiences and deliver personalized ads.
ezepvv1 dayThis cookie is set by the provider Ezoic to track what pages the user has viewed.
ezoadgid_103430 minutesEzoic uses this cookie to record an id for the user's age and gender category.
ezoref_10342 hoursEzoic uses this cookie to store the referring domain, i.e the website the user was on, before he came to the current website.
ezouspvasessionThe ezouspva cookie is set by the provider Ezoic and is used to track the number of pages a user has visited all time.
ezouspvvsessionThe ezouspvv cookie is set by the provider Ezoic and is used to track the number of pages a user has visited all time.
UserID13 monthsThis cookie is set by ADITION Technologies AG, as a unique and anonymous ID for the visitor of the website, to identify unique users across multiple sessions.
uvc1 year 1 monthSet by addthis.com to determine the usage of addthis.com service.
yabs-sidsessionYandex sets this cookie to store the session ID.
yandexuid1 yearYandex sets this cookie to identify site users.
Functional
Functional cookies help to perform certain functionalities like sharing the content of the website on social media platforms, collect feedbacks, and other third-party features.
CookieDauerBeschreibung
__atuvc1 year 1 monthAddThis sets this cookie to ensure that the updated count is seen when one shares a page and returns to it, before the share count cache is updated.
__atuvs30 minutesAddThis sets this cookie to ensure that the updated count is seen when one shares a page and returns to it, before the share count cache is updated.
__cf_bm30 minutesThis cookie, set by Cloudflare, is used to support Cloudflare Bot Management.
pll_language1 yearThe pll _language cookie is used by Polylang to remember the language selected by the user when returning to the website, and also to get the language information when not available in another way.
pll_language1 yearThe pll _language cookie is used by Polylang to remember the language selected by the user when returning to the website, and also to get the language information when not available in another way.
SPEICHERN & AKZEPTIEREN
Präsentiert von CookieYes Logo