├── .astro ├── settings.json └── types.d.ts ├── .gitignore ├── .vscode ├── extensions.json └── launch.json ├── LICENSE ├── README.md ├── README_EN.md ├── astro.config.mjs ├── package-lock.json ├── package.json ├── politica_de_privacidad ├── README.md └── README_EN.md ├── public └── favicon.svg ├── src ├── env.d.ts ├── layout │ ├── index.astro │ ├── posthog.astro │ └── style.css └── pages │ ├── english.astro │ ├── index.astro │ ├── politica_de_privacidad │ ├── english.astro │ └── index.astro │ ├── terminos_de_compra_e_imagen │ ├── english.astro │ └── index.astro │ └── terminos_de_servicio │ ├── english.astro │ └── index.astro ├── terminos_de_compra_e_imagen ├── README.md └── README_EN.md ├── terminos_de_servicio ├── README.md └── README_EN.md └── tsconfig.json /.astro/settings.json: -------------------------------------------------------------------------------- 1 | { 2 | "_variables": { 3 | "lastUpdateCheck": 1727676603533 4 | } 5 | } -------------------------------------------------------------------------------- /.astro/types.d.ts: -------------------------------------------------------------------------------- 1 | /// 2 | -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | # Logs 2 | logs 3 | *.log 4 | npm-debug.log* 5 | 6 | # Runtime data 7 | pids 8 | *.pid 9 | *.seed 10 | 11 | # Directory for instrumented libs generated by jscoverage/JSCover 12 | lib-cov 13 | 14 | # Coverage directory used by tools like istanbul 15 | coverage 16 | 17 | # nyc test coverage 18 | .nyc_output 19 | 20 | # Grunt intermediate storage (http://gruntjs.com/creating-plugins#storing-task-files) 21 | .grunt 22 | 23 | # node-waf configuration 24 | .lock-wscript 25 | 26 | # Compiled binary addons (http://nodejs.org/api/addons.html) 27 | build/Release 28 | 29 | # Dependency directories 30 | node_modules 31 | jspm_packages 32 | 33 | # Optional npm cache directory 34 | .npm 35 | 36 | # Optional REPL history 37 | .node_repl_history 38 | 39 | dist -------------------------------------------------------------------------------- /.vscode/extensions.json: -------------------------------------------------------------------------------- 1 | { 2 | "recommendations": ["astro-build.astro-vscode"], 3 | "unwantedRecommendations": [] 4 | } 5 | -------------------------------------------------------------------------------- /.vscode/launch.json: -------------------------------------------------------------------------------- 1 | { 2 | "version": "0.2.0", 3 | "configurations": [ 4 | { 5 | "command": "./node_modules/.bin/astro dev", 6 | "name": "Development server", 7 | "request": "launch", 8 | "type": "node-terminal" 9 | } 10 | ] 11 | } 12 | -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | MIT License 2 | 3 | Copyright (c) 2016 Noders 4 | 5 | Permission is hereby granted, free of charge, to any person obtaining a copy 6 | of this software and associated documentation files (the "Software"), to deal 7 | in the Software without restriction, including without limitation the rights 8 | to use, copy, modify, merge, publish, distribute, sublicense, and/or sell 9 | copies of the Software, and to permit persons to whom the Software is 10 | furnished to do so, subject to the following conditions: 11 | 12 | The above copyright notice and this permission notice shall be included in all 13 | copies or substantial portions of the Software. 14 | 15 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR 16 | IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, 17 | FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE 18 | AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER 19 | LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, 20 | OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE 21 | SOFTWARE. 22 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # Código de Conducta 2 | 3 | ## Disclaimer 4 | 5 | > Todos los asistentes, expositores, voluntarios y auspiciadores tanto de los eventos realizados a traves de Javascript Chile (JSConf, TechSchool, Meetups, e-Meetups, Podcasts, etc), asi como quienes participen e interactuen en cualquiera de las plataformas de redes sociales (Facebook, Slack, Discord, Twitter, etc), se comprometen a seguir y respetar nuestro código de conducta. 6 | > 7 | > La organización siempre se encargará de velar por el cumplimiento y respeto de lo aquí expuesto. 8 | > 9 | > No se harán excepciones de ningún tipo. 10 | 11 | ### La versión más corta de todas 12 | 13 | ¿Has visto como luego de algunos eventos, todos terminan hablando de “aquella persona” que causó un mal rato a uno o más asistentes?. Que no sea de ti de quien hablen :) 14 | 15 | ### La versión no tan corta 16 | 17 | En los eventos desarrollados por Javascript Chile (JSConf, TechSchool, Conferencias, etc), asi como en cualquiera de las plataformas de redes sociales (Facebook, Slack, Discord, Twitter, etc) buscamos crear un espacio, y una experiencia, libre de acoso. 18 | 19 | Nuestro lema es que todos son bienvenidos, sin importar género, raza, orientación sexual, capacidades, apariencia física y/o creencias. 20 | 21 | ***No toleramos el acoso bajo ningún tipo, forma ni contexto, directa o indirectamente***. Cualquier participante que viole estas reglas será sancionado y expulsado de este y futuros eventos. 22 | 23 | ### La versión más larga 24 | 25 | #### ¿Qué se entiende por acoso? 26 | 27 | Abuso físico y/o verbal relacionados al género de una persona, orientación sexual, capacidades, género, apariencia física, nivel de conocimiento, raza y/o creencias religiosas. Adicionalmente, creación y/o reproducción de imágenes de contenido sexual en espacios públicos, intimidación física y/o verbal, acecho, interrupciones groseras de charlas y/o contacto físico inapropiado. 28 | 29 | La organización se reserva el derecho de solicitar que cualquier comportamiento relacionado a lo anterior que sea visto durante un evento, sea detenido inmediatamente por quien(es) lo realizan. Adicionalmente, quienes atenten contra este código de conducta, podrán ser expulsados de este y futuros eventos. 30 | 31 | Si eres víctima o testigo de algún tipo de acoso, de cualquiera según lo detallado anteriormente, por favor contacta a un miembro de la organización de forma inmediata. Los encargados del evento se identificarán oportunamente al comienzo de cada instancia. 32 | 33 | Si es necesario, la organización ayudará a contactar autoridades policiales y/o proveerá cualquier tipo de asistencia necesaria para remediar la situación. 34 | 35 | --- 36 | 37 | ### ***Somos una comunidad inclusiva que valora la diversidad. Si no estás de acuerdo con esto, probablemente no debas estar en nuestros eventos*** ;) 38 | -------------------------------------------------------------------------------- /README_EN.md: -------------------------------------------------------------------------------- 1 | # Code of Conduct 2 | 3 | ## Disclaimer 4 | 5 | > All attendees, speakers, volunteers and sponsors of both the events held through Javascript Chile (JSConf, TechSchool, Meetups, e-Meetups, Podcasts, etc), as well as those who participate and interact on any of the social media platforms (Facebook, Slack, Discord, Twitter, etc), must follow and respect our code of conduct. 6 | > 7 | > The organization will do their best to ensure compliance, and agreement for what is stated here. 8 | > 9 | > There will be no exceptions of any kind. 10 | 11 | ### The shortest version of all 12 | 13 | Have you ever seen, that after some events, everyone ends up talking about "that person" who caused one or more attendees a hard time? Don't be that person :) 14 | 15 | ### The not so short version 16 | 17 | In all the events run by Javascript Chile (JSConf, TechSchool, Conferences, etc), as well as in any of the social network platforms (Facebook, Slack, Discord, Twitter, etc) we seek to create a space, and an experience, free of harassment. 18 | 19 | Our motto is that everyone is welcome, regardless of gender, race, sexual orientation, disabilities, physical appearance and/or beliefs. 20 | 21 | ***We do not tolerate harassment in any way, form or context, directly or indirectly***. Any participant who violates these rules will be sanctioned and expelled from this and future events. 22 | 23 | ### The longest version 24 | 25 | #### What do we mean by harassment? 26 | 27 | Any Physical and/or verbal abuse related to a person's gender, sexual orientation, disabilities, gender, physical appearance, level of knowledge, race and/or religious beliefs. Additionally, creation and/or reproduction of images of sexual content in public spaces, physical and/or verbal intimidation, stalking, rude interruptions of chats and/or inappropriate physical contact. 28 | 29 | The organization reserves the right to request that any behavior related to the above that is seen during an event be stopped immediately by the person(s) who carry it out. Additionally, those who violate this code of conduct may be expelled from this and future events. 30 | 31 | If you are a victim of or witness to any form of harassment, any of the listed above or others, please contact a member of the organization immediately. Those in charge of the event will be presented at the beginning of each event, and easily identifiable. 32 | 33 | If necessary, the organization will help contact law enforcement authorities and/or provide any assistance needed to remedy the situation. 34 | 35 | --- 36 | 37 | ### ***We are an inclusive community that values, and promotes diversity. If you don't agree with this, you probably shouldn't be in our events*** ;) -------------------------------------------------------------------------------- /astro.config.mjs: -------------------------------------------------------------------------------- 1 | import { defineConfig } from 'astro/config'; 2 | 3 | // https://astro.build/config 4 | export default defineConfig({}); 5 | -------------------------------------------------------------------------------- /package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "", 3 | "type": "module", 4 | "version": "0.0.1", 5 | "scripts": { 6 | "dev": "astro dev", 7 | "start": "astro dev", 8 | "build": "astro build", 9 | "preview": "astro preview", 10 | "astro": "astro" 11 | }, 12 | "dependencies": { 13 | "astro": "^4.12.2" 14 | } 15 | } -------------------------------------------------------------------------------- /politica_de_privacidad/README.md: -------------------------------------------------------------------------------- 1 | # Política de Privacidad 2 | 3 | JSConf Chile se toma su privacidad en serio. Para proteger mejor su privacidad, JSConf Chile proporciona este aviso de política de privacidad que explica la forma en que se recopila y utiliza su información personal. 4 | 5 | - Respetamos tu privacidad, siempre lo hemos hecho, siempre lo haremos. 6 | - Nunca daremos, bajo contexto alguno, información individual, siempre entregamos en nuestros análisis información agregada. Así volvemos imposible que se sepa tu opinión o visión individual. 7 | - Te aseguramos que nunca venderemos tus datos: nunca lo hemos hecho, nunca lo haremos. 8 | - No hacemos SPAM, nunca lo hemos hecho, nunca lo haremos; no enviamos correos electrónicos con fines comerciales a menos que tú hayas tomado la decisión de recibirlos y siempre tendrás la opción de desuscribirte de este tipo de correspondencia. 9 | 10 | ## Qué datos recolectamos y por qué 11 | 12 | Recolectamos los datos que nos permiten hacer nuestro trabajo de análisis para detectar patrones de comportamiento con el fin de aproximarnos a entender la cultura de las organizaciones y la cultura del trabajo remoto. 13 | 14 | En la práctica los datos que recolectamos (y explícitamente algunos que no recolectamos) son. 15 | 16 | **Identidad y acceso** 17 | Para relacionarte con nuestros productos y participar de nuestros estudios, nosotros normalmente te pediremos tu nombre y correo electrónico. Esto nos permite identificarte, para que tú puedas acceder a tu información y nuestros productos; también para que nosotros te podamos enviar documentos de pago, actualizaciones, u otra información esencial. 18 | 19 | Envío de correos electrónicos: Aquí hacemos de inmediato un alcance: No hacemos SPAM, nunca lo hemos hecho, nunca lo haremos; no enviamos correos electrónicos con fines comerciales a menos que tú hayas tomado la decisión de recibirlos y siempre tendrás la opción de desuscribirte de este tipo de correspondencia. 20 | 21 | **Información de facturación** 22 | Cuando tu pagas por alguno de nuestros productos, te pediremos datos de facturación. De esta forma podemos generar y enviarte nuestra factura. Actualmente no utilizamos un sistema de pago interno para el caso de tarjetas de crédito o de debito, utilizando servicios de terceros como Stripe, Mercadopago y Webpay. 23 | 24 | **Geolocalización** 25 | Registramos todos tus acceso a nuestros productos a través de tu dirección IP para verificar que no ocurran accesos (inicio de sesión) no autorizados. Nosotros mantenemos estos datos de acceso a nuestro servicios por todo el tiempo que tu cuenta esté activa. 26 | 27 | Registramos la dirección IP que utilizas para crear un cuenta en nuestro productos. Mantenemos estos datos para siempre porque los usamos para mitigar registros spam. 28 | 29 | La analítica web — descrita más adelante en Interacción Web — está también asociada a la dirección IP para ayudarnos a resolver problemas y mejorar nuestra estrategia. 30 | 31 | **Interacción Web** 32 | Cuando tu navegador llega a nuestras páginas de marketing, productos o aplicaciones, tu navegador automáticamente comparte cierta información como qué sistema operativo y que versión del navegador estás usando. Nosotros seguimos esa información, junto a la página que visitas, el tiempo de carga de la página, y qué servicio web te derivó a nosotros para propósitos estadísticos como tasa de conversión, y para probar nuevos diseños. Esta analítica está vinculada a tu dirección IP y datos de usuario si es aplicable y estás registrado a nuestros servicios. 33 | 34 | Usamos aplicaciones de terceros para la analítca web, específicamente Google Analytics. Queremos en el futuro quitar este servicio para tener un sistema de analítica mejor ya que Google utiliza esta información para sus propios productos. 35 | 36 | **Anti-bot** 37 | Usamos CAPTCHA en nuestras aplicaciones para mitigar intentos de acceso por “fuerza bruta” y SPAM. 38 | 39 | **Cookies and Do Not Track** 40 | Usamos “persistent first-party cookies” para guardar preferencias, hacer mas simple para ti acceder a nuestras aplicaciones. Una “cookie” es un texto almacenado por tu navegador para ayudarte a recordar tus datos de acceso, preferencias, y más. Tu puedes ajustar por cuanto tiempo se guardan las cookie en tu navegados. Para aprender sobre cookies, incluyendo cómo ver qué cookies están siendo usadas, cómo son manejadas, y cómo borrarles, por favor visita allaboutcookies.org. 41 | 42 | **Correspondencia y datos voluntarios** 43 | Cuando tú nos escribes una pregunta y nos solicitas ayuda, nosotros guardamos esa conversación, incluyendo dirección email, así tenemos la historia de conversaciones pasadas para referirla si en necesario en el futuro. 44 | 45 | También almacenamos cualquier información que tu entregues de forma voluntaria como son las encuestas y los formularios. Algunas veces hacemos entrevistas a nuestro clientes, quizá te pidamos permiso para grabar la conversación para usarla como referencia en el futuro. Solo lo hacemos si tenemos tu consentimiento expreso. 46 | 47 | **Datos entregados en marco de consultoría** 48 | Quizá participes como trabajador de un cliente nuestro y se te invite a participar de algún estudio con nosotros. Si este es el caso, nosotros siempre promovemos que la participación sea voluntaria, junto con informar cuáles son los mínimos de respuestas necesarios para alcanzar adecuados niveles de confiabilidad en los tamaños de las muestras. 49 | 50 | Cada vez que participes de uno de nuestros estudios tus respuestas serán siempre privadas y nunca compartiremos a ningún tercero (incluyendo a tu empleador) datos, respuestas o resultados específicos relacionados a ti como persona individual. Respetamos tu privacidad, siempre lo hemos hecho, siempre lo haremos. 51 | 52 | Nuestros análisis, conclusiones y resultados en relación a estudios sobre la cultura de una organización siempre han sido y serán a nivel agregado. En estos estudios buscamos entender el comportamiento del conjunto. 53 | 54 | **De nuevo** 55 | 56 | - Respetamos tu privacidad, siempre lo hemos hecho, siempre lo haremos. 57 | - Nunca daremos, bajo contexto alguno, información individual, siempre entregamos en nuestros análisis información agregada. Así volvemos imposible que se sepa tu opinión o visión individual. 58 | - Te aseguramos que nunca venderemos tus datos: nunca lo hemos hecho, nunca lo haremos. 59 | - No hacemos SPAM, nunca lo hemos hecho, nunca lo haremos; no enviamos correos electrónicos con fines comerciales a menos que tú hayas tomado la decisión de recibirlos y siempre tendrás la opción de desuscribirte de este tipo de correspondencia. 60 | 61 | ## Cuándo accedemos a tu información y cuando la compartimos 62 | 63 | Nuestra practica por defecto es no acceder a tu información. Las únicas veces en que accedemos a tu información es para: 64 | 65 | Entregar el producto o servicios que nos solicitaste. Utilizamos servicios de terceros para usar nuestras aplicaciones y estos datos están vinculados a estos servicios de terceros. Por esto nos referimos a que usamos servicios tecnológicos para acceder y consultar tus datos (claro no están impresos en papel y guardado en archivadores). Estos procesos no incluyen a ningún humano que acceda a tus datos, a menos que un error se presente en nuestros procesos automatizados y necesitemos arreglar manualmente algo. En los raros casos que esto ocurra, buscamos el problema raíz para prevenir que vuelva a pasar. 66 | 67 | **Solucionar un problema** 68 | Para ayudar a resolver problemas en relación a nuestros productos o servicios. Si en algún punto necesitamos acceder a tus datos de tu cuenta de usuario ante una necesidad de soporte. 69 | 70 | **Mal uso de nuestros productos o servicios** 71 | Para investigar, prevenir, o tomar acciones en relación a mal uso de nuestros productos o servicios. Accedemos a tus datos cuando estamos investigando algún potencial abuso, esto es una medida de el último recurso. 72 | 73 | Tenemos la obligación de proteger la privacidad y la seguridad de nuestros clientes y de las personas que nos reporten problemas. Hacemos nuestro mejor esfuerzo en balancear ambas responsabilidades. Si descubrimos que tú estás utilizando nuestros productos o servicios de forma abusiva, o que has violado nuestro código de conducta, si es pertinente nosotros reportaremos el incidentes a las autoridades correspondientes. 74 | 75 | ## Tus derechos 76 | 77 | Reconocemos y respetamos tus derechos. 78 | 79 | **Derecho a saber.** Tu tienes el derecho a saber que información es recolectada, usada, compartida o vendida. En esta política delineamos los datos que recogemos, así como la forma en que se utilizan (o no). 80 | 81 | **Derecho a acceder.** Esto incluye su derecho a acceder a la información personal que recopilamos sobre ti, y tu derecho a obtener información sobre cómo se comparte, almacena, la seguridad y el procesamiento de esa información. 82 | 83 | **Derecho a corregir.** Tu tienes el derecho a corregir tu información personal. 84 | 85 | **Derecho a borrar / “al olvido".** Es tu derecho solicitar esto, que tu información personal sea borrada de nuestra posesión y, por extensión, de todos nuestros proveedores de servicios. El cumplimiento de algunas solicitudes de borrado de datos puede impedirle utilizar nuestros productos y servicios porque nuestras aplicaciones podrían dejar de funcionar para ti. En tales casos, una solicitud de eliminación de datos puede resultar en el cierre de tu cuenta. 86 | 87 | **Derecho a quejarse.** Tiene derecho a presentar una queja sobre el manejo de tu información personal ante la autoridad supervisora correspondiente. 88 | 89 | **Derecho a restringir el procesamiento de tu información.** Tienes derecho a solicitar la restricción de cómo y por qué se utiliza o procesa tu información personal, incluyendo la opción de no vender la información personal. (De nuevo: nunca hemos vendido ni venderemos tu datos) 90 | 91 | **Derecho a objetar.** Tiene el derecho, en ciertas situaciones, de objetar cómo o por qué se procesa su información personal. 92 | 93 | **Derecho a la portabilidad.** Tiene derecho a recibir la información personal que tenemos sobre usted y el derecho a transmitirla a otra parte. 94 | 95 | **Derecho a no estar sujeto a la toma de decisiones automatizada.** Tienes derecho a objetar e impedir que cualquier decisión que pueda tener un efecto legal, o similarmente significativo, sobre tu persona se tome únicamente sobre la base de procesos automatizados. Este derecho está limitado, sin embargo, si la decisión es necesaria para el cumplimiento de cualquier contrato entre tú y nosotros, está permitida por la ley aplicable o se basa en su consentimiento explícito. 96 | 97 | **Derecho a la no discriminación.** Tienes derecho a no recibir ningún tipo de discriminación. No te cobramos una cantidad diferente por usar nuestros productos, ni te ofreceremos diferentes descuentos, ni te daremos un nivel más bajo de servicio al cliente porque hayas ejercido tus derechos de privacidad de datos. Sin embargo, el ejercicio de ciertos derechos (como el derecho a "ser olvidado") puede, impedirle utilizar nuestros Servicios. 98 | 99 | ## Como aseguramos tus datos 100 | 101 | Todos los datos están encintados vía SSL/TLS cuando son transmitidos desde nuestro servidor a tu navegador. La base de datos de respaldo está también encriptada. 102 | 103 | **Eliminar datos** 104 | En muchas de nuestras aplicaciones, tendrás la opción de eliminar tus datos. Los datos que elegiste eliminar serán descartados, no serán accesibles par ti, ni por nosotros. En general tus datos serán inaccesibles desde el momento en que decidas eliminarlos. Nos comprometemos a eliminar tus datos de nuestro servidores en un plazo de hasta 30 días desde tu solicitud. 105 | 106 | **Ubicación de los datos** 107 | Nuestros productos y aplicaciones web operan en Chile. Ahora bien, el almacenaje de los datos es digital y está basado en servidores en Estados Unidos a través de Cloudflare, Digital Ocean y Amazon Web Services. 108 | 109 | ## Cambios y preguntas 110 | 111 | Puede que actualicemos esta política según sea necesario para cumplir con regulaciones importantes y para reflejar cualquier nueva práctica en relación a proteger tu privacidad. Los cambios en en la política serán actualizados en este mismo lugar y en el futuro podrás ver estos cambio en GitHub. 112 | 113 | ## Información del contacto 114 | 115 | Para cualquier pregunta o inquietud con respecto a la política de privacidad, envíanos un correo electrónico a [contacto@jsconf.cl](mailto:contacto@jsconf.cl) 116 | -------------------------------------------------------------------------------- /politica_de_privacidad/README_EN.md: -------------------------------------------------------------------------------- 1 | # Privacy Policy 2 | 3 | JSConf Chile takes your privacy seriously. To better protect your privacy, JSConf Chile provides this privacy policy notice that explains how your personal information is collected and used. 4 | 5 | - We respect your privacy, we always have, and we always will. 6 | - We will never, under any circumstances, disclose individual information; we always provide aggregated information in our analyses. This makes it impossible to know your individual opinion or perspective. 7 | - We assure you that we will never sell your data: we never have, and we never will. 8 | - We do not send SPAM; we never have, and we never will. We do not send commercial emails unless you have chosen to receive them, and you will always have the option to unsubscribe from such correspondence. 9 | 10 | ## What data we collect and why 11 | 12 | We collect the data that allows us to do our analytical work to detect behavioral patterns in order to understand organizational culture and remote work culture. 13 | 14 | In practice, the data we collect (and explicitly some we do not collect) are as follows: 15 | 16 | **Identity and access** 17 | To interact with our products and participate in our studies, we normally ask for your name and email address. This allows us to identify you so that you can access your information and our products; it also allows us to send you payment documents, updates, or other essential information. 18 | 19 | Email communication: Here's an important note: We do not send SPAM; we never have, and we never will. We do not send commercial emails unless you have chosen to receive them, and you will always have the option to unsubscribe from such correspondence. 20 | 21 | **Billing information** 22 | When you pay for one of our products, we will ask for billing information. This allows us to generate and send you an invoice. We do not currently use an internal payment system for credit or debit cards, instead relying on third-party services such as Stripe, Mercadopago, and Webpay. 23 | 24 | **Geolocation** 25 | We log all your access to our products via your IP address to verify that there are no unauthorized logins. We retain these access logs for as long as your account is active. 26 | 27 | We log the IP address you use to create an account in our products. We retain these records indefinitely because we use them to mitigate spam registrations. 28 | 29 | Web analytics — described below in Web Interaction — is also tied to the IP address to help us troubleshoot issues and improve our strategy. 30 | 31 | **Web Interaction** 32 | When your browser visits our marketing pages, products, or applications, your browser automatically shares certain information, such as which operating system and browser version you're using. We track that information, along with the page you visit, the page load time, and which web service referred you to us, for statistical purposes such as conversion rate and to test new designs. This analytics data is linked to your IP address and user data if applicable, and you are registered for our services. 33 | 34 | We use third-party applications for web analytics, specifically Google Analytics. In the future, we aim to remove this service to have a better analytics system since Google uses this information for its own products. 35 | 36 | **Anti-bot** 37 | We use CAPTCHA in our applications to mitigate brute force access attempts and SPAM. 38 | 39 | **Cookies and Do Not Track** 40 | We use "persistent first-party cookies" to save preferences and make it easier for you to access our applications. A "cookie" is a text file stored by your browser to help remember your login data, preferences, and more. You can adjust how long cookies are stored in your browser. To learn more about cookies, including how to see which cookies are being used, how they are managed, and how to delete them, please visit allaboutcookies.org. 41 | 42 | **Correspondence and Voluntary Data** 43 | When you write to us with a question and request help, we save that conversation, including the email address, so we have the history of past conversations to refer to if necessary in the future. 44 | 45 | We also store any information you provide voluntarily, such as surveys and forms. Sometimes we conduct interviews with our customers, and we may ask for permission to record the conversation for future reference. We only do this with your express consent. 46 | 47 | **Data Provided in Consulting Framework** 48 | You may participate as an employee of one of our clients and be invited to participate in a study with us. If this is the case, we always encourage voluntary participation, while informing about the minimum number of responses required to achieve adequate reliability in sample sizes. 49 | 50 | Whenever you participate in one of our studies, your responses will always be private, and we will never share specific data, responses, or results related to you as an individual with any third party (including your employer). We respect your privacy, we always have, and we always will. 51 | 52 | Our analyses, conclusions, and results in relation to studies on organizational culture have always been and will always be at an aggregated level. In these studies, we seek to understand group behavior. 53 | 54 | **Again** 55 | 56 | - We respect your privacy, we always have, and we always will. 57 | - We will never, under any circumstances, disclose individual information; we always provide aggregated information in our analyses. This makes it impossible to know your individual opinion or perspective. 58 | - We assure you that we will never sell your data: we never have, and we never will. 59 | - We do not send SPAM; we never have, and we never will. We do not send commercial emails unless you have chosen to receive them, and you will always have the option to unsubscribe from such correspondence. 60 | 61 | ## When we access your information and when we share it 62 | 63 | Our default practice is not to access your information. The only times we access your information are to: 64 | 65 | Provide the product or services you requested. We use third-party services to operate our applications, and this data is linked to these third-party services. This means we use technological services to access and query your data (of course, it's not printed on paper and stored in file cabinets). These processes do not involve any human access to your data, unless an error occurs in our automated processes, and we need to manually fix something. In the rare cases this happens, we work to identify the root cause to prevent it from happening again. 66 | 67 | **Solving a Problem** 68 | To help resolve issues related to our products or services. If at any point we need to access your user account data for support purposes. 69 | 70 | **Misuse of Our Products or Services** 71 | To investigate, prevent, or take action regarding misuse of our products or services. We access your data when we are investigating potential abuse, and this is a measure of last resort. 72 | 73 | We have an obligation to protect the privacy and security of our customers and those who report issues to us. We do our best to balance both responsibilities. If we discover that you are using our products or services in an abusive manner or have violated our code of conduct, we may report the incident to the relevant authorities if necessary. 74 | 75 | ## Your Rights 76 | 77 | We recognize and respect your rights. 78 | 79 | **Right to know.** You have the right to know what information is collected, used, shared, or sold. In this policy, we outline the data we collect, as well as how it is used (or not used). 80 | 81 | **Right to access.** This includes your right to access the personal information we collect about you, and your right to obtain information about how it is shared, stored, secured, and processed. 82 | 83 | **Right to correct.** You have the right to correct your personal information. 84 | 85 | **Right to delete / “right to be forgotten".** It is your right to request that your personal information be deleted from our possession and, by extension, from all our service providers. Fulfilling some data deletion requests may prevent you from using our products and services as our applications may no longer function for you. In such cases, a request for data deletion may result in the closure of your account. 86 | 87 | **Right to complain.** You have the right to file a complaint about the handling of your personal information with the relevant supervisory authority. 88 | 89 | **Right to restrict the processing of your information.** You have the right to request the restriction of how and why your personal information is used or processed, including the option to not sell your personal information. (Again: we have never sold and will never sell your data) 90 | 91 | **Right to object.** You have the right, in certain situations, to object to how or why your personal information is processed. 92 | 93 | **Right to portability.** You have the right to receive the personal information we have about you and the right to transmit it to another party. 94 | 95 | **Right not to be subject to automated decision-making.** You have the right to object to and prevent any decision that may have a legal effect, or similarly significant effect, on you being made solely based on automated processes. This right is limited, however, if the decision is necessary for the performance of any contract between you and us, is allowed by applicable law, or is based on your explicit consent. 96 | 97 | **Right to non-discrimination.** You have the right not to face any form of discrimination. We do not charge you a different amount to use our products, nor will we offer different discounts, nor will we provide a lower level of customer service because you have exercised your data privacy rights. However, exercising certain rights (such as the right to "be forgotten") may prevent you from using our Services. 98 | 99 | ## How we secure your data 100 | 101 | All data is encrypted via SSL/TLS when transmitted from our server to your browser. The backup database is also encrypted. 102 | 103 | **Deleting data** 104 | In many of our applications, you will have the option to delete your data. The data you choose to delete will be discarded and will not be accessible by you or us. In general, your data will be inaccessible from the moment you decide to delete it. We are committed to deleting your data from our servers within 30 days of your request. 105 | 106 | **Data location** 107 | Our products and web applications operate in Chile. However, data storage is digital and is based on servers in the United States through Cloudflare, Digital Ocean, and Amazon Web Services. 108 | 109 | ## Changes and Questions 110 | 111 | We may update this policy as necessary to comply with major regulations and to reflect any new practices regarding protecting your privacy. Changes to the policy will be updated in this same location, and in the future, you will be able to see these changes on GitHub. 112 | 113 | ## Contact Information 114 | 115 | For any questions or concerns regarding the privacy policy, send us an email at [contacto@jsconf.cl](mailto:contacto@jsconf.cl) 116 | -------------------------------------------------------------------------------- /public/favicon.svg: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | 6 | -------------------------------------------------------------------------------- /src/env.d.ts: -------------------------------------------------------------------------------- 1 | /// 2 | /// 3 | -------------------------------------------------------------------------------- /src/layout/index.astro: -------------------------------------------------------------------------------- 1 | --- 2 | 3 | import "./style.css" 4 | import PostHog from "./posthog.astro"; 5 | const { title = '', lang = 'es' } = Astro.props; 6 | 7 | --- 8 | 9 | 10 | 11 | 15 | 16 | CommunityOS - {title} 17 | 18 | 19 | 20 | 24 | 25 | 26 | 27 | 28 | -------------------------------------------------------------------------------- /src/layout/posthog.astro: -------------------------------------------------------------------------------- 1 | --- 2 | 3 | --- 4 | 5 | 61 | -------------------------------------------------------------------------------- /src/layout/style.css: -------------------------------------------------------------------------------- 1 | body { 2 | background-color: #fff; 3 | color: #333; 4 | font: 15px Helvetica, arial, freesans, clean, sans-serif; 5 | word-wrap: break-word; 6 | line-height: 1.7; 7 | padding: 0 20px 20px 20px; 8 | width: 722px; 9 | -webkit-font-smoothing: antialiased; 10 | } 11 | 12 | a { 13 | color: #4183c4; 14 | text-decoration: none; 15 | } 16 | 17 | a:hover { 18 | text-decoration: underline; 19 | } 20 | 21 | p, 22 | blockquote, 23 | ul, 24 | ol, 25 | dl, 26 | table, 27 | pre { 28 | margin: 15px 0; 29 | } 30 | 31 | ul, 32 | ol { 33 | padding-left: 30px; 34 | } 35 | 36 | h1 { 37 | border-bottom: 1px solid #ddd; 38 | color: #000; 39 | font-size: 2.5em; 40 | } 41 | 42 | h2 { 43 | border-bottom: 1px solid #eee; 44 | color: #000; 45 | font-size: 2em; 46 | } 47 | 48 | h3 { 49 | font-size: 1.5em; 50 | } 51 | 52 | h4 { 53 | font-size: 1.2em; 54 | } 55 | 56 | h5 { 57 | font-size: 1em; 58 | } 59 | 60 | h6 { 61 | color: #777; 62 | font-size: 1em; 63 | } 64 | 65 | h1, 66 | h2, 67 | h3, 68 | h4, 69 | h5, 70 | h6 { 71 | font-weight: bold; 72 | line-height: 1.7; 73 | margin: 1em 0 15px 0; 74 | } 75 | 76 | h1 + p, 77 | h2 + p, 78 | h3 + p { 79 | margin-top: 10px; 80 | } 81 | 82 | img { 83 | max-width: 100%; 84 | } 85 | 86 | code, 87 | pre { 88 | background-color: #f8f8f8; 89 | border-radius: 3px; 90 | border: 1px solid #ddd; 91 | font-family: Consolas, "Liberation Mono", Courier, monospace; 92 | font-size: 12px; 93 | margin: 0 2px; 94 | padding: 0 5px; 95 | white-space: pre; 96 | } 97 | 98 | pre code { 99 | border: none; 100 | margin: 0; 101 | padding: 0; 102 | white-space: pre; 103 | } 104 | -------------------------------------------------------------------------------- /src/pages/english.astro: -------------------------------------------------------------------------------- 1 | --- 2 | import {Content} from '../../README_EN.md'; 3 | import Layout from "../layout/index.astro"; 4 | 5 | --- 6 | 7 | 8 | 9 | 10 | -------------------------------------------------------------------------------- /src/pages/index.astro: -------------------------------------------------------------------------------- 1 | --- 2 | import Layout from "../layout/index.astro"; 3 | import {Content} from '../../README.md'; 4 | 5 | --- 6 | 7 | 8 | 9 | 10 | -------------------------------------------------------------------------------- /src/pages/politica_de_privacidad/english.astro: -------------------------------------------------------------------------------- 1 | --- 2 | import Layout from "../../layout/index.astro"; 3 | import {Content} from '../../../politica_de_privacidad/README_EN.md'; 4 | 5 | --- 6 | 7 | 8 | 9 | 10 | -------------------------------------------------------------------------------- /src/pages/politica_de_privacidad/index.astro: -------------------------------------------------------------------------------- 1 | --- 2 | import Layout from "../../layout/index.astro"; 3 | import {Content} from '../../../politica_de_privacidad/README.md'; 4 | 5 | --- 6 | 7 | 8 | 9 | 10 | -------------------------------------------------------------------------------- /src/pages/terminos_de_compra_e_imagen/english.astro: -------------------------------------------------------------------------------- 1 | --- 2 | import Layout from "../../layout/index.astro"; 3 | import {Content} from '../../../terminos_de_compra_e_imagen/README_EN.md'; 4 | 5 | --- 6 | 7 | 8 | 9 | 10 | -------------------------------------------------------------------------------- /src/pages/terminos_de_compra_e_imagen/index.astro: -------------------------------------------------------------------------------- 1 | --- 2 | import Layout from "../../layout/index.astro"; 3 | import {Content} from '../../../terminos_de_compra_e_imagen/README.md'; 4 | 5 | --- 6 | 7 | 8 | 9 | 10 | -------------------------------------------------------------------------------- /src/pages/terminos_de_servicio/english.astro: -------------------------------------------------------------------------------- 1 | --- 2 | import Layout from "../../layout/index.astro"; 3 | import {Content} from '../../../terminos_de_servicio/README_EN.md'; 4 | 5 | --- 6 | 7 | 8 | 9 | 10 | -------------------------------------------------------------------------------- /src/pages/terminos_de_servicio/index.astro: -------------------------------------------------------------------------------- 1 | --- 2 | import Layout from "../../layout/index.astro"; 3 | import {Content} from '../../../terminos_de_servicio/README.md'; 4 | 5 | --- 6 | 7 | 8 | 9 | 10 | -------------------------------------------------------------------------------- /terminos_de_compra_e_imagen/README.md: -------------------------------------------------------------------------------- 1 | # Términos y condiciones de compra — **Javascript Chile** 2 | 3 | **PRIMERO : Sitio Web** 4 | 5 | Por favor lee atentamente las siguientes condiciones y políticas de nuestra empresa. Estas rigen el uso de nuestra página de internet y también los alcances que tiene el ticket físico o electrónico. 6 | 7 | Las presentes condiciones de uso regulan el uso del sitio web https://jsconf.cl , en adelante **Javascript Chile**. 8 | 9 | **SEGUNDO : Condiciones de Uso** 10 | 11 | Al comprar una entrada en **Javascript Chile**, el cliente acepta las condiciones establecidas, y manifiesta su total conformidad con las políticas definidas por la misma. **Javascript Chile** se reserva el derecho de cambiar estas condiciones en cualquier tiempo y se aplicarán desde el momento en que sean publicadas en nuestra página web. 12 | 13 | El usuario se compromete a hacer uso de la página web de **Javascript Chile** sólo para fines personales; tales como consultar información y  comprar entradas de acuerdo a las condiciones definidas para cada evento. El contenido y software de este sitio es propiedad de por **Javascript Chile**, está protegido bajo las leyes 14 | internacionales y nacionales del derecho de autor, en conformidad con las licencias de software definidos en los mismos. 15 | 16 | El Usuario se abstendrá de hacer uso de la página con fines o efectos ilícitos, lesivos de los derechos e intereses de terceros, o que de cualquier forma puedan dañar, inutilizar, sobrecargar, deteriorar o impedir la normal utilización de este sitio, los equipos informáticos, documentos, archivos y toda clase de contenidos almacenados en cualquier equipo informático de **Javascript Chile** o su infraestructura. La violación de las condiciones de uso del portal implicará la cancelación de su cuenta, anulación de compras, y acciones legales que se estimen convenientes. 17 | 18 | **TERCERO : Uso permitido y Condiciones de Venta** 19 | 20 | La venta de Tickets para eventos está regulada por la Ley. 21 | Información personal puede ser solicitada por **Javascript Chile** y el cliente tiene el deber de actualizar, completar y cambiar, en el caso que se requiera, la información para la correcta comunicación entre éste y **Javascript Chile**. Esta información sólo será accesible por **Javascript Chile**, quien protegerá la privacidad de sus datos. 22 | 23 | La cuenta creada por el usuario es de carácter personal y no deberá ser facilitada a otra persona. **Javascript Chile** asume que el titular de la cuenta es quien ingresa mediante esta validación de identidad. 24 | 25 | Toda la información que facilite el usuario deberá ser veraz. El cliente garantiza la autenticidad de todos aquellos datos que comunique. De igual forma, será responsabilidad del usuario mantener toda la información facilitada a **Javascript Chile**, actualizada de forma que responda, en cada momento, a la situación real del usuario. 26 | 27 | En toda situación el Usuario será el único responsable de las manifestaciones falsas o inexactas que realice y de los perjuicios que cause a **Javascript Chile**. o a terceros por la información que facilite. 28 | 29 | **CUARTO: Contenidos de Terceros** 30 | 31 | El sitio podrá contar con enlaces a sitios de terceros sobre los cuales **Javascript Chile** no tiene injerencia, por lo tanto, no garantiza, representa o asegura que el contenido de éstos sea exacto, legal y/o inofensivo. Al enlazarse a otros sitios, el usuario libera de responsabilidades a Javascript Chile, por posibles daños que puedan generarse. Sin perjuicio de lo anterior, **Javascript Chile** siempre velará en la medida de lo posible, por la seguridad y la exactitud de los contenidos de los enlaces de terceros publicados en su sitio. 32 | 33 | **QUINTO: Políticas de Derecho de Autor** 34 | **Javascript Chile** protegerá los derechos de autor, por ende, se verificará la información subida para intentar no infringir este derecho. En el caso que se divulgue contenido sin el previo consentimiento del autor, éste será eliminado de la página tras ser notificados por el dueño de estos derechos o sus agentes, tras recibir una orden judicial o por admisión del usuario. En la eventualidad que el usuario vulnere algunas de las disposiciones establecidas en este documento, **Javascript Chile** se reserva el derecho a la cancelación de la cuenta y la prohibición de ingresar en el futuro. 35 | 36 | **SEXTO: Condiciones de Compra** 37 | 38 | No existe edad mínima para realizar la compra de ticket. 39 | 40 | El precio final a pagar por cada ticket comprado mediante este Sistema está denifido al momento de acceder al procesador de pagos (Stripe, MercadoPago, Transbank, Webpay, ETC). 41 | 42 | La transacción quedará sujeta a la verificación por parte de la empresa emisora de la tarjeta u otro medio de pago elegido por el cliente (Stripe, MercadoPago, Transbank, Webpay, ETC). No se considerará como completa una transacción mientras **Javascript Chile** no reciba la autorización de la institución financiera respectiva. 43 | 44 | En caso que **Javascript Chile** no reciba dicha confirmación, se anulará la compra. La posterior revisión y aprobación del cargo (en caso que se haya realizado la transacción y no se haya recibido la confirmación), quedará sujeta a la disponibilidad de entradas. 45 | 46 | **Javascript Chile** aplicará la garantía legal que establece la Ley de Protección al Consumidor, en aquello que fuere pertinente, atendido la naturaleza del giro de venta de tickets que posee. Además todo lo referente a devoluciones se encuentra informado de forma veraz y oportuna en el apartado décimo de estos términos y condiciones. 47 | 48 | La responsabilidad de la operación del sitio https://jsconf.cl corresponde a **Javascript Chile**. 49 | 50 | **SEPTIMO: Política de Devoluciones** 51 | **Javascript Chile**, en virtud de lo establecido en el artículo 3 bis letra b) de la ley 19.496, declara expresamente que por política de la empresa no se realizarán cambios ni devoluciones, una vez finalizado el proceso de compra. 52 | 53 | En caso de cancelación del evento, de acuerdo a las leyes vigentes, se procederá a realizar la devolución de los montos recaudados a nuestros clientes. En caso de cambios en la configuración del evento ya sea de fecha, horario o lugar del evento, **Javascript Chile** procederá a la devolución de los montos pagados a aquellos clientes que lo soliciten. 54 | 55 | Para proceder con las devoluciones por cancelación de evento, **Javascript Chile** dará al cliente las mismas facilidades que tuvo para realizar su compra en su sitio https://jsconf.cl. 56 | Quedan expresamente excluidas las entradas adquiridas por otros medios, en concursos o cualquier otra instancia distinta de las mencionadas anteriormente no autorizada por **Javascript Chile**, o que no fuesen debidamente transferidas dentro de la plataforma de **Javascript Chile**. La devolución de estas entradas deberá ser gestionada directamente con **Javascript Chile**. 57 | 58 | La entrega del dinero dependerá del medio de pago elegido por el cliente. Para pagos electrónicos, por medio de botón de pago, el dinero será abonado directamente a la cuenta del cliente, mediante una solicitud de reversa a la institución financiera respectiva. Las compras realizadas por medio de tarjetas de crédito, serán devueltas por medio de un reverso de la transacción. El plazo estimado para las devoluciones es de 15 días hábiles. 59 | 60 | **OCTAVO: Servicio al Cliente** 61 | 62 | Ante dudas sobre nuestras políticas o si tiene algún problema con nuestro servicio, lo invitamos a enviar un correo a contacto@jsconf.cl, detallando su su caso y le daremos una respuesta a la brevedad posible. 63 | 64 | Para información sobre la conferencia, visite nuestro portal http://jsconf.cl 65 | 66 | 67 | **Noveno : Disponibilidad y falibilidad** 68 | 69 | **Javascript Chile** no garantiza la disponibilidad y continuidad del funcionamiento del sitio y de los servicios. Cuando ello sea razonablemente posible, **Javascript Chile** advertirá previamente de las interrupciones en el normal funcionamiento del sitio y de los servicios cuando estas interrupciones sean programadas. **Javascript Chile** tampoco garantiza la utilidad del portal y de los servicios para la realización de ninguna actividad en concreto, ni su infalibilidad y, en particular, aunque no de modo exclusivo, que los usuarios puedan efectivamente utilizar el sitio y los servicios, acceder a las distintas páginas web que forman el portal o a aquéllas desde las que se prestan los servicios. 70 | 71 | Si bien **Javascript Chile** busca proveer un servicio sin errores, que los usuarios puedan efectivamente utilizar el sitio y los servicio, es debido antes expuesto que **Javascript Chile** se exime, con toda la extensión legal nacional e internacional, cualquier responsabilidad por los daños y perjuicios de toda naturaleza que puedan deberse a la falta de disponibilidad o de continuidad del funcionamiento del portal y de los servicios, a la defraudación de la utilidad que los usuarios hubieren podido atribuir al portal y a los servicios, a la falibilidad del portal y de los servicios, en particular, aunque no de modo exclusivo, a los fallos en el acceso a las distintas páginas web del portal o a aquellas desde las que se prestan los servicios. 72 | 73 | **Décimo: Uso de imágen** 74 | 75 | El usuario que atiende al evento, autoriza a **Javascript Chile**, a usar fotografías o videograbaciones que incluyan su imagen, en campañas, promocionales y demás material de apoyo que se consideren pertinentes para difusión y promoción del evento y posteriores actividades de **Javascript Chile**, y que se distribuyan en el país o en el extranjero por cualquier medio, ya sea impreso, electrónico o de otro tipo. 76 | 77 | Esta autorización es voluntaria y totalmente gratuita, por lo tanto, **Javascript Chile** es libre de utilizar, reproducir, transmitir, retransmitir, mostrar públicamente, crear otras obras derivadas de las imágenes, en las campañas de promoción que se realice por cualquier medio, así como la fijación de la citada imagen en proyecciones, videos, gráficas, textos, filminas y todo el material suplementario de las promociones y campañas, estableciendo que se utilizará única y exclusivamente para los fines señalados. 78 | 79 | El usuario que atiende al evento autoriza el uso de su nombre y cualquier comentario que yo pudiese haber hecho mientras se grababa el video y que tal comentario sea editado con los fines señalados. 80 | 81 | Manifiesto que renuncio a todo derecho de inspeccionar o aprobar las secuencias de videograbación o fotografía. 82 | 83 | Autorizo que mi imagen sea utilizada durante el tiempo que **Javascript Chile** considere adecuado; no obstante, dicha autorización podrá ser revocada mediante un correo escrito a contacto@jsconf.cl. 84 | -------------------------------------------------------------------------------- /terminos_de_compra_e_imagen/README_EN.md: -------------------------------------------------------------------------------- 1 | 2 | # Terms and conditions of purchase — **Javascript Chile** 3 | 4 | **FIRST: Website** 5 | 6 | Please read the following conditions and policies of our company carefully. These govern the use of our website and also the scope of the physical or electronic ticket. 7 | 8 | These conditions of use regulate the use of the website https://jsconf.cl, hereinafter **Javascript Chile**. 9 | 10 | **SECOND: Conditions of Use** 11 | 12 | By buying a ticket at **Javascript Chile**, the client accepts the established conditions, and expresses his total conformity with the policies defined by it. **Javascript Chile** reserves the right to change these conditions at any time and they will apply from the moment they are published on our website. 13 | 14 | The user agrees to make use of the **Javascript Chile** website only for personal purposes; such as consulting information and buying tickets according to the conditions defined for each event. The content and software of this site is the property of **Javascript Chile**, it is protected under the laws 15 | international and national copyright laws, in accordance with the software licenses defined therein. 16 | 17 | The User will refrain from using the page for illegal purposes or effects, harmful to the rights and interests of third parties, or that in any way may damage, disable, overload, deteriorate or prevent the normal use of this site, computer equipment , documents, files and all kinds of content stored on any **Javascript Chile** computer equipment or its infrastructure. The violation of the conditions of use of the portal will imply the cancellation of your account, cancellation of purchases, and legal actions that are deemed appropriate. 18 | 19 | ** THIRD: Permitted use and Conditions of Sale ** 20 | 21 | The sale of Tickets for events is regulated by Law. 22 | Personal information may be requested by **Javascript Chile** and the client has the duty to update, complete and change, if required, the information for proper communication between it and **Javascript Chile**. This information will only be accessible by **Javascript Chile**, who will protect the privacy of your data. 23 | 24 | The account created by the user is of a personal nature and should not be provided to another person. **Javascript Chile** assumes that the account holder is the one who enters through this identity validation. 25 | 26 | All information provided by the user must be truthful. The client guarantees the authenticity of all data communicated. In the same way, it will be the user's responsibility to keep all the information provided to **Javascript Chile** updated so that it responds, at all times, to the real situation of the user. 27 | 28 | In all situations, the User will be solely responsible for the false or inaccurate statements made and the damages caused to **Javascript Chile**. or third parties for the information you provide. 29 | 30 | **FOURTH: Third Party Content** 31 | 32 | The site may have links to third-party sites over which **Javascript Chile** has no influence, therefore, it does not guarantee, represent or ensure that their content is accurate, legal and/or harmless. By linking to other sites, the user releases Javascript Chile from responsibilities for possible damages that may be generated. Notwithstanding the foregoing, **Javascript Chile** will always ensure, as far as possible, the security and accuracy of the contents of the third-party links published on its site. 33 | 34 | ** FIFTH: Copyright Policies ** 35 | **Javascript Chile** will protect copyright, therefore, the uploaded information will be verified to try not to infringe this right. In the event that content is disclosed without the prior consent of the author, it will be removed from the page after being notified by the owner of these rights or their agents, after receiving a court order or by admission of the user. In the event that the user violates some of the provisions established in this document, **Javascript Chile** reserves the right to cancel the account and prohibit future access. 36 | 37 | ** SIXTH: Purchase Conditions ** 38 | 39 | There is no minimum age to purchase a ticket. 40 | 41 | The final price to pay for each ticket purchased through this System is defined at the moment of accessing the payment processor (Stripe, MercadoPago, Transbank, Webpay, ETC). 42 | 43 | The transaction will be subject to verification by the company issuing the card or another means of payment chosen by the client (Stripe, MercadoPago, Transbank, Webpay, ETC). A transaction will not be considered complete until **Javascript Chile** receives authorization from the respective financial institution. 44 | 45 | In the event that **Javascript Chile** does not receive said confirmation, the purchase will be cancelled. The subsequent review and approval of the charge (in the event that the transaction has been made and confirmation has not been received), will be subject to the availability of tickets. 46 | 47 | **Javascript Chile** will apply the legal guarantee established by the Consumer Protection Law, in that which is pertinent, taking into account the nature of the ticket sales business that it has. In addition, everything related to returns is informed in a truthful and timely manner in the tenth section of these terms and conditions. 48 | 49 | The responsibility for the operation of the site https://jsconf.cl corresponds to **Javascript Chile**. 50 | 51 | ** SEVENTH: Return Policy ** 52 | **Javascript Chile**, by virtue of the provisions of article 3 bis letter b) of Law 19,496, expressly declares that by company policy no changes or refunds will be made once the purchase process is completed. 53 | 54 | In case of cancellation of the event, in accordance with current laws, the amounts collected will be returned to our clients. In case of changes in the configuration of the event, be it the date, time or place of the event, **Javascript Chile** will proceed to refund the amounts paid to those clients who request it. 55 | 56 | To proceed with returns due to event cancellation, **Javascript Chile** will give the customer the same facilities they had to make their purchase on their website https://jsconf.cl. 57 | Tickets acquired by other means, in contests or any other instance other than those mentioned above, not authorized by **Javascript Chile**, or that were not duly transferred within the **Javascript Chile** platform, are expressly excluded. The return of these tickets must be managed directly with **Javascript Chile**. 58 | 59 | The delivery of the money will depend on the means of payment chosen by the client. For electronic payments, by means of the payment button, the money will be credited directly to the client's account, through a request for reverse to the respective financial institution. Purchases made through credit cards will be returned through a reverse of the transaction. The estimated term for returns is 15 business days. 60 | 61 | ** EIGHTH: Customer Service ** 62 | 63 | If you have any questions about our policies or if you have a problem with our service, we invite you to send an email to contacto@jsconf.cl, detailing your case and we will give you a response as soon as possible. 64 | 65 | For information about the conference, visit our portal http://jsconf.cl 66 | 67 | 68 | **Ninth: Availability and fallibility** 69 | 70 | **Javascript Chile** does not guarantee the availability and continuity of the operation of the site and services. When it is reasonably possible, **Javascript Chile** will previously warn of interruptions in the normal operation of the site and of the services when these interruptions are scheduled. **Javascript Chile** does not guarantee the usefulness of the portal and the services for carrying out any specific activity, nor its infallibility and, in particular, although not exclusively, that users can effectively use the site and the services , access the different web pages that make up the portal or those from which the services are provided. 71 | 72 | Although **Javascript Chile** seeks to provide a service without errors, so that users can effectively use the site and the services, it is due to the aforementioned that **Javascript Chile** exempts itself, with all the national and international legal extension, any responsibility for damages of any kind that may be due to the lack of availability or continuity of the portal and services, to the defrauding of the utility that users may have attributed to the portal and services, to the fallibility of the portal and the services, in particular, although not exclusively, failures in accessing the different web pages of the portal or those from which the services are provided. 73 | 74 | ** Tenth: Use of image ** 75 | 76 | The user who attends the event, authorizes **Javascript Chile**, to use photographs or video recordings that include their image, in campaigns, promotional and other support material that are considered relevant for dissemination and promotion of the event and subsequent activities of * *Javascript Chile**, and that they be distributed in the country or abroad by any means, whether printed, electronic or otherwise. 77 | 78 | This authorization is done voluntarily and completely free, therefore, **Javascript Chile** is free to use, reproduce, transmit, retransmit, publicly display, create other works derived from the images, in promotional campaigns carried out by any medium, as well as the fixation of the aforementioned image in projections, videos, graphics, texts, filmstrips and all the supplementary material of promotions and campaigns, establishing that it will be used solely and exclusively for the indicated purposes. 79 | 80 | The user who attends the event authorizes the use of his name and any comment that I may have made while the video was being recorded and that said comment be edited for the purposes indicated. 81 | 82 | I declare that I waive any right to inspect or approve the video recording or photographic sequences. 83 | 84 | I authorize my image to be used during the time that **Javascript Chile** deems appropriate; however, said authorization may be revoked by writing to contacto@jsconf.cl. -------------------------------------------------------------------------------- /terminos_de_servicio/README.md: -------------------------------------------------------------------------------- 1 | # TÉRMINOS DE SERVICIO DE JSConf Chile 2 | 3 | Última actualización: 29 de Septiembre del 2024 4 | 5 | Estos términos de servicio ("Términos") se aplican a su acceso y uso de JSConf Chile (el "Servicio"). Por favor, léalas cuidadosamente. 6 | 7 | ## Aceptación de estos Términos 8 | 9 | Si accede o utiliza el Servicio, significa que acepta estar sujeto a todos los términos a continuación. Por lo tanto, antes de usar el Servicio, lea todos los términos. Si no está de acuerdo con todos los términos a continuación, no utilice el Servicio. Además, si un término no tiene sentido para usted, háganoslo saber a través del correo electrónico contacto@jsconf.cl. 10 | 11 | ## Cambios a estos Términos 12 | 13 | Nos reservamos el derecho de modificar estos Términos en cualquier momento. Por ejemplo, es posible que debamos cambiar estos Términos si presentamos una nueva función o por alguna otra razón. 14 | 15 | Siempre que hagamos cambios a estos Términos, los cambios entrarán en vigencia inmediatamente después de que publiquemos dichos Términos revisados (indicado al revisar la fecha en la parte superior de estos Términos) o luego de su aceptación si proporcionamos un mecanismo para su aceptación inmediata de los Términos revisados ( como un clic de confirmación o un botón de aceptación). Es su responsabilidad revisar [jsconf.cl](https://jsconf.cl/) para cambios a estos Términos. 16 | 17 | Si continúa utilizando el Servicio después de que los Términos revisados entren en vigencia, significa que ha aceptado los cambios a estos Términos. 18 | 19 | ## Política de privacidad 20 | 21 | Para obtener información sobre cómo recopilamos y usamos información sobre los usuarios del Servicio, consulte nuestra política de privacidad disponible en [/politica_de_privacidad/README.md](/politica_de_privacidad/README.md) 22 | 23 | ## Servicios de terceros 24 | 25 | De vez en cuando, podemos proporcionarle enlaces a sitios web o servicios de terceros que no poseemos ni controlamos. Su uso del Servicio también puede incluir el uso de aplicaciones desarrolladas o propiedad de un tercero. Su uso de dichas aplicaciones, sitios web y servicios de terceros se rige por los propios términos de servicio o políticas de privacidad de esa parte. Le recomendamos que lea los términos y condiciones y la política de privacidad de cualquier aplicación, sitio web o servicio de terceros que visite o utilice. 26 | 27 | ## Creación de cuentas 28 | 29 | Cuando crea una cuenta o utiliza otro servicio para iniciar sesión en el Servicio, acepta mantener la seguridad de su contraseña y acepta todos los riesgos de acceso no autorizado a cualquier dato u otra información que proporcione al Servicio. 30 | 31 | Si descubre o sospecha alguna violación de la seguridad del Servicio, infórmenos lo antes posible. 32 | 33 | ## Su contenido y conducta 34 | 35 | Nuestro Servicio puede permitirle a usted y a otros usuarios publicar, vincular y, de otro modo, poner a disposición contenido. Usted es responsable del contenido que pone a disposición del Servicio, incluida su legalidad, confiabilidad y adecuación. 36 | 37 | Cuando publica, vincula o pone a disposición contenido del Servicio, nos otorga el derecho y la licencia para usar, reproducir, modificar, realizar públicamente, mostrar públicamente y distribuir su contenido en o a través del Servicio. Podemos formatear su contenido para mostrarlo en todo el Servicio, pero no editaremos ni revisaremos la esencia de su contenido en sí. 38 | 39 | Además de nuestro derecho limitado a su contenido, conserva todos sus derechos sobre el contenido que publica, vincula y pone a disposición de otro modo en el Servicio o a través de este. 40 | 41 | Es posible que pueda eliminar el contenido que publicó eliminándolo. Una vez que elimine su contenido, no aparecerá en el Servicio, pero las copias de su contenido eliminado pueden permanecer en nuestro sistema o copias de seguridad durante un período de tiempo. Retendremos los registros de acceso al servidor web por un máximo de inmediato y luego los eliminaremos. 42 | 43 | No puede publicar, vincular ni poner a disposición en o a través del Servicio ninguno de los siguientes: 44 | 45 | - Contenido calumnioso, difamatorio, intolerante, fraudulento o engañoso; 46 | - Contenido ilegal o que de otro modo crearía responsabilidad legal a JSConf Chile; 47 | - Contenido que pueda infringir o violar cualquier patente, marca comercial, secreto comercial, derechos de autor, derecho de privacidad, derecho de publicidad u otro derecho intelectual o de otro tipo de cualquier parte; 48 | - Promociones masivas o reiteradas, campañas políticas o mensajes comerciales dirigidos a usuarios que no te siguen (SPAM); 49 | - Información privada de cualquier tercero (por ejemplo, direcciones, números de teléfono, direcciones de correo electrónico, números de seguro social y números de tarjetas de crédito); y 50 | - Virus, datos corruptos u otros archivos o códigos dañinos, perjudiciales o destructivos. 51 | 52 | Además, acepta que no hará nada de lo siguiente en relación con el Servicio u otros usuarios: 53 | 54 | - Usar el Servicio de cualquier manera que pueda interferir, interrumpir, afectar negativamente o impedir que otros usuarios disfruten plenamente del Servicio o que pueda dañar, deshabilitar, sobrecargar o perjudicar el funcionamiento del Servicio; 55 | - Suplantar o publicar en nombre de cualquier persona o entidad o tergiversar su afiliación con una persona o entidad; 56 | - Collect any personal information about other users, or intimidate, threaten, stalk or otherwise harass other users of the Service; 57 | - Recopilar cualquier información personal sobre otros usuarios, o intimidar, amenazar, acechar o acosar a otros usuarios del Servicio.; y 58 | - Eludir o intentar eludir cualquier filtrado, medida de seguridad, límites de velocidad u otras características diseñadas para proteger el Servicio, los usuarios del Servicio o terceros. 59 | 60 | ## Materiales de JSConf Chile 61 | 62 | Nos esforzamos mucho en crear el Servicio, incluido el logotipo y todos los diseños, texto, gráficos, imágenes, información y otro contenido (excluyendo su contenido). Esta propiedad es propiedad nuestra o de nuestros licenciantes y está protegida por las leyes de derechos de autor internacionales y de EE. UU. Le otorgamos el derecho a usarlo. 63 | 64 | Sin embargo, a menos que indiquemos expresamente lo contrario, sus derechos no incluyen: (i) ejecutar o mostrar públicamente el Servicio; (ii) modificar o hacer usos derivados del Servicio o cualquier parte del mismo; (iii) usar cualquier método de extracción o extracción de datos, robots o métodos similares de recopilación o extracción de datos; (iv) la descarga (que no sea el almacenamiento en caché de la página) de cualquier parte del Servicio o cualquier información contenida en el mismo; (v) ingeniería inversa o acceso al Servicio para construir un producto o servicio competitivo; o (vi) usar el Servicio para fines distintos a los previstos. Si hace algo de esto, podemos cancelar su uso del Servicio. 65 | 66 | ## Hipervínculos y contenido de terceros 67 | 68 | Puede crear un hipervínculo al Servicio. Sin embargo, no puede usar, enmarcar o utilizar técnicas de enmarcado para incluir cualquiera de nuestras marcas comerciales, logotipos u otra información de propiedad sin nuestro consentimiento expreso por escrito. 69 | 70 | JSConf Chile no hace ningún reclamo ni representación con respecto a los sitios web de terceros a los que se puede acceder mediante un hipervínculo desde el Servicio o los sitios web que se vinculan al Servicio, y no acepta responsabilidad por estos. Cuando abandona el Servicio, debe tener en cuenta que estos Términos y nuestras políticas ya no rigen. 71 | 72 | Si hay algún contenido en el Servicio de usted y otros, no lo revisamos, verificamos ni autenticamos, y puede incluir inexactitudes o información falsa. No hacemos representaciones, garantías o garantías relacionadas con la calidad, idoneidad, veracidad, exactitud o integridad de cualquier contenido incluido en el Servicio. Usted reconoce la responsabilidad exclusiva y asume todos los riesgos que surjan de su uso o confianza en cualquier contenido. 73 | 74 | ## Cosas legales inevitables 75 | 76 | EL SERVICIO Y CUALQUIER OTRO SERVICIO Y CONTENIDO INCLUIDOS O PUESTOS A SU DISPOSICIÓN A TRAVÉS DEL SERVICIO SE PROPORCIONAN TAL CUAL O SEGÚN DISPONIBILIDAD SIN NINGUNA REPRESENTACIÓN O GARANTÍA DE NINGÚN TIPO. RENUNCIAMOS A TODAS LAS GARANTÍAS Y REPRESENTACIONES (EXPRESAS O IMPLÍCITAS, ORALES O ESCRITAS) CON RESPECTO AL SERVICIO Y EL CONTENIDO INCLUIDO O PUESTO A SU DISPOSICIÓN DE OTRO MODO A TRAVÉS DEL SERVICIO, YA SEA QUE SURJA POR IMPRESIÓN DE LA LEY, POR RAZÓN DE COSTUMBRE O USO EN EL COMERCIO, POR CURSO DE NEGOCIACIÓN O DE OTRO MODO. 77 | 78 | EN NINGÚN CASO JSConf Chile SERÁ RESPONSABLE ANTE USTED O CUALQUIER TERCERO POR CUALQUIER DAÑO ESPECIAL, INDIRECTO, INCIDENTAL, EJEMPLAR O CONSECUENTE DE CUALQUIER TIPO QUE SURJA O ESTÉ RELACIONADO CON EL SERVICIO O CUALQUIER OTRO SERVICIO Y/O CONTENIDO INCLUIDO O DE OTRO MODO DISPONIBLE PARA USTED A TRAVÉS DEL SERVICIO, INDEPENDIENTEMENTE DE LA FORMA DE ACCIÓN, YA SEA POR CONTRATO, AGRAVIO, RESPONSABILIDAD ESTRICTA O DE CUALQUIER OTRA FORMA, AUNQUE NOS HAYA ADVERTIDO DE LA POSIBILIDAD DE DICHOS DAÑOS O SOMOS CONSCIENTE DE LA POSIBILIDAD DE DICHOS DAÑOS. NUESTRA RESPONSABILIDAD TOTAL POR TODAS LAS CAUSAS DE ACCIÓN Y BAJO TODAS LAS TEORÍAS DE RESPONSABILIDAD SE LIMITARÁ AL MONTO QUE USTED PAGÓ A JSConf Chile. ESTA SECCIÓN TENDRÁ TOTAL EFECTO INCLUSO SI CUALQUIER RECURSO ESPECIFICADO EN ESTE ACUERDO SE CONSIDERA QUE HA FALLADO EN SU PROPÓSITO ESENCIAL. 79 | 80 | Usted acepta defendernos, indemnizarnos y eximirnos de toda responsabilidad frente a todos y cada uno de los costos, daños, responsabilidades y gastos (incluidos los honorarios de abogados, los costos, las sanciones, los intereses y los desembolsos) en los que incurramos en relación con, que surjan de o para la propósito de evitar cualquier reclamo o demanda de un tercero relacionado con su uso del Servicio o el uso del Servicio por parte de cualquier persona que use su cuenta, incluido cualquier reclamo de que su uso del Servicio viola cualquier ley o regulación aplicable, o el derechos de cualquier tercero, y/o su violación de estos Términos. 81 | 82 | ## Derechos de Autor 83 | 84 | Nos tomamos en serio los derechos de propiedad intelectual. De acuerdo con la Ley de derechos de autor del milenio digital ("DMCA") y otras leyes aplicables, hemos adoptado una política de cancelar, en las circunstancias apropiadas y, a nuestro exclusivo criterio, el acceso al servicio para los usuarios que se consideran infractores reincidentes. 85 | 86 | ## Jurisdicción 87 | 88 | Usted acepta expresamente que la jurisdicción exclusiva para cualquier disputa con el Servicio o relacionada con su uso del mismo, reside en los tribunales de la Jurisdicción chilena y además acepta y consiente expresamente el ejercicio de la jurisdicción personal en los tribunales de Chile, en relación con cualquier disputa de este tipo, incluido cualquier reclamo que involucre el Servicio. Además, acepta que usted y el Servicio no iniciarán contra el otro una demanda colectiva, un arbitraje colectivo u otra acción o procedimiento representativo. 89 | 90 | ## Terminación 91 | 92 | Si incumple cualquiera de estos Términos, tenemos el derecho de suspender o deshabilitar su acceso o uso del Servicio. 93 | 94 | ## Acuerdo completo 95 | 96 | Estos Términos constituyen el acuerdo completo entre usted y JSConf Chile con respecto al uso del Servicio, reemplazando cualquier acuerdo anterior entre usted y JSConf Chile relacionado con su uso del Servicio. 97 | 98 | ## Feedback 99 | 100 | Por favor háganos saber lo que piensa del Servicio, estos Términos y, en general, de JSConf Chile. Cuando nos proporciona cualquier opinión, comentario o sugerencia sobre el Servicio, estos Términos y, en general, [jsconf.cl](https://jsconf.cl/), nos asigna de manera irrevocable todos sus derechos, títulos e intereses sobre sus opiniones, comentarios y sugerencias. 101 | 102 | ## Preguntas e información de contacto 103 | 104 | Las preguntas o comentarios sobre el Servicio pueden ser dirigidos a nosotros a la dirección de correo electrónico contacto@jsconf.cl. 105 | -------------------------------------------------------------------------------- /terminos_de_servicio/README_EN.md: -------------------------------------------------------------------------------- 1 | # TERMS OF SERVICE OF JSConf Chile 2 | 3 | Last updated: September 29, 2024 4 | 5 | These terms of service ("Terms") apply to your access and use of JSConf Chile (the "Service"). Please read them carefully. 6 | 7 | ## Acceptance of these Terms 8 | 9 | If you access or use the Service, it means that you agree to be bound by all the terms below. Therefore, before using the Service, read all the terms. If you do not agree with all the terms below, do not use the Service. Additionally, if a term does not make sense to you, please let us know via email at contacto@jsconf.cl. 10 | 11 | ## Changes to these Terms 12 | 13 | We reserve the right to modify these Terms at any time. For example, we may need to change these Terms if we introduce a new feature or for some other reason. 14 | 15 | Whenever we make changes to these Terms, the changes will take effect immediately after we post the revised Terms (indicated by reviewing the date at the top of these Terms) or after your acceptance if we provide a mechanism for your immediate acceptance of the revised Terms (such as a confirmation click or acceptance button). It is your responsibility to review [jsconf.cl](https://jsconf.cl/) for changes to these Terms. 16 | 17 | If you continue to use the Service after the revised Terms take effect, it means that you have accepted the changes to these Terms. 18 | 19 | ## Privacy Policy 20 | 21 | For information on how we collect and use information about Service users, please refer to our privacy policy available at [/politica_de_privacidad/README.md](/politica_de_privacidad/README.md) 22 | 23 | ## Third-party Services 24 | 25 | From time to time, we may provide you with links to third-party websites or services that we do not own or control. Your use of the Service may also include the use of applications developed or owned by a third party. Your use of such third-party applications, websites, and services is governed by that party's own terms of service or privacy policies. We encourage you to read the terms and conditions and privacy policy of any third-party application, website, or service that you visit or use. 26 | 27 | ## Account Creation 28 | 29 | When you create an account or use another service to log into the Service, you agree to maintain the security of your password and accept all risks of unauthorized access to any data or other information you provide to the Service. 30 | 31 | If you discover or suspect any security violation of the Service, please notify us as soon as possible. 32 | 33 | ## Your Content and Conduct 34 | 35 | Our Service may allow you and other users to post, link, and otherwise make available content. You are responsible for the content you make available to the Service, including its legality, reliability, and appropriateness. 36 | 37 | When you post, link, or otherwise make available content to the Service, you grant us the right and license to use, reproduce, modify, publicly perform, publicly display, and distribute your content on or through the Service. We may format your content to display it throughout the Service, but we will not edit or revise the substance of your content itself. 38 | 39 | In addition to our limited right to your content, you retain all your rights to the content you post, link, and otherwise make available on or through the Service. 40 | 41 | You may be able to remove content that you posted by deleting it. Once you delete your content, it will not appear on the Service, but copies of your deleted content may remain in our system or backups for a period of time. We will retain web server access logs for a maximum of immediately, and then delete them. 42 | 43 | You may not post, link, or make available on or through the Service any of the following: 44 | 45 | - Defamatory, libelous, bigoted, fraudulent, or misleading content; 46 | - Content that is illegal or otherwise would create liability for JSConf Chile; 47 | - Content that may infringe or violate any patent, trademark, trade secret, copyright, privacy right, publicity right, or other intellectual or proprietary right of any party; 48 | - Mass or repeated promotions, political campaigning, or commercial messages directed at users who do not follow you (SPAM); 49 | - Private information of any third party (e.g., addresses, phone numbers, email addresses, social security numbers, and credit card numbers); and 50 | - Viruses, corrupted data, or other harmful, disruptive, or destructive files or code. 51 | 52 | Furthermore, you agree not to do any of the following in connection with the Service or other users: 53 | 54 | - Use the Service in any manner that could interfere with, disrupt, negatively affect, or inhibit other users from fully enjoying the Service or that could damage, disable, overburden, or impair the functioning of the Service; 55 | - Impersonate or post on behalf of any person or entity or otherwise misrepresent your affiliation with a person or entity; 56 | - Collect any personal information about other users, or intimidate, threaten, stalk, or otherwise harass other users of the Service; 57 | - Collect any personal information about other users, or intimidate, threaten, stalk, or harass other users of the Service; and 58 | - Circumvent or attempt to circumvent any filtering, security measures, rate limits, or other features designed to protect the Service, Service users, or third parties. 59 | 60 | ## JSConf Chile Materials 61 | 62 | We work hard to create the Service, including the logo and all designs, text, graphics, images, information, and other content (excluding your content). This property is owned by us or our licensors and is protected by U.S. and international copyright laws. We grant you the right to use it. 63 | 64 | However, unless we expressly state otherwise, your rights do not include: (i) publicly performing or displaying the Service; (ii) modifying or making derivative uses of the Service or any part thereof; (iii) using any data mining, robots, or similar data gathering or extraction methods; (iv) downloading (other than page caching) any portion of the Service or any information contained therein; (v) reverse engineering or accessing the Service to build a competitive product or service; or (vi) using the Service for purposes other than its intended purpose. If you do any of this, we may terminate your use of the Service. 65 | 66 | ## Hyperlinks and Third-party Content 67 | 68 | You may create a hyperlink to the Service. However, you may not use, frame, or utilize framing techniques to enclose any of our trademarks, logos, or other proprietary information without our express written consent. 69 | 70 | JSConf Chile makes no claim or representation regarding third-party websites accessible by hyperlink from the Service or websites linking to the Service, and accepts no responsibility for them. When you leave the Service, you should be aware that these Terms and our policies no longer govern. 71 | 72 | If there is any content on the Service from you and others, we do not review, verify, or authenticate it, and it may include inaccuracies or false information. We make no representations, warranties, or guarantees relating to the quality, suitability, truthfulness, accuracy, or completeness of any content included in the Service. You acknowledge sole responsibility and assume all risks arising from your use or reliance on any content. 73 | 74 | ## Inevitable Legal Stuff 75 | 76 | THE SERVICE AND ANY OTHER SERVICE AND CONTENT INCLUDED OR MADE AVAILABLE TO YOU THROUGH THE SERVICE ARE PROVIDED "AS IS" OR "AS AVAILABLE" WITHOUT ANY REPRESENTATION OR WARRANTY OF ANY KIND. WE DISCLAIM ALL WARRANTIES AND REPRESENTATIONS (EXPRESS OR IMPLIED, ORAL OR WRITTEN) WITH RESPECT TO THE SERVICE AND THE CONTENT INCLUDED OR OTHERWISE MADE AVAILABLE TO YOU THROUGH THE SERVICE, WHETHER ARISING BY OPERATION OF LAW, BY REASON OF CUSTOM OR USAGE IN THE TRADE, BY COURSE OF DEALING OR OTHERWISE. 77 | 78 | IN NO EVENT SHALL JSConf Chile BE LIABLE TO YOU OR ANY THIRD PARTY FOR ANY SPECIAL, INDIRECT, INCIDENTAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES OF ANY KIND ARISING OUT OF OR IN CONNECTION WITH THE SERVICE OR ANY OTHER SERVICE AND/OR CONTENT INCLUDED OR OTHERWISE MADE AVAILABLE TO YOU THROUGH THE SERVICE, REGARDLESS OF THE FORM OF ACTION, WHETHER IN CONTRACT, TORT, STRICT LIABILITY, OR ANY OTHER LEGAL THEORY, EVEN IF WE HAVE BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES OR ARE AWARE OF THE POSSIBILITY OF SUCH DAMAGES. OUR TOTAL LIABILITY FOR ALL CAUSES OF ACTION AND UNDER ALL THEORIES OF LIABILITY WILL BE LIMITED TO THE AMOUNT YOU PAID JSConf Chile. THIS SECTION WILL HAVE FULL FORCE AND EFFECT EVEN IF ANY REMEDY SPECIFIED IN THIS AGREEMENT IS FOUND TO HAVE FAILED ITS ESSENTIAL PURPOSE. 79 | 80 | You agree to defend, indemnify, and hold us harmless from and against any and all costs, damages, liabilities, and expenses (including attorneys’ fees, costs, penalties, interest, and disbursements) we incur in relation to, arising from, or for the purpose of avoiding any claim or demand from a third party relating to your use of the Service or the use of the Service by any person using your account, including any claim that your use of the Service violates any applicable law or regulation, or the rights of any third party, and/or your violation of these Terms. 81 | 82 | ## Copyright 83 | 84 | We take intellectual property rights seriously. In accordance with the Digital Millennium Copyright Act ("DMCA") and other applicable laws, we have adopted a policy of terminating, under appropriate circumstances and at our sole discretion, the access to the service for users who are deemed to be repeat infringers. 85 | 86 | ## Jurisdiction 87 | 88 | You expressly agree that the exclusive jurisdiction for any dispute with the Service or related to your use of it resides in the courts of Chilean Jurisdiction and you further agree and expressly consent to the exercise of personal jurisdiction in the courts of Chile in connection with any such dispute, including any claim involving the Service. Furthermore, you agree that you and the Service will not initiate a class action, class arbitration, or any other representative action or proceeding against each other. 89 | 90 | ## Termination 91 | 92 | If you breach any of these Terms, we have the right to suspend or disable your access or use of the Service. 93 | 94 | ## Entire Agreement 95 | 96 | These Terms constitute the entire agreement between you and JSConf Chile regarding the use of the Service, replacing any prior agreement between you and JSConf Chile regarding your use of the Service. 97 | 98 | ## Feedback 99 | 100 | Please let us know what you think about the Service, these Terms, and JSConf Chile in general. When you provide us with any feedback, comments, or suggestions about the Service, these Terms, and [jsconf.cl](https://jsconf.cl/) in general, you irrevocably assign to us all your rights, titles, and interests in your feedback, comments, and suggestions. 101 | 102 | ## Questions and Contact Information 103 | 104 | Questions or comments about the Service may be directed to us at the email address contacto@jsconf.cl. 105 | -------------------------------------------------------------------------------- /tsconfig.json: -------------------------------------------------------------------------------- 1 | { 2 | "extends": "astro/tsconfigs/base" 3 | } 4 | --------------------------------------------------------------------------------